diff --git a/.github/workflows/pull-request-tracking.yaml b/.github/workflows/pull-request-tracking.yaml new file mode 100644 index 0000000000..1fe6943deb --- /dev/null +++ b/.github/workflows/pull-request-tracking.yaml @@ -0,0 +1,17 @@ +name: "Automatic Pull Request tracking" + +on: + pull_request: + types: + - opened + +jobs: + add-to-project: + runs-on: ubuntu-latest + + name: Add pull request to project + steps: + - uses: actions/add-to-project@v0.1.0 + with: + project-url: https://github.com/orgs/SOZ-Faut-etre-Sub/projects/3 + github-token: ${{ secrets.GH_ADD_TO_PROJECT_TOKEN }} diff --git a/.gitignore b/.gitignore index f7c992e9ee..b69cfa06f1 100644 --- a/.gitignore +++ b/.gitignore @@ -7,4 +7,5 @@ cache imgui.ini /db polyzone_created_zones.txt* -node_modules \ No newline at end of file +node_modules +.replxx_history \ No newline at end of file diff --git a/docs/core/temperature-system.md b/docs/core/temperature-system.md new file mode 100644 index 0000000000..bc6a34e036 --- /dev/null +++ b/docs/core/temperature-system.md @@ -0,0 +1,16 @@ +# How does the temperature system work? + +In the [temperature](../../resources/[soz]/soz-core/src/server/weather/temperature.ts) file, you will see temperature +ranges variable depending on the season. + +These are the minimal and maximal values that will be used to generate a random value, but sometimes you want to have +wider or narrower ranges depending on the weather. + +For each `Weather` you have adder/subtractor values that will be applied to the temperature range. + +In the end, it's recommended to have a little sheet with the computed values to have a better idea of what values you +will get. + +Below is the retranscription of the computed ranges for each weather and season. + +![](./temperature.jpg) \ No newline at end of file diff --git a/docs/core/temperature.jpg b/docs/core/temperature.jpg new file mode 100644 index 0000000000..e06e49a68a Binary files /dev/null and b/docs/core/temperature.jpg differ diff --git a/docs/how-to-configure.md b/docs/how-to-configure.md new file mode 100644 index 0000000000..3cf9b70549 --- /dev/null +++ b/docs/how-to-configure.md @@ -0,0 +1,6 @@ +# IntelliJ IDEA + +Be sure to configure your eslint plugin to use "Automatic ESLint configuration" and "Run eslint --fix on save" options, +so that the soz-core and soz-phone projects are formatted correctly. + +Also the file ending are in LF format, please configure your IDE to use LF instead of CRLF but also your git client. \ No newline at end of file diff --git a/docs/phone/how-to-create-an-app.md b/docs/phone/how-to-create-an-app.md new file mode 100644 index 0000000000..8740d5f8ee --- /dev/null +++ b/docs/phone/how-to-create-an-app.md @@ -0,0 +1,443 @@ +# How to create an APP for soz-phone? + +This short guide will help you understand how events are passed between NUI, the client and the server. +You might apply these concepts on the soz-core project when using NUI as well, but the naming convention is slightly +different. + +For the purpose of this guide, we will assume you want to build a simple app that will display a hello world from the +server to the phone. + +**VERY IMPORTANT NOTE**: The paths commented in the code are relative to the `soz-phone` folder. Please keep that in +mind when you will create your own app. + +## Architecture schema + +A very simplified schema of how the events are going to communicate to each other. + +```mermaid +%%Please use mermaid plugin if you see this message. +graph LR + N[NUI] -->|useAppHelloService| C[Client] + C -->|GET_HELLO_MESSAGE| S[Server] + S -->|UPDATE_HELLO_MESSAGE| C + C -->|UPDATE_HELLO_MESSAGE| N +``` + +## Prepare the types for the app + +Create a file `hello.ts` in the `typings` folder to generate the types and events that will be used. + +```ts +// src/typings/hello.ts +export enum HelloEvents { + GET_HELLO_MESSAGE = 'phone:app:hello:getHelloMessage', + UPDATE_HELLO_MESSAGE = 'phone:app:hello:updateHelloMessage', +} +``` + +Then add your app in the app enum in `src/utils/apps.ts`. + +```ts +// src/utils/apps.ts +export default { + // ... + HELLO: 'HELLO', +} +``` + +Before sending messages to the client, you need to prepare a small function that will do the boilerplate for you. + +```ts +// src/utils/messages.ts + +export function sendHelloEvent(method: string, data: any = {}): void { + sendMessage(apps.HELLO, method, data); +} +``` + +## Client + +Next you will create a client file in the `src/client/apps` folder, let's call it `hello.ts`. + +Inside you will put the events that will be triggered by the server or the phone. + +```ts +// src/client/apps/hello.ts +import { HelloEvents } from '../../../typings/app/hello'; +import { sendHelloEvent } from '../../utils/messages'; +import { RegisterNuiProxy } from '../cl_utils'; + +// When we use this event, this will be retrieved by the server directly. +RegisterNuiProxy(HelloEvents.GET_HELLO_MESSAGE); + +onNet(HelloEvents.UPDATE_HELLO_MESSAGE, (result: string) => { + // The NUI side will handle the result. + sendHelloEvent(HelloEvents.UPDATE_HELLO_MESSAGE, result); +}); +``` + +**Don't forget to add your file in `src/client/client.ts`!** + +```ts +// src/client/client.ts + +// ... +import './apps/hello'; + +import ClientUtils from './cl_utils'; +``` + +## Server + +Now that the client will be used as a proxy, let's do the server side as it is simpler. + +In the `src/server` folder, you will need to create a new folder for your app, let's call it `hello`. + +Inside this folder, we will have at least three files: + +- A utility file named `hello.utils.ts` +- A service named `hello.service.ts` +- A controller named `hello.controller.ts` + + +### Utils + +The utils file will be used to export the logger and any other utility you might need. + +```ts +// src/server/hello/hello.utils.ts + +import { mainLogger } from '../sv_logger'; + +export const helloLogger = mainLogger.child({ module: 'hello' }); +``` + +### Service + +The service will do the calls to the database or any other logic you want to do. + +```ts +// src/server/hello/hello.service.ts + +import { PromiseEventResp, PromiseRequest } from '../lib/PromiseNetEvents/promise.types'; +import { helloLogger } from './hello.utils'; + +class _HelloService { + async handleGetHelloMessage(reqObj: PromiseRequest, resp: PromiseEventResp) { + helloLogger.debug(`Get hello message event (${reqObj.source})`); + resp({ status: 'ok', data: 'Hello world!' }); + } +} + +const HelloService = new _HelloService(); + +export default HelloService; +``` + +### Controller + +The controller will be the entry point for the server side, it will be called by the client and will return the value. +*Remember the `GET_HELLO_MESSAGE` event? It's going to be used here.* + +**Note**: You are really on the server side, so you can call server's exports. +If you want to use the database please check out as an exemple the code +from [twitch news](/resources/%5Bsoz%5D/soz-phone/src/server/twitch-news/twitch-news.db.ts). + +```ts +// src/server/hello/hello.controller.ts + +import { HelloEvents } from '../../../typings/app/hello'; +import { onNetPromise } from '../lib/PromiseNetEvents/onNetPromise'; +import HelloService from './hello.service'; +import { helloLogger } from './hello.utils'; + +// void as we don't accept anything, string as we return a string. +onNetPromise(HelloEvents.GET_HELLO_MESSAGE, (reqObj, resp) => { + HelloService.handleGetHelloMessage(reqObj, resp).catch(e => { + helloLogger.error(`Error occurred in get hello message event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); + +``` + +--- + +And last but not least, don't forget to add the folder in `src/server/server.ts`! + +```ts +// src/server/server.ts + +// ... +import './hello/hello.controller'; +``` + +## NUI + +New apps should be put inside the `src/nui` folder. + +For now, we will create the models and services before any front end code. + +--- + +### Models + +In the HelloPage example, you might have noticed the usage of useSelector hook with a state. +This is because we will put our state in a model and use it as a bridge between the NUI app and the external NUI world. + +```tsx +// src/nui/models/app/hello.ts +import { createModel } from '@rematch/core'; + +import { HelloEvents } from '../../../../typings/app/hello'; +import { ServerPromiseResp } from '../../../../typings/common'; +import { fetchNui } from '../../utils/fetchNui'; +import { buildRespObj } from '../../utils/misc'; +import { RootModel } from '../index'; + +export const appHello = createModel()({ + state: '' as string, + reducers: { + set: (state, payload) => { + return payload; + }, + }, + effects: dispatch => ({ + async getHelloMessage() { + fetchNui>( + HelloEvents.GET_HELLO_MESSAGE, + undefined, + buildRespObj('Mock hello world') + ) + .then(response => { + dispatch.appHello.set(response.data || ''); + }) + .catch(() => console.error('Failed to get hello message')); + }, + }), +}); +``` + +With this model, we can fetch values to the server thanks to the RegisterNuiProxy we defined, and then update the state value. +The 3rd argument of `fetchNui` method allows us to mock a value in development mode, but it will be ignored in production. + +Then we need to add the model to the `index.ts` file. + +```ts +// src/nui/models/index.ts + +import { appHello } from './app/hello'; + +export interface RootModel extends Models { + // ... + appHello: typeof appHello; +} + +export const models: RootModel = { + // ... + appHello, +}; +``` + +### Services + +We have almost everything we need to make our app work, but we still need to initialize some default behavior when we load the app.0 + +```tsx +// src/nui/services/app/useAppHelloService.ts +import { useEffect } from 'react'; + +import { HelloEvents } from '../../../../typings/app/hello'; +import { useNuiEvent } from '../../../libs/nui/hooks/useNuiEvent'; +import { store } from '../../store'; + +export const useAppHelloService = () => { + // This will automatically fetch the hello message when the app is loaded. + useEffect(() => { + store.dispatch.appHello.getHelloMessage(); + }, []); + + // When the server will send us a new message, we will update the state. + useNuiEvent('HELLO', HelloEvents.UPDATE_HELLO_MESSAGE, store.dispatch.appHello.getHelloMessage); +}; + +``` + +After this you must add the service to the `Phone.tsx` file. + +```tsx +// src/nui/Phone.tsx + +// ... +import { useAppHelloService } from './services/app/useAppHelloService'; + +function Phone() { + // ... + useAppHelloService(); + + if (config.wallpaper === undefined) { + return null; + } + // ... +} +``` + +*Note: you will need to reformat the code with eslint to sort the imports alphabetically.* + +--- + +So let's create a new folder named `hello`. + +Inside this folder, we could categorize the files as follows: + +- `assets` for images, styles, sounds, etc. +- `components` for the React components that would be reused by the pages +- `pages` for the React components that would be used as pages +- `utils` for the utility files +- `index.tsx` for the entry point of the app +- `icon.tsx` for the icon of the app that will be displayed on the home page. + +For the hello app, we only need a page, an index and an icon. + +### Pages + +```tsx +// src/nui/apps/hello/pages/HelloPage.tsx +import cn from 'classnames'; +import React from 'react'; +import { useSelector } from 'react-redux'; + +import { useConfig } from '../../../hooks/usePhone'; +import { RootState } from '../../../store'; +import { AppContent } from '../../../ui/components/AppContent'; +import { AppTitle } from '../../../ui/components/AppTitle'; + +const HelloPage = (): any => { + const message = useSelector((state: RootState) => state.appHello); + const config = useConfig(); + + return ( + <> + + +

+ {message} +

+
+ + ); +}; + +export default HelloPage; +``` + +For the sake of simplicity there's only one usage of `cn` to generate the class names, but you could use a global class name like `dark-theme` and `light-theme` and create a custom stylesheet to apply on the tag names. + +### Index + +```tsx +// src/nui/apps/hello/index.tsx +import { Transition } from '@headlessui/react'; +import { Route, Routes } from 'react-router-dom'; + +import { AppWrapper } from '../../ui/components/AppWrapper'; +import { useBackground } from '../../ui/hooks/useBackground'; +import { FullPageWithHeader } from '../../ui/layout/FullPageWithHeader'; +import HelloPage from './pages/HelloPage'; + +export const HelloApp = () => { + // This will automatically set the background based on the phone settings. + const backgroundClass = useBackground(); + + return ( + + + + + } /> + + + + + ); +}; +``` + +### Icon + +```tsx +// src/nui/apps/hello/icon.tsx +import React from 'react'; + +const HelloIcon: React.FC = () => { + return ( + + + + Hello + + + ); +}; + +export default HelloIcon; +``` + +--- + +### Register the app + +The app is ready, now just add it to the list in `src/nui/os/apps/config/apps.tsx`. + +```tsx +// src/nui/os/apps/config/apps.tsx + +// ... + +export const APPS: IAppConfig[] = [ + // ... + { + id: 'hello', + nameLocale: 'APPS_HELLO', + path: '/hello', + component: , + icon: HelloIcon, + }, +]; +``` + +You will also need to add the localized name of the app in the `src/nui/locale/` folder. +For example in `fr.json` + +```json5 +// src/nui/locale/fr.json + +// ... +{ + "APPS_HELLO":"Hello World", +} +``` + +And after that, you should be able to see your application on the phone. Enjoy! \ No newline at end of file diff --git a/env.cfg-dist b/env.cfg-dist index 11f6375b15..e75802c7e4 100644 --- a/env.cfg-dist +++ b/env.cfg-dist @@ -42,6 +42,7 @@ set mysql_debug true # Disable steam login for development usage # This will allow you to connect to the server without having a steam account and use the rockstar license field instead #set soz_disable_steam_credential true +#set soz_enable_test_auth true # Mumble configuration # Allow to use an external mumble server diff --git a/modules-prod.cfg b/modules-prod.cfg index 59ed0b6a19..377839c93c 100644 --- a/modules-prod.cfg +++ b/modules-prod.cfg @@ -7,9 +7,6 @@ start [lib] # Mysql start oxmysql -# Tooling -start soz-monitor - # SOZ start [qb] start [soz] diff --git a/modules-test.cfg b/modules-test.cfg index 7d787abee3..1975d8acb3 100644 --- a/modules-test.cfg +++ b/modules-test.cfg @@ -1,14 +1,5 @@ # Use production settings exec modules-prod.cfg -# Test specific settings under this line -# Mapping -start [mapping-test] - -# Vehicles -start [vehicles-test] - -# Features - # Environment setr soz_core_environment test diff --git a/modules.cfg b/modules.cfg index 80ddce203f..23dc625a0d 100644 --- a/modules.cfg +++ b/modules.cfg @@ -1,14 +1,5 @@ # Use test settings exec modules-test.cfg -# Dev specific settings under this line -# Mapping -start [mapping-dev] - -# Vehicles -start [vehicles-dev] - -# Features - # Environment setr soz_core_environment development diff --git a/resources/[clothes]/soz_clothes/README.md b/resources/[clothes]/soz_clothes/README.md index 8ba42248ad..eab218b907 100644 --- a/resources/[clothes]/soz_clothes/README.md +++ b/resources/[clothes]/soz_clothes/README.md @@ -1,7 +1,7 @@ TOP 0 hiver BCSO 1 pilote LSPD/BCSO -2 moto LSPD/BCSO +2 moto LSPD/BCSO/SASP 3 service LSMC 4 service LSPD/BCSO/noir 5 service Stonks @@ -11,6 +11,7 @@ 9 hiver Stonks 10 intervention LSPD/BCSO 11 anti-emeute LSPD/BCSO +12 sport LSPD/BCSO (14 for femme) Decalque 0 chevron 0-4 @@ -27,6 +28,8 @@ 5 anti-emeute LSPD/BCSO 6 light crimi 7 medium crimi +8 bandoulière SASP / femme armor SASP +9 armor SASP Undershirt 0 stonk holster radio epaule // pas utilisé? @@ -43,6 +46,8 @@ 0 stétho //same as vanilla? 1 pistol 2 badge LSPD/BCSO +3 harnais holster +4 holster ceinture bag 0 LSPD badge pectoraux @@ -50,13 +55,15 @@ pantalon 0 patient //don"t use, cause tatoo duplication between legs -1 service LSPD/BCSO +1 service LSPD/BCSO/SASP 2 stonk 3 motard LSPD/BCSO 4 lsmc 5 pilote LSPD/BCSO 6 intervention LSPD/BCSO 7 antiemeute LSPD/BCSO +8 SASP Sombre +9 sport LSPD/BCSO (10 for femme) chapeau 0 casquette stonk @@ -64,6 +71,8 @@ 2 chapeau BCSO 3 casque pompier //same as vanilla? 4 casque pilote LSPD/BCSO //logo LSPD manquant +5 oreille lapin +6 SASP diff --git a/resources/[clothes]/soz_clothes/data/mp_f_freemode_01_soz_custom.meta b/resources/[clothes]/soz_clothes/data/mp_f_freemode_01_soz_custom.meta new file mode 100644 index 0000000000..5c2fb23dad --- /dev/null +++ b/resources/[clothes]/soz_clothes/data/mp_f_freemode_01_soz_custom.meta @@ -0,0 +1,11 @@ + + + mp_f_freemode_01 + soz_custom + mp_f_freemode_01_soz_custom + SCR_CHAR_MULTIPLAYER_F + MP_CreatureMetadata_soz_bcso + + + + diff --git a/resources/[clothes]/soz_clothes/data/mp_m_freemode_01_soz_custom.meta b/resources/[clothes]/soz_clothes/data/mp_m_freemode_01_soz_custom.meta new file mode 100644 index 0000000000..425daa0d6b --- /dev/null +++ b/resources/[clothes]/soz_clothes/data/mp_m_freemode_01_soz_custom.meta @@ -0,0 +1,11 @@ + + + mp_m_freemode_01 + soz_custom + mp_m_freemode_01_soz_custom + SCR_CHAR_MULTIPLAYER + MP_CreatureMetadata_soz_bcso + + + + diff --git a/resources/[clothes]/soz_clothes/fxmanifest.lua b/resources/[clothes]/soz_clothes/fxmanifest.lua index 82d0307c78..ac785141a3 100644 --- a/resources/[clothes]/soz_clothes/fxmanifest.lua +++ b/resources/[clothes]/soz_clothes/fxmanifest.lua @@ -7,3 +7,5 @@ files { data_file 'SHOP_PED_APPAREL_META_FILE' 'data/mp_f_freemode_01_soz_bcso.meta' data_file 'SHOP_PED_APPAREL_META_FILE' 'data/mp_m_freemode_01_soz_bcso.meta' +data_file 'SHOP_PED_APPAREL_META_FILE' 'data/mp_f_freemode_01_soz_custom.meta' +data_file 'SHOP_PED_APPAREL_META_FILE' 'data/mp_m_freemode_01_soz_custom.meta' diff --git a/resources/[clothes]/soz_clothes/stream/mp_creaturemetadata_soz_bcso.ymt b/resources/[clothes]/soz_clothes/stream/mp_creaturemetadata_soz_bcso.ymt index 9718cb66bc..53376f7e77 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_creaturemetadata_soz_bcso.ymt and b/resources/[clothes]/soz_clothes/stream/mp_creaturemetadata_soz_bcso.ymt differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_005.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_005.ydd new file mode 100644 index 0000000000..4d14836273 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_005.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_006.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_006.ydd new file mode 100644 index 0000000000..16acccb1bd Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_006.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_007.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_007.ydd new file mode 100644 index 0000000000..f470493562 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_007.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_000_b.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_000_b.ytd new file mode 100644 index 0000000000..a483c54c8e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_000_b.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_a.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_a.ytd new file mode 100644 index 0000000000..d36102ff30 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_a.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_b.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_b.ytd new file mode 100644 index 0000000000..ff2b5fc29c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_b.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_c.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_c.ytd new file mode 100644 index 0000000000..2636208fa6 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_c.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_d.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_d.ytd new file mode 100644 index 0000000000..2445d93d63 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_005_d.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_006_a.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_006_a.ytd new file mode 100644 index 0000000000..f06eb0400c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_006_a.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_007_a.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_007_a.ytd new file mode 100644 index 0000000000..0b5f137b72 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_p_soz_bcso/mp_f_freemode_01_p_soz_bcso^p_head_diff_007_a.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso.ymt b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso.ymt index 47e807a5b3..883cb93cf2 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso.ymt and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso.ymt differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_002_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_002_u.ydd new file mode 100644 index 0000000000..37e782f119 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_002_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_diff_002_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_diff_002_a_uni.ytd new file mode 100644 index 0000000000..bf6b360673 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_diff_002_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_diff_002_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_diff_002_b_uni.ytd new file mode 100644 index 0000000000..c872c2ae22 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^hand_diff_002_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_008_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_008_u.ydd index a019d4ed75..a0292fc676 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_008_u.ydd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_008_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd index f60fbd522f..1d36a16178 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_c_uni.ytd new file mode 100644 index 0000000000..52812ed59b Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_d_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_d_uni.ytd new file mode 100644 index 0000000000..ba2c002886 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_002_d_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_a_uni.ytd index 3f9ccd3145..103ecc9647 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd index 2475c4cad5..3fba857245 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd index 2fc4bd6f51..b0f14d1bf8 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_004_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_004_r.ydd index 2be52d18f1..17a1ad4255 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_004_r.ydd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_004_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_006_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_006_r.ydd index e9d48d40c4..28b193ad72 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_006_r.ydd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_006_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_008_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_008_r.ydd new file mode 100644 index 0000000000..c9e4a6e449 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_008_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_009_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_009_r.ydd new file mode 100644 index 0000000000..dce6d9789e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_009_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_001_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_001_c_uni.ytd new file mode 100644 index 0000000000..a8f37b87fb Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_001_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_004_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_004_a_uni.ytd index f25eeba97b..9114c73f2b 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_004_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_004_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_a_uni.ytd index 895e196513..f0cc2a2192 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_b_uni.ytd index 21344efef5..1818b7c5a5 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_b_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_006_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd index 713e8f52e9..b5844ca477 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_008_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_008_a_whi.ytd new file mode 100644 index 0000000000..3ecde06985 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_008_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_009_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_009_a_whi.ytd new file mode 100644 index 0000000000..33b9145d42 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^lowr_diff_009_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_008_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_008_u.ydd new file mode 100644 index 0000000000..3e79733e34 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_008_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_002_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_002_c_uni.ytd index 2b3f4a0399..5029811993 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_002_c_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_002_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_008_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_008_a_uni.ytd new file mode 100644 index 0000000000..25b1fa8f07 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^task_diff_008_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^accs_008_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_003_u.ydd similarity index 100% rename from resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^accs_008_u.ydd rename to resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_003_u.ydd diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_004_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_004_u.ydd new file mode 100644 index 0000000000..1f4cf3b7aa Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_004_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^accs_diff_008_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_diff_003_a_uni.ytd similarity index 100% rename from resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^accs_diff_008_a_uni.ytd rename to resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_diff_003_a_uni.ytd diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_diff_004_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_diff_004_a_uni.ytd new file mode 100644 index 0000000000..d594cb967f Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_bcso/mp_f_freemode_01_soz_bcso^teef_diff_004_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom.ymt b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom.ymt new file mode 100644 index 0000000000..664504b960 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom.ymt differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_000_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_000_u.ydd new file mode 100644 index 0000000000..b493c80fd4 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_000_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_a_uni.ytd new file mode 100644 index 0000000000..94dd94036f Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_b_uni.ytd new file mode 100644 index 0000000000..2689068588 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_c_uni.ytd new file mode 100644 index 0000000000..27db408c0b Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_d_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_d_uni.ytd new file mode 100644 index 0000000000..fd54316899 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_d_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_e_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_e_uni.ytd new file mode 100644 index 0000000000..60405229a7 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_e_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_f_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_f_uni.ytd new file mode 100644 index 0000000000..5c686f8f79 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_f_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_g_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_g_uni.ytd new file mode 100644 index 0000000000..285683bba8 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^feet_diff_000_g_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_000_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_000_u.ydd new file mode 100644 index 0000000000..1cd164206a Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_000_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_001_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_001_u.ydd new file mode 100644 index 0000000000..0e9fcb156e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_001_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_002_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_002_u.ydd new file mode 100644 index 0000000000..1aa8068f2e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_002_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_a_uni.ytd new file mode 100644 index 0000000000..6e52d5d085 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_b_uni.ytd new file mode 100644 index 0000000000..cceec4e9dc Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_c_uni.ytd new file mode 100644 index 0000000000..6aa7f190d7 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_d_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_d_uni.ytd new file mode 100644 index 0000000000..49073b133e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_d_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_e_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_e_uni.ytd new file mode 100644 index 0000000000..bb028f4bd8 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_e_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_f_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_f_uni.ytd new file mode 100644 index 0000000000..22e0334500 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_f_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_g_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_g_uni.ytd new file mode 100644 index 0000000000..13be0ea2b0 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_g_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_h_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_h_uni.ytd new file mode 100644 index 0000000000..4c1e436b1b Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_h_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_i_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_i_uni.ytd new file mode 100644 index 0000000000..fc1b0bbc32 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_i_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_j_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_j_uni.ytd new file mode 100644 index 0000000000..3ea606d339 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_j_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_k_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_k_uni.ytd new file mode 100644 index 0000000000..f3bb0ccb2c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_k_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_l_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_l_uni.ytd new file mode 100644 index 0000000000..7de75295de Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_000_l_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_a_uni.ytd new file mode 100644 index 0000000000..722233d485 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_b_uni.ytd new file mode 100644 index 0000000000..1d2dbfafa3 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_c_uni.ytd new file mode 100644 index 0000000000..8ccf72eedb Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_d_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_d_uni.ytd new file mode 100644 index 0000000000..4209ac7945 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_d_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_e_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_e_uni.ytd new file mode 100644 index 0000000000..6e8700a588 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_e_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_f_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_f_uni.ytd new file mode 100644 index 0000000000..e92a4c3165 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_f_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_g_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_g_uni.ytd new file mode 100644 index 0000000000..6e87514883 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_g_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_h_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_h_uni.ytd new file mode 100644 index 0000000000..00901ee889 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_h_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_i_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_i_uni.ytd new file mode 100644 index 0000000000..2e1531ab76 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_i_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_j_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_j_uni.ytd new file mode 100644 index 0000000000..4a1da4b220 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_j_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_k_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_k_uni.ytd new file mode 100644 index 0000000000..cd409af344 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_k_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_l_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_l_uni.ytd new file mode 100644 index 0000000000..44e6828024 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_l_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_m_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_m_uni.ytd new file mode 100644 index 0000000000..78706cf763 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_m_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_n_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_n_uni.ytd new file mode 100644 index 0000000000..f6cd57a442 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_n_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_o_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_o_uni.ytd new file mode 100644 index 0000000000..ecb3a9c0b2 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_o_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_p_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_p_uni.ytd new file mode 100644 index 0000000000..330cb60fea Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_p_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_q_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_q_uni.ytd new file mode 100644 index 0000000000..6c74e30e0b Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_q_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_r_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_r_uni.ytd new file mode 100644 index 0000000000..ec71662f72 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_001_r_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_002_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_002_a_uni.ytd new file mode 100644 index 0000000000..5c0ab60edb Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_002_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_002_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_002_b_uni.ytd new file mode 100644 index 0000000000..aafdda64db Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^jbib_diff_002_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_000_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_000_r.ydd new file mode 100644 index 0000000000..5f54cfe6a6 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_000_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_001_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_001_r.ydd new file mode 100644 index 0000000000..ad26d811b6 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_001_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_002_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_002_r.ydd new file mode 100644 index 0000000000..806ea7d618 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_002_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_003_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_003_r.ydd new file mode 100644 index 0000000000..7e9f3ae62e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_003_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_a_whi.ytd new file mode 100644 index 0000000000..b99a90340e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_b_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_b_whi.ytd new file mode 100644 index 0000000000..15d65fa8a6 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_b_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_c_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_c_whi.ytd new file mode 100644 index 0000000000..1755bab95c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_c_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_d_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_d_whi.ytd new file mode 100644 index 0000000000..e6900a17c1 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_d_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_e_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_e_whi.ytd new file mode 100644 index 0000000000..8e5aef8eb5 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_e_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_f_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_f_whi.ytd new file mode 100644 index 0000000000..422038cef0 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_f_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_g_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_g_whi.ytd new file mode 100644 index 0000000000..f90acc7a8a Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_g_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_h_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_h_whi.ytd new file mode 100644 index 0000000000..406ed67183 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_h_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_i_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_i_whi.ytd new file mode 100644 index 0000000000..55508326e5 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_i_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_j_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_j_whi.ytd new file mode 100644 index 0000000000..6bd61bcd55 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_j_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_k_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_k_whi.ytd new file mode 100644 index 0000000000..d637dcf576 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_k_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_l_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_l_whi.ytd new file mode 100644 index 0000000000..d80453dd14 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_l_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_m_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_m_whi.ytd new file mode 100644 index 0000000000..2565b6671e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_m_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_n_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_n_whi.ytd new file mode 100644 index 0000000000..780514e8ad Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_n_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_o_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_o_whi.ytd new file mode 100644 index 0000000000..930e2119cb Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_o_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_p_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_p_whi.ytd new file mode 100644 index 0000000000..c0875d3201 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_p_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_q_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_q_whi.ytd new file mode 100644 index 0000000000..0dd6edd9bd Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_q_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_r_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_r_whi.ytd new file mode 100644 index 0000000000..3b131c0c74 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_r_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_s_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_s_whi.ytd new file mode 100644 index 0000000000..fe93ed8436 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_s_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_t_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_t_whi.ytd new file mode 100644 index 0000000000..0cd696b211 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_t_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_u_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_u_whi.ytd new file mode 100644 index 0000000000..466a049e17 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_u_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_v_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_v_whi.ytd new file mode 100644 index 0000000000..bf92dfb7d2 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_v_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_w_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_w_whi.ytd new file mode 100644 index 0000000000..e1d54336b4 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_w_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_x_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_x_whi.ytd new file mode 100644 index 0000000000..9a9fa2078d Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_000_x_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_001_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_001_a_whi.ytd new file mode 100644 index 0000000000..f57eb06d84 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_001_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_001_b_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_001_b_whi.ytd new file mode 100644 index 0000000000..778bc14585 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_001_b_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_a_whi.ytd new file mode 100644 index 0000000000..228c96fd10 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_b_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_b_whi.ytd new file mode 100644 index 0000000000..3aeab0662d Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_b_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_c_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_c_whi.ytd new file mode 100644 index 0000000000..bccf6bf567 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_002_c_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_003_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_003_a_whi.ytd new file mode 100644 index 0000000000..dc135b266e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_f_freemode_01_soz_custom/mp_f_freemode_01_soz_custom^lowr_diff_003_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_005.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_005.ydd new file mode 100644 index 0000000000..4d14836273 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_005.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_006.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_006.ydd new file mode 100644 index 0000000000..16acccb1bd Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_006.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_007.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_007.ydd new file mode 100644 index 0000000000..41a79ec5b5 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_007.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_000_b.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_000_b.ytd new file mode 100644 index 0000000000..a483c54c8e Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_000_b.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_a.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_a.ytd new file mode 100644 index 0000000000..2445d93d63 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_a.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_b.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_b.ytd new file mode 100644 index 0000000000..2636208fa6 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_b.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_c.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_c.ytd new file mode 100644 index 0000000000..ff2b5fc29c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_c.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_d.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_d.ytd new file mode 100644 index 0000000000..d36102ff30 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_005_d.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_006_a.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_006_a.ytd new file mode 100644 index 0000000000..f06eb0400c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_006_a.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_007_a.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_007_a.ytd new file mode 100644 index 0000000000..0b5f137b72 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_p_soz_bcso/mp_m_freemode_01_p_soz_bcso^p_head_diff_007_a.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso.ymt b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso.ymt index 47e807a5b3..a30379a3cb 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso.ymt and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso.ymt differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_002_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_002_u.ydd new file mode 100644 index 0000000000..7c8337ffa2 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_002_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_diff_002_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_diff_002_a_uni.ytd new file mode 100644 index 0000000000..bf6b360673 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_diff_002_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_diff_002_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_diff_002_b_uni.ytd new file mode 100644 index 0000000000..c872c2ae22 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^hand_diff_002_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_008_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_008_u.ydd index c604553cbd..717d4e5d6c 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_008_u.ydd and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_008_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd index 5645b183b3..6939a70c9c 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_c_uni.ytd new file mode 100644 index 0000000000..52812ed59b Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_d_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_d_uni.ytd new file mode 100644 index 0000000000..ba2c002886 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_002_d_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd index b855269e72..fb1b92fff4 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_004_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd index 2fc4bd6f51..b0f14d1bf8 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^jbib_diff_008_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_008_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_008_r.ydd new file mode 100644 index 0000000000..c9e4a6e449 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_008_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_009_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_009_r.ydd new file mode 100644 index 0000000000..80159ceea6 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_009_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_001_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_001_c_uni.ytd new file mode 100644 index 0000000000..5a77389f8d Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_001_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd index 713e8f52e9..b5844ca477 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_007_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_008_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_008_a_whi.ytd new file mode 100644 index 0000000000..1de40ed954 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_008_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_009_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_009_a_whi.ytd new file mode 100644 index 0000000000..aae7699595 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^lowr_diff_009_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_008_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_008_u.ydd new file mode 100644 index 0000000000..c5035011e5 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_008_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_009_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_009_u.ydd new file mode 100644 index 0000000000..831f75ee4c Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_009_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_010_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_010_u.ydd new file mode 100644 index 0000000000..1e9e948cbc Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_010_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_002_c_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_002_c_uni.ytd index 2b3f4a0399..5029811993 100644 Binary files a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_002_c_uni.ytd and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_002_c_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_008_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_008_a_uni.ytd new file mode 100644 index 0000000000..97926125f3 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_008_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_008_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_008_b_uni.ytd new file mode 100644 index 0000000000..0cadeef95f Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_008_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_009_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_009_a_uni.ytd new file mode 100644 index 0000000000..d1321ac4f5 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_009_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_010_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_010_a_uni.ytd new file mode 100644 index 0000000000..1a0871b581 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^task_diff_010_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^accs_008_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_003_u.ydd similarity index 100% rename from resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^accs_008_u.ydd rename to resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_003_u.ydd diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_004_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_004_u.ydd new file mode 100644 index 0000000000..294130bd08 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_004_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^accs_diff_008_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_diff_003_a_uni.ytd similarity index 100% rename from resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^accs_diff_008_a_uni.ytd rename to resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_diff_003_a_uni.ytd diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_diff_004_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_diff_004_a_uni.ytd new file mode 100644 index 0000000000..d594cb967f Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_bcso/mp_m_freemode_01_soz_bcso^teef_diff_004_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom.ymt b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom.ymt new file mode 100644 index 0000000000..99e28ce5e2 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom.ymt differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_000_u.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_000_u.ydd new file mode 100644 index 0000000000..7a195e9f84 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_000_u.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_diff_000_a_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_diff_000_a_uni.ytd new file mode 100644 index 0000000000..ca5db7160a Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_diff_000_a_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_diff_000_b_uni.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_diff_000_b_uni.ytd new file mode 100644 index 0000000000..69a0bed2a1 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^jbib_diff_000_b_uni.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_000_r.ydd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_000_r.ydd new file mode 100644 index 0000000000..2220c09004 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_000_r.ydd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_diff_000_a_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_diff_000_a_whi.ytd new file mode 100644 index 0000000000..f676612ce4 Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_diff_000_a_whi.ytd differ diff --git a/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_diff_000_b_whi.ytd b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_diff_000_b_whi.ytd new file mode 100644 index 0000000000..2a831d64bc Binary files /dev/null and b/resources/[clothes]/soz_clothes/stream/mp_m_freemode_01_soz_custom/mp_m_freemode_01_soz_custom^lowr_diff_000_b_whi.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs.ymt b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs.ymt index 5f9fc67c91..f7cedfed93 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs.ymt and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs.ymt differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_000_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_000_u.ydd index 8f52f8f80d..89279f3748 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_000_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_000_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_001_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_001_u.ydd index 5a08edf771..6a67953299 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_001_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_001_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_002_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_002_u.ydd index d984a50828..5a08511f2e 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_002_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_002_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_003_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_003_u.ydd index 3a398e99fc..8b0d483d3b 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_003_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_003_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_004_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_004_u.ydd index 2c98fd72a2..4d7cb7cf46 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_004_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_004_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_005_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_005_u.ydd index 1e27111db5..1a27228925 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_005_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_005_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_006_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_006_u.ydd index 11ea8ad3d7..3acc5001fa 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_006_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_006_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_007_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_007_u.ydd index 153173d349..8f52f8f80d 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_007_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_007_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_008_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_008_u.ydd index c5a05790ba..5a08edf771 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_008_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_008_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_009_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_009_u.ydd index d5c5f0f9b8..d984a50828 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_009_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_009_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_010_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_010_u.ydd index ef72eeecba..3a398e99fc 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_010_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_010_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_011_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_011_u.ydd index 3933a27e50..2c98fd72a2 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_011_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_011_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_012_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_012_u.ydd index 9204824767..11ea8ad3d7 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_012_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_012_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_013_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_013_u.ydd index f15a6ebf8a..153173d349 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_013_u.ydd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_013_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_014_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_014_u.ydd new file mode 100644 index 0000000000..c5a05790ba Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_014_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_015_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_015_u.ydd new file mode 100644 index 0000000000..d504b4a941 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_015_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_016_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_016_u.ydd new file mode 100644 index 0000000000..eff76bff0c Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_016_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_017_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_017_u.ydd new file mode 100644 index 0000000000..d860fbb5b5 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_017_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_018_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_018_u.ydd new file mode 100644 index 0000000000..ba5bdd27d4 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_018_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_019_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_019_u.ydd new file mode 100644 index 0000000000..6837342bd6 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_019_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_020_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_020_u.ydd new file mode 100644 index 0000000000..89340680b4 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_020_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_021_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_021_u.ydd new file mode 100644 index 0000000000..bb7ff1f523 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_021_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_022_u.ydd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_022_u.ydd new file mode 100644 index 0000000000..6eff035e2c Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_022_u.ydd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_000_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_000_a_uni.ytd index 7b5f10199d..b521b584c3 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_000_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_000_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_001_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_001_a_uni.ytd index 13b22c7a8e..1ac97b92b2 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_001_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_001_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_002_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_002_a_uni.ytd index 0f28fe7698..96a1cd4e47 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_002_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_002_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_003_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_003_a_uni.ytd index 32f10afa59..7911050170 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_003_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_003_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_004_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_004_a_uni.ytd index 2911d4169d..82a054dd55 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_004_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_004_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_005_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_005_a_uni.ytd index b521b584c3..604983c967 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_005_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_005_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_006_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_006_a_uni.ytd index f6084bc393..55f03e93ef 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_006_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_006_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_007_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_007_a_uni.ytd index 082dbb9d51..7b5f10199d 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_007_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_007_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_008_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_008_a_uni.ytd index 50c812623f..13b22c7a8e 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_008_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_008_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_009_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_009_a_uni.ytd index 1ac97b92b2..0f28fe7698 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_009_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_009_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_010_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_010_a_uni.ytd index d3973ddc9d..32f10afa59 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_010_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_010_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_011_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_011_a_uni.ytd index 96a1cd4e47..2911d4169d 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_011_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_011_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_012_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_012_a_uni.ytd index 7911050170..f6084bc393 100644 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_012_a_uni.ytd and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_012_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_013_a_un.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_013_a_un.ytd deleted file mode 100644 index 986325c01f..0000000000 Binary files a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_013_a_un.ytd and /dev/null differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_013_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_013_a_uni.ytd new file mode 100644 index 0000000000..082dbb9d51 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_013_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_014_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_014_a_uni.ytd new file mode 100644 index 0000000000..50c812623f Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_014_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_015_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_015_a_uni.ytd new file mode 100644 index 0000000000..2298f4f4b2 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_015_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_016_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_016_a_uni.ytd new file mode 100644 index 0000000000..ba59a97e05 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_016_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_017_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_017_a_uni.ytd new file mode 100644 index 0000000000..f04558b929 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_017_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_018_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_018_a_uni.ytd new file mode 100644 index 0000000000..68361367b8 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_018_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_019_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_019_a_uni.ytd new file mode 100644 index 0000000000..b637b0bbdb Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_019_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_020_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_020_a_uni.ytd new file mode 100644 index 0000000000..a6ea1e7572 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_020_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_021_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_021_a_uni.ytd new file mode 100644 index 0000000000..ad12c7fc00 Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_021_a_uni.ytd differ diff --git a/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_022_a_uni.ytd b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_022_a_uni.ytd new file mode 100644 index 0000000000..0ab8470a1c Binary files /dev/null and b/resources/[clothes]/soz_hairs/stream/mp_f_freemode_01_soz_hairs^hair_diff_022_a_uni.ytd differ diff --git a/resources/[default]/[gameplay]/chat/dist/ui.html b/resources/[default]/[gameplay]/chat/dist/ui.html index 1a8a7fc4e8..7d25480b4b 100644 --- a/resources/[default]/[gameplay]/chat/dist/ui.html +++ b/resources/[default]/[gameplay]/chat/dist/ui.html @@ -16,5 +16,5 @@ * (c) 2014-2019 Evan You * Released under the MIT License. */ -var r=Object.freeze({});function i(e){return null==e}function o(e){return null!=e}function a(e){return!0===e}function s(e){return"string"==typeof e||"number"==typeof e||"symbol"==typeof e||"boolean"==typeof e}function c(e){return null!==e&&"object"==typeof e}var l=Object.prototype.toString;function u(e){return"[object Object]"===l.call(e)}function d(e){return"[object RegExp]"===l.call(e)}function f(e){var t=parseFloat(String(e));return t>=0&&Math.floor(t)===t&&isFinite(e)}function p(e){return o(e)&&"function"==typeof e.then&&"function"==typeof e.catch}function h(e){return null==e?"":Array.isArray(e)||u(e)&&e.toString===l?JSON.stringify(e,null,2):String(e)}function v(e){var t=parseFloat(e);return isNaN(t)?e:t}function m(e,t){for(var n=Object.create(null),r=e.split(","),i=0;i-1)return e.splice(n,1)}}var _=Object.prototype.hasOwnProperty;function b(e,t){return _.call(e,t)}function w(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var C=/-(\w)/g,x=w((function(e){return e.replace(C,(function(e,t){return t?t.toUpperCase():""}))})),A=w((function(e){return e.charAt(0).toUpperCase()+e.slice(1)})),S=/\B([A-Z])/g,$=w((function(e){return e.replace(S,"-$1").toLowerCase()}));var T=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function O(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function k(e,t){for(var n in t)e[n]=t[n];return e}function I(e){for(var t={},n=0;n0,Z=K&&K.indexOf("edge/")>0,Q=(K&&K.indexOf("android"),K&&/iphone|ipad|ipod|ios/.test(K)||"ios"===q),Y=(K&&/chrome\/\d+/.test(K),K&&/phantomjs/.test(K),K&&K.match(/firefox\/(\d+)/)),ee={}.watch,te=!1;if(V)try{var ne={};Object.defineProperty(ne,"passive",{get:function(){te=!0}}),window.addEventListener("test-passive",null,ne)}catch(e){}var re=function(){return void 0===U&&(U=!V&&!G&&void 0!==e&&(e.process&&"server"===e.process.env.VUE_ENV)),U},ie=V&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function oe(e){return"function"==typeof e&&/native code/.test(e.toString())}var ae,se="undefined"!=typeof Symbol&&oe(Symbol)&&"undefined"!=typeof Reflect&&oe(Reflect.ownKeys);ae="undefined"!=typeof Set&&oe(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var ce=E,le=0,ue=function(){this.id=le++,this.subs=[]};ue.prototype.addSub=function(e){this.subs.push(e)},ue.prototype.removeSub=function(e){y(this.subs,e)},ue.prototype.depend=function(){ue.target&&ue.target.addDep(this)},ue.prototype.notify=function(){var e=this.subs.slice();for(var t=0,n=e.length;t-1)if(o&&!b(i,"default"))a=!1;else if(""===a||a===$(e)){var c=We(String,i.type);(c<0||s0&&(ut((c=e(c,(n||"")+"_"+r))[0])&&ut(u)&&(d[l]=ge(u.text+c[0].text),c.shift()),d.push.apply(d,c)):s(c)?ut(u)?d[l]=ge(u.text+c):""!==c&&d.push(ge(c)):ut(c)&&ut(u)?d[l]=ge(u.text+c.text):(a(t._isVList)&&o(c.tag)&&i(c.key)&&o(n)&&(c.key="__vlist"+n+"_"+r+"__"),d.push(c)));return d}(e):void 0}function ut(e){return o(e)&&o(e.text)&&!1===e.isComment}function dt(e, t){if(e){for(var n=Object.create(null),r=se?Reflect.ownKeys(e):Object.keys(e),i=0; i0,a=e?!!e.$stable:!o,s=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(a&&n&&n!==r&&s===n.$key&&!o&&!n.$hasNormal)return n;for(var c in i={},e)e[c]&&"$"!==c[0]&&(i[c]=vt(t,c,e[c]))}else i={};for(var l in t)l in i||(i[l]=mt(t,l));return e&&Object.isExtensible(e)&&(e._normalized=i),W(i,"$stable",a),W(i,"$key",s),W(i,"$hasNormal",o),i}function vt(e, t, n){var r=function(){var e=arguments.length?n.apply(null,arguments):n({});return(e=e&&"object"==typeof e&&!Array.isArray(e)?[e]:lt(e))&&(0===e.length||1===e.length&&e[0].isComment)?void 0:e};return n.proxy&&Object.defineProperty(e,t,{get:r,enumerable:!0,configurable:!0}),r}function mt(e, t){return function(){return e[t]}}function gt(e, t){var n,r,i,a,s;if(Array.isArray(e)||"string"==typeof e)for(n=new Array(e.length),r=0,i=e.length; rdocument.createEvent("Event").timeStamp&&(cn=function(){return ln.now()})}function un(){var e,t;for(sn=cn(),on=!0,en.sort((function(e, t){return e.id-t.id})),an=0; anan&&en[n].id>e.id;)n--;en.splice(n+1,0,e)}else en.push(e);rn||(rn=!0,tt(un))}}(this)},fn.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||c(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){Be(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},fn.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},fn.prototype.depend=function(){for(var e=this.deps.length; e--;)this.deps[e].depend()},fn.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||y(this.vm._watchers,this);for(var e=this.deps.length; e--;)this.deps[e].removeSub(this);this.active=!1}};var pn={enumerable:!0,configurable:!0,get:E,set:E};function hn(e, t, n){pn.get=function(){return this[t][n]},pn.set=function(e){this[t][n]=e},Object.defineProperty(e,n,pn)}function vn(e){e._watchers=[];var t=e.$options;t.props&&function(e, t){var n=e.$options.propsData||{},r=e._props={},i=e.$options._propKeys=[];e.$parent&&xe(!1);var o=function(o){i.push(o);var a=Fe(o,t,n,e);$e(r,o,a),o in e||hn(e,"_props",o)};for(var a in t)o(a);xe(!0)}(e,t.props),t.methods&&function(e, t){e.$options.props;for(var n in t)e[n]="function"!=typeof t[n]?E:T(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;u(t=e._data="function"==typeof t?function(e, t){fe();try{return e.call(t,t)}catch(e){return Be(e,t,"data()"),{}}finally{pe()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,i=(e.$options.methods,n.length);for(; i--;){var o=n[i];0,r&&b(r,o)||(a=void 0,36!==(a=(o+"").charCodeAt(0))&&95!==a&&hn(e,"_data",o))}var a;Se(t,!0)}(e):Se(e._data={},!0),t.computed&&function(e, t){var n=e._computedWatchers=Object.create(null),r=re();for(var i in t){var o=t[i],a="function"==typeof o?o:o.get;0,r||(n[i]=new fn(e,a||E,E,mn)),i in e||gn(e,i,o)}}(e,t.computed),t.watch&&t.watch!==ee&&function(e, t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var i=0; i-1:"string"==typeof e?e.split(",").indexOf(t)>-1:!!d(e)&&e.test(t)}function Tn(e, t){var n=e.cache,r=e.keys,i=e._vnode;for(var o in n){var a=n[o];if(a){var s=Sn(a.componentOptions);s&&!t(s)&&On(n,o,r,i)}}}function On(e, t, n, r){var i=e[t];!i||r&&i.tag===r.tag||i.componentInstance.$destroy(),e[t]=null,y(n,t)}!function(e){e.prototype._init=function(e){var t=this;t._uid=wn++,t._isVue=!0,e&&e._isComponent?function(e, t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r;var i=r.componentOptions;n.propsData=i.propsData,n._parentListeners=i.listeners,n._renderChildren=i.children,n._componentTag=i.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(t,e):t.$options=Pe(Cn(t.constructor),e||{},t),t._renderProxy=t,t._self=t,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(; n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(t),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&&Kt(e,t)}(t),function(e){e._vnode=null,e._staticTrees=null;var t=e.$options,n=e.$vnode=t._parentVnode,i=n&&n.context;e.$slots=ft(t._renderChildren,i),e.$scopedSlots=r,e._c=function(t, n, r, i){return Ht(e,t,n,r,i,!1)},e.$createElement=function(t, n, r, i){return Ht(e,t,n,r,i,!0)};var o=n&&n.data;$e(e,"$attrs",o&&o.attrs||r,null,!0),$e(e,"$listeners",t._parentListeners||r,null,!0)}(t),Yt(t,"beforeCreate"),function(e){var t=dt(e.$options.inject,e);t&&(xe(!1),Object.keys(t).forEach((function(n){$e(e,n,t[n])})),xe(!0))}(t),vn(t),function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(t),Yt(t,"created"),t.$options.el&&t.$mount(t.$options.el)}}(xn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Te,e.prototype.$delete=Oe,e.prototype.$watch=function(e, t, n){if(u(t))return bn(this,e,t,n);(n=n||{}).user=!0;var r=new fn(this,e,t,n);if(n.immediate)try{t.call(this,r.value)}catch(e){Be(e,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(xn),function(e){var t=/^hook:/;e.prototype.$on=function(e, n){var r=this;if(Array.isArray(e))for(var i=0,o=e.length; i1?O(n):n;for(var r=O(arguments,1),i='event handler for "'+e+'"',o=0,a=n.length; oparseInt(this.max)&&On(a,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return H}};Object.defineProperty(e,"config",t),e.util={warn:ce,extend:k,mergeOptions:Pe,defineReactive:$e},e.set=Te,e.delete=Oe,e.nextTick=tt,e.observable=function(e){return Se(e),e},e.options=Object.create(null),L.forEach((function(t){e.options[t+"s"]=Object.create(null)})),e.options._base=e,k(e.options.components,In),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=O(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Pe(this.options,e),this}}(e),An(e),function(e){L.forEach((function(t){e[t]=function(e, n){return n?("component"===t&&u(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}}))}(e)}(xn),Object.defineProperty(xn.prototype,"$isServer",{get:re}),Object.defineProperty(xn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(xn,"FunctionalRenderContext",{value:jt}),xn.version="2.6.11";var En=m("style,class"),jn=m("input,textarea,option,select,progress"),Mn=m("contenteditable,draggable,spellcheck"),Nn=m("events,caret,typing,plaintext-only"),Dn=m("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),Pn="http://www.w3.org/1999/xlink",Ln=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Fn=function(e){return Ln(e)?e.slice(6,e.length):""},Hn=function(e){return null==e||!1===e};function Rn(e){for(var t=e.data,n=e,r=e; o(r.componentInstance);)(r=r.componentInstance._vnode)&&r.data&&(t=Wn(r.data,t));for(; o(n=n.parent);)n&&n.data&&(t=Wn(t,n.data));return function(e, t){if(o(e)||o(t))return Bn(e,Un(t));return""}(t.staticClass,t.class)}function Wn(e, t){return{staticClass:Bn(e.staticClass,t.staticClass),class:o(e.class)?[e.class,t.class]:t.class}}function Bn(e, t){return e?t?e+" "+t:e:t||""}function Un(e){return Array.isArray(e)?function(e){for(var t,n="",r=0,i=e.length; r-1?fr(e,t,n):Dn(t)?Hn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):Mn(t)?e.setAttribute(t,function(e, t){return Hn(t)||"false"===t?"false":"contenteditable"===e&&Nn(t)?t:"true"}(t,n)):Ln(t)?Hn(n)?e.removeAttributeNS(Pn,Fn(t)):e.setAttributeNS(Pn,t,n):fr(e,t,n)}function fr(e, t, n){if(Hn(n))e.removeAttribute(t);else{if(X&&!J&&"TEXTAREA"===e.tagName&&"placeholder"===t&&""!==n&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var pr={create:ur,update:ur};function hr(e, t){var n=t.elm,r=t.data,a=e.data;if(!(i(r.staticClass)&&i(r.class)&&(i(a)||i(a.staticClass)&&i(a.class)))){var s=Rn(t),c=n._transitionClasses;o(c)&&(s=Bn(s,Un(c))),s!==n._prevClass&&(n.setAttribute("class",s),n._prevClass=s)}}var vr,mr={create:hr,update:hr};function gr(e, t, n){var r=vr;return function i(){var o=t.apply(null,arguments);null!==o&&br(e,i,n,r)}}var yr=qe&&!(Y&&Number(Y[1])<=53);function _r(e, t, n, r){if(yr){var i=sn,o=t;t=o._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=i||e.timeStamp<=0||e.target.ownerDocument!==document)return o.apply(this,arguments)}}vr.addEventListener(e,t,te?{capture:n,passive:r}:n)}function br(e, t, n, r){(r||vr).removeEventListener(e,t._wrapper||t,n)}function wr(e, t){if(!i(e.data.on)||!i(t.data.on)){var n=t.data.on||{},r=e.data.on||{};vr=t.elm,function(e){if(o(e.__r)){var t=X?"change":"input";e[t]=[].concat(e.__r,e[t]||[]),delete e.__r}o(e.__c)&&(e.change=[].concat(e.__c,e.change||[]),delete e.__c)}(n),at(n,r,_r,br,gr,t.context),vr=void 0}}var Cr,xr={create:wr,update:wr};function Ar(e, t){if(!i(e.data.domProps)||!i(t.data.domProps)){var n,r,a=t.elm,s=e.data.domProps||{},c=t.data.domProps||{};for(n in o(c.__ob__)&&(c=t.data.domProps=k({},c)),s)n in c||(a[n]="");for(n in c){if(r=c[n],"textContent"===n||"innerHTML"===n){if(t.children&&(t.children.length=0),r===s[n])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===n&&"PROGRESS"!==a.tagName){a._value=r;var l=i(r)?"":String(r);Sr(a,l)&&(a.value=l)}else if("innerHTML"===n&&Gn(a.tagName)&&i(a.innerHTML)){(Cr=Cr||document.createElement("div")).innerHTML=""+r+"";for(var u=Cr.firstChild; a.firstChild;)a.removeChild(a.firstChild);for(; u.firstChild;)a.appendChild(u.firstChild)}else if(r!==s[n])try{a[n]=r}catch(e){}}}}function Sr(e, t){return!e.composing&&("OPTION"===e.tagName||function(e, t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e, t){var n=e.value,r=e._vModifiers;if(o(r)){if(r.number)return v(n)!==v(t);if(r.trim)return n.trim()!==t.trim()}return n!==t}(e,t))}var $r={create:Ar,update:Ar},Tr=w((function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach((function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}})),t}));function Or(e){var t=kr(e.style);return e.staticStyle?k(e.staticStyle,t):t}function kr(e){return Array.isArray(e)?I(e):"string"==typeof e?Tr(e):e}var Ir,Er=/^--/,jr=/\s*!important$/,Mr=function(e, t, n){if(Er.test(t))e.style.setProperty(t,n);else if(jr.test(n))e.style.setProperty($(t),n.replace(jr,""),"important");else{var r=Dr(t);if(Array.isArray(n))for(var i=0,o=n.length; i-1?t.split(Fr).forEach((function(t){return e.classList.add(t)})):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function Rr(e, t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(Fr).forEach((function(t){return e.classList.remove(t)})):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" "; n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function Wr(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&k(t,Br(e.name||"v")),k(t,e),t}return"string"==typeof e?Br(e):void 0}}var Br=w((function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}})),Ur=V&&!J,zr="transition",Vr="transitionend",Gr="animation",qr="animationend";Ur&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(zr="WebkitTransition",Vr="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Gr="WebkitAnimation",qr="webkitAnimationEnd"));var Kr=V?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function Xr(e){Kr((function(){Kr(e)}))}function Jr(e, t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),Hr(e,t))}function Zr(e, t){e._transitionClasses&&y(e._transitionClasses,t),Rr(e,t)}function Qr(e, t, n){var r=ei(e,t),i=r.type,o=r.timeout,a=r.propCount;if(!i)return n();var s="transition"===i?Vr:qr,c=0,l=function(){e.removeEventListener(s,u),n()},u=function(t){t.target===e&&++c>=a&&l()};setTimeout((function(){c0&&(n="transition",u=a,d=o.length):"animation"===t?l>0&&(n="animation",u=l,d=c.length):d=(n=(u=Math.max(a,l))>0?a>l?"transition":"animation":null)?"transition"===n?o.length:c.length:0,{type:n,timeout:u,propCount:d,hasTransform:"transition"===n&&Yr.test(r[zr+"Property"])}}function ti(e, t){for(; e.length1}function si(e, t){!0!==t.data.show&&ri(t)}var ci=function(e){var t,n,r={},c=e.modules,l=e.nodeOps;for(t=0; th?_(e,i(n[g+1])?null:n[g+1].elm,n,p,g,r):p>g&&w(t,f,h)}(f,m,g,n,u):o(g)?(o(e.text)&&l.setTextContent(f,""),_(f,null,g,0,g.length-1,n)):o(m)?w(m,0,m.length-1):o(e.text)&&l.setTextContent(f,""):e.text!==t.text&&l.setTextContent(f,t.text),o(h)&&o(p=h.hook)&&o(p=p.postpatch)&&p(e,t)}}}function S(e, t, n){if(a(n)&&o(e.parent))e.parent.data.pendingInsert=t;else for(var r=0; r-1,a.selected!==o&&(a.selected=o);else if(N(pi(a),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));i||(e.selectedIndex=-1)}}function fi(e, t){return t.every((function(t){return!N(t,e)}))}function pi(e){return"_value"in e?e._value:e.value}function hi(e){e.target.composing=!0}function vi(e){e.target.composing&&(e.target.composing=!1,mi(e.target,"input"))}function mi(e, t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function gi(e){return!e.componentInstance||e.data&&e.data.transition?e:gi(e.componentInstance._vnode)}var yi={model:li,show:{bind:function(e, t, n){var r=t.value,i=(n=gi(n)).data&&n.data.transition,o=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&i?(n.data.show=!0,ri(n,(function(){e.style.display=o}))):e.style.display=r?o:"none"},update:function(e, t, n){var r=t.value;!r!=!t.oldValue&&((n=gi(n)).data&&n.data.transition?(n.data.show=!0,r?ri(n,(function(){e.style.display=e.__vOriginalDisplay})):ii(n,(function(){e.style.display="none"}))):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e, t, n, r, i){i||(e.style.display=e.__vOriginalDisplay)}}},_i={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function bi(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?bi(zt(t.children)):e}function wi(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var i=n._parentListeners;for(var o in i)t[x(o)]=i[o];return t}function Ci(e, t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var xi=function(e){return e.tag||Ut(e)},Ai=function(e){return"show"===e.name},Si={name:"transition",props:_i,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(xi)).length){0;var r=this.mode;0;var i=n[0];if(function(e){for(; e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return i;var o=bi(i);if(!o)return i;if(this._leaving)return Ci(e,i);var a="__transition-"+this._uid+"-";o.key=null==o.key?o.isComment?a+"comment":a+o.tag:s(o.key)?0===String(o.key).indexOf(a)?o.key:a+o.key:o.key;var c=(o.data||(o.data={})).transition=wi(this),l=this._vnode,u=bi(l);if(o.data.directives&&o.data.directives.some(Ai)&&(o.data.show=!0),u&&u.data&&!function(e, t){return t.key===e.key&&t.tag===e.tag}(o,u)&&!Ut(u)&&(!u.componentInstance||!u.componentInstance._vnode.isComment)){var d=u.data.transition=k({},c);if("out-in"===r)return this._leaving=!0,st(d,"afterLeave",(function(){t._leaving=!1,t.$forceUpdate()})),Ci(e,i);if("in-out"===r){if(Ut(o))return l;var f,p=function(){f()};st(c,"afterEnter",p),st(c,"enterCancelled",p),st(d,"delayLeave",(function(e){f=e}))}}return i}}},$i=k({tag:String,moveClass:String},_i);function Ti(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function Oi(e){e.data.newPos=e.elm.getBoundingClientRect()}function ki(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,i=t.top-n.top;if(r||i){e.data.moved=!0;var o=e.elm.style;o.transform=o.WebkitTransform="translate("+r+"px,"+i+"px)",o.transitionDuration="0s"}}delete $i.mode;var Ii={Transition:Si,TransitionGroup:{props:$i,beforeMount:function(){var e=this,t=this._update;this._update=function(n, r){var i=Jt(e);e.__patch__(e._vnode,e.kept,!1,!0),e._vnode=e.kept,i(),t.call(e,n,r)}},render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,i=this.$slots.default||[],o=this.children=[],a=wi(this),s=0; s-1?Kn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Kn[e]=/HTMLUnknownElement/.test(t.toString())},k(xn.options.directives,yi),k(xn.options.components,Ii),xn.prototype.__patch__=V?ci:E,xn.prototype.$mount=function(e, t){return function(e, t, n){var r;return e.$el=t,e.$options.render||(e.$options.render=me),Yt(e,"beforeMount"),r=function(){e._update(e._render(),n)},new fn(e,r,E,{before:function(){e._isMounted&&!e._isDestroyed&&Yt(e,"beforeUpdate")}},!0),n=!1,null==e.$vnode&&(e._isMounted=!0,Yt(e,"mounted")),e}(this,e=e&&V?function(e){if("string"==typeof e){var t=document.querySelector(e);return t||document.createElement("div")}return e}(e):void 0,t)},V&&setTimeout((function(){H.devtools&&ie&&ie.emit("init",xn)}),0),t.a=xn}).call(this,n(1),n(2).setImmediate)},function(e, t){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e, t, n){(function(e){var r=void 0!==e&&e||"undefined"!=typeof self&&self||window,i=Function.prototype.apply;function o(e, t){this._id=e,this._clearFn=t}t.setTimeout=function(){return new o(i.call(setTimeout,r,arguments),clearTimeout)},t.setInterval=function(){return new o(i.call(setInterval,r,arguments),clearInterval)},t.clearTimeout=t.clearInterval=function(e){e&&e.close()},o.prototype.unref=o.prototype.ref=function(){},o.prototype.close=function(){this._clearFn.call(r,this._id)},t.enroll=function(e, t){clearTimeout(e._idleTimeoutId),e._idleTimeout=t},t.unenroll=function(e){clearTimeout(e._idleTimeoutId),e._idleTimeout=-1},t._unrefActive=t.active=function(e){clearTimeout(e._idleTimeoutId);var t=e._idleTimeout;t>=0&&(e._idleTimeoutId=setTimeout((function(){e._onTimeout&&e._onTimeout()}),t))},n(3),t.setImmediate="undefined"!=typeof self&&self.setImmediate||void 0!==e&&e.setImmediate||this&&this.setImmediate,t.clearImmediate="undefined"!=typeof self&&self.clearImmediate||void 0!==e&&e.clearImmediate||this&&this.clearImmediate}).call(this,n(1))},function(e, t, n){(function(e, t){!function(e, n){"use strict";if(!e.setImmediate){var r,i,o,a,s,c=1,l={},u=!1,d=e.document,f=Object.getPrototypeOf&&Object.getPrototypeOf(e);f=f&&f.setTimeout?f:e,"[object process]"==={}.toString.call(e.process)?r=function(e){t.nextTick((function(){h(e)}))}:!function(){if(e.postMessage&&!e.importScripts){var t=!0,n=e.onmessage;return e.onmessage=function(){t=!1},e.postMessage("","*"),e.onmessage=n,t}}()?e.MessageChannel?((o=new MessageChannel).port1.onmessage=function(e){h(e.data)},r=function(e){o.port2.postMessage(e)}):d&&"onreadystatechange"in d.createElement("script")?(i=d.documentElement,r=function(e){var t=d.createElement("script");t.onreadystatechange=function(){h(e),t.onreadystatechange=null,i.removeChild(t),t=null},i.appendChild(t)}):r=function(e){setTimeout(h,0,e)}:(a="setImmediate$"+Math.random()+"$",s=function(t){t.source===e&&"string"==typeof t.data&&0===t.data.indexOf(a)&&h(+t.data.slice(a.length))},e.addEventListener?e.addEventListener("message",s,!1):e.attachEvent("onmessage",s),r=function(t){e.postMessage(a+t,"*")}),f.setImmediate=function(e){"function"!=typeof e&&(e=new Function(""+e));for(var t=new Array(arguments.length-1),n=0; n1)for(var n=1; n1},style:{color:e.modeColor}},[e._v(e._s(e.modePrefix))]),e._v(" "),n("textarea",{directives:[{name:"model",rawName:"v-model",value:e.message,expression:"message"}],ref:"input",attrs:{type:"text",autofocus:"",spellcheck:"false",rows:"1"},domProps:{value:e.message},on:{keyup:[function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"esc",27,t.key,["Esc","Escape"])?null:e.hideInput(t)},e.keyUp],keydown:e.keyDown,keypress:function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"enter",13,t.key,"Enter")?null:(t.preventDefault(),e.send(t))},input:function(t){t.target.composing||(e.message=t.target.value)}}})]),e._v(" "),n("suggestions",{attrs:{message:e.message,suggestions:e.suggestions}}),e._v(" "),n("div",{directives:[{name:"show",rawName:"v-show",value:e.showHideState,expression:"showHideState"}],staticClass:"chat-hide-state"},[e._v("\n "+e._s(e.hideStateString)+"\n ")])],1)])};function o(e, t){var n=new XMLHttpRequest;n.open("POST",e,!0),n.setRequestHeader("Content-Type","application/json; charset=UTF-8"),n.send(t)}function a(e, t={}){const n=Object.assign({type:e},t);window.dispatchEvent(new CustomEvent("message",{detail:n}))}i._withStripped=!0,window.emulate=a,window.demo=()=>{a("ON_MESSAGE",{message:{args:["me","hello!"]}}),a("ON_SCREEN_STATE_CHANGE",{shouldHide:!1})};var s={defaultTemplateId:"default",defaultAltTemplateId:"defaultAlt",templates:{default:"{0}: {1}",defaultAlt:"{0}",print:"
{0}
","example:important":"

^2{0}

"},fadeTimeout:7e3,suggestionLimit:5,style:{background:"rgba(52, 73, 94, 0.7)",width:"38vw",height:"22%"}},c=function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{directives:[{name:"show",rawName:"v-show",value:e.currentSuggestions.length>0,expression:"currentSuggestions.length > 0"}],staticClass:"suggestions-wrap"},[n("ul",{staticClass:"suggestions"},e._l(e.currentSuggestions,(function(t){return n("li",{key:t.name,staticClass:"suggestion"},[n("p",[n("span",{class:{disabled:t.disabled}},[e._v("\n "+e._s(t.name)+"\n ")]),e._v(" "),e._l(t.params,(function(t){return n("span",{key:t.name,staticClass:"param",class:{disabled:t.disabled}},[e._v("\n ["+e._s(t.name)+"]\n ")])}))],2),e._v(" "),n("small",{staticClass:"help"},[t.disabled?e._e():[e._v("\n "+e._s(t.help)+"\n ")],e._v(" "),e._l(t.params,(function(t){return t.disabled?e._e():[e._v("\n "+e._s(t.help)+"\n ")]}))],2)])})),0)])};function l(e, t, n, r, i, o, a, s){var c,l="function"==typeof e?e.options:e;if(t&&(l.render=t,l.staticRenderFns=n,l._compiled=!0),r&&(l.functional=!0),o&&(l._scopeId="data-v-"+o),a?(c=function(e){(e=e||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)||"undefined"==typeof __VUE_SSR_CONTEXT__||(e=__VUE_SSR_CONTEXT__),i&&i.call(this,e),e&&e._registeredComponents&&e._registeredComponents.add(a)},l._ssrRegister=c):i&&(c=s?function(){i.call(this,this.$root.$options.shadowRoot)}:i),c)if(l.functional){l._injectStyles=c;var u=l.render;l.render=function(e, t){return c.call(t),u(e,t)}}else{var d=l.beforeCreate;l.beforeCreate=d?[].concat(d,c):[c]}return{exports:e,options:l}}c._withStripped=!0;var u=l(r.a.component("suggestions",{props:{message:{type:String},suggestions:{type:Array}},data:()=>({}),computed:{currentSuggestions(){if(""===this.message)return[];const e=this.suggestions.filter(e=>{if(!e.name.startsWith(this.message)){const t=e.name.split(" "),n=this.message.split(" ");for(let r=0; r=t.length)return r{e.disabled=!e.name.startsWith(this.message),e.params.forEach((t, n)=>{const r=n===e.params.length-1?".":"\\S",i=new RegExp(`${e.name} (?:\\w+ ){${n}}(?:${r}*)$`,"g");t.disabled=null==this.message.match(i)})}),e}},methods:{}}),c,[],!1,null,null,null);u.options.__file="html/Suggestions.vue";var d=u.exports,f=function(){var e=this.$createElement,t=this._self._c||e;return t("div",{staticClass:"msg",class:{multiline:this.multiline}},[t("span",{domProps:{innerHTML:this._s(this.textEscaped)}})])};f._withStripped=!0;var p=l(r.a.component("message",{data:()=>({}),computed:{textEscaped(){let e=this.template?this.template:this.templates[this.templateId];return this.template||this.templateId!=s.defaultTemplateId||1!=this.args.length||(e=this.templates[s.defaultAltTemplateId]),e=e.replace("@default",this.templates[this.templateId]),e=e.replace(/{(\d+)}/g,(e, t)=>{const n=null!=this.args[t]?this.escape(this.args[t]):e;return 0==t&&this.color?this.colorizeOld(n):n}),e=e.replace(/\{\{([a-zA-Z0-9_\-]+?)\}\}/g,(e, t)=>null!=this.params[t]?this.escape(this.params[t]):e),this.colorize(e)}},methods:{colorizeOld(e){return`${e}`},colorize(e){let t=""+function(e){return e.replace(/\^([0-9])/g,(e, t)=>``).replace(/\^#([0-9A-F]{3,6})/gi,(e, t)=>``).replace(/~([a-z])~/g,(e, t)=>``)}(e)+"";const n={"*":"font-weight: bold;",_:"text-decoration: underline;","~":"text-decoration: line-through;","=":"text-decoration: underline line-through;",r:"text-decoration: none;font-weight: normal;"},r=/\^(\_|\*|\=|\~|\/|r)(.*?)(?=$|\^r|<\/em>)/;for(; t.match(r);)t=t.replace(r,(e, t, r)=>`${r}`);return t.replace(/]*><\/span[^>]*>/g,"")},escape: e=>String(e).replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'")},props:{templates:{type:Object},args:{type:Array},params:{type:Object},template:{type:String,default:null},templateId:{type:String,default:s.defaultTemplateId},multiline:{type:Boolean,default:!1},color:{type:Array,default:null}}}),f,[],!1,null,null,null);p.options.__file="html/Message.vue";var h,v=p.exports;!function(e){e[e.ShowWhenActive=0]="ShowWhenActive",e[e.AlwaysShow=1]="AlwaysShow",e[e.AlwaysHide=2]="AlwaysHide"}(h||(h={}));const m={name:"all",displayName:"All",color:"#fff"},g={name:"_global",displayName:"All",color:"#fff",isGlobal:!0,hidden:!0};var y=l(r.a.extend({template:"#app_template",name:"app",components:{Suggestions:d,MessageV:v},data:()=>({style:s.style,showInput:!1,showWindow:!1,showHideState:!1,hideState:h.ShowWhenActive,backingSuggestions:[],removedSuggestions:[],templates:Object.assign({},s.templates),message:"",messages:[],oldMessages:[],oldMessagesIndex:-1,tplBackups:[],msgTplBackups:[],focusTimer:0,showWindowTimer:0,showHideStateTimer:0,listener: e=>{},modes:[m,g],modeIdx:0}),destroyed(){clearInterval(this.focusTimer),window.removeEventListener("message",this.listener)},mounted(){o("http://chat/loaded",JSON.stringify({})),this.listener= e=>{const t=e.data||e.detail;if(!t||!t.type)return;const n=t.type;this[n]&&this[n](t)},window.addEventListener("message",this.listener)},watch:{messages(){this.hideState!==h.AlwaysHide&&(this.showWindowTimer&&clearTimeout(this.showWindowTimer),this.showWindow=!0,this.resetShowWindowTimer());const e=this.$refs.messages;this.$nextTick(()=>{e.scrollTop=e.scrollHeight})}},computed:{filteredMessages(){return this.messages.filter(e=>{var t,n;return!((null===(t=e.modeData)||void 0===t?void 0:t.isChannel)||this.modes[this.modeIdx].isChannel)||(e.mode===this.modes[this.modeIdx].name||(null===(n=e.modeData)||void 0===n?void 0:n.isGlobal))})},suggestions(){return this.backingSuggestions.filter(e=>this.removedSuggestions.indexOf(e.name)<=-1)},hideAnimated(){return this.hideState!==h.AlwaysHide},modeIdxGet(){return this.modeIdx>=this.modes.length?this.modes.length-1:this.modeIdx},modePrefix(){return 2===this.modes.length?"➤":this.modes[this.modeIdxGet].displayName},modeColor(){return this.modes[this.modeIdxGet].color},hideStateString(){switch(this.hideState){case h.AlwaysShow:return"Visible";case h.AlwaysHide:return"Hidden";case h.ShowWhenActive:return"When active"}}},methods:{ON_SCREEN_STATE_CHANGE({hideState:e,fromUserInteraction:t}){this.hideState=e,this.hideState===h.AlwaysHide?this.showInput||(this.showWindow=!1):this.hideState===h.AlwaysShow?(this.showWindow=!0,this.showWindowTimer&&clearTimeout(this.showWindowTimer)):this.resetShowWindowTimer(),t&&(this.showHideState=!0,this.showHideStateTimer&&clearTimeout(this.showHideStateTimer),this.showHideStateTimer=window.setTimeout(()=>{this.showHideState=!1},1500))},ON_OPEN(){this.showInput=!0,this.showWindow=!0,this.showWindowTimer&&clearTimeout(this.showWindowTimer),this.focusTimer=window.setInterval(()=>{this.$refs.input?this.$refs.input.focus():clearInterval(this.focusTimer)},100)},ON_MESSAGE({message:e}){e.id=`${(new Date).getTime()}${Math.random()}`,e.modeData=this.modes.find(t=>t.name===e.mode),this.messages.push(e)},ON_CLEAR(){this.messages=[],this.oldMessages=[],this.oldMessagesIndex=-1},ON_SUGGESTION_ADD({suggestion:e}){this.removedSuggestions=this.removedSuggestions.filter(t=>t!==e.name);const t=this.backingSuggestions.find(t=>t.name==e.name);t?(e.help||e.params)&&(t.help=e.help||"",t.params=e.params||[]):(e.params||(e.params=[]),this.backingSuggestions.push(e))},ON_SUGGESTION_REMOVE({name:e}){this.removedSuggestions.indexOf(e)<=-1&&this.removedSuggestions.push(e)},ON_MODE_ADD({mode:e}){this.modes=[...this.modes.filter(t=>t.name!==e.name),e]},ON_MODE_REMOVE({name:e}){this.modes=this.modes.filter(t=>t.name!==e),0===this.modes.length&&(this.modes=[m])},ON_TEMPLATE_ADD({template:e}){this.templates[e.id]?this.warn(`Tried to add duplicate template '${e.id}'`):this.templates[e.id]=e.html},ON_UPDATE_THEMES({themes:e}){this.removeThemes(),this.setThemes(e)},removeThemes(){var e;for(let t=0; tCHAT-WARN: ^0{0}"})},clearShowWindowTimer(){clearTimeout(this.showWindowTimer)},resetShowWindowTimer(){this.clearShowWindowTimer(),this.showWindowTimer=window.setTimeout(()=>{this.hideState===h.AlwaysShow||this.showInput||(this.showWindow=!1)},s.fadeTimeout)},keyUp(){this.resize()},keyDown(e){if(38===e.which||40===e.which)e.preventDefault(),this.moveOldMessageIndex(38===e.which);else if(33==e.which){(t=document.getElementsByClassName("chat-messages")[0]).scrollTop=t.scrollTop-100}else if(34==e.which){var t;(t=document.getElementsByClassName("chat-messages")[0]).scrollTop=t.scrollTop+100}else if(9===e.which){if(e.shiftKey||e.altKey)do{--this.modeIdx,this.modeIdx<0&&(this.modeIdx=this.modes.length-1)}while(this.modes[this.modeIdx].hidden);else do{this.modeIdx=(this.modeIdx+1)%this.modes.length}while(this.modes[this.modeIdx].hidden);const t=document.getElementsByClassName("chat-messages")[0];setTimeout(()=>t.scrollTop=t.scrollHeight,0)}this.resize()},moveOldMessageIndex(e){e&&this.oldMessages.length>this.oldMessagesIndex+1?(this.oldMessagesIndex+=1,this.message=this.oldMessages[this.oldMessagesIndex]):!e&&this.oldMessagesIndex-1>=0?(this.oldMessagesIndex-=1,this.message=this.oldMessages[this.oldMessagesIndex]):e||this.oldMessagesIndex-1!=-1||(this.oldMessagesIndex=-1,this.message="")},resize(){const e=this.$refs.input,t=getComputedStyle(e),n=parseFloat(t.paddingBottom)+parseFloat(t.paddingTop);e.style.height="5px",e.style.height=`${e.scrollHeight-n}px`},send(){""!==this.message?(o("http://chat/chatResult",JSON.stringify({message:this.message,mode:this.modes[this.modeIdxGet].name})),this.oldMessages.unshift(this.message),this.oldMessagesIndex=-1,this.hideInput()):this.hideInput(!0)},hideInput(e=!1){setTimeout(()=>{delete this.$refs.input.style.height},50),e&&o("http://chat/chatResult",JSON.stringify({canceled:e})),this.message="",this.showInput=!1,clearInterval(this.focusTimer),this.hideState!==h.AlwaysHide?this.resetShowWindowTimer():this.showWindow=!1}}}),i,[],!1,null,null,null);y.options.__file="html/App.vue";var _=y.exports;new r.a({el:"#app",render: e=>e(_)})}]); +var r=Object.freeze({});function i(e){return null==e}function o(e){return null!=e}function a(e){return!0===e}function s(e){return"string"==typeof e||"number"==typeof e||"symbol"==typeof e||"boolean"==typeof e}function c(e){return null!==e&&"object"==typeof e}var l=Object.prototype.toString;function u(e){return"[object Object]"===l.call(e)}function d(e){return"[object RegExp]"===l.call(e)}function f(e){var t=parseFloat(String(e));return t>=0&&Math.floor(t)===t&&isFinite(e)}function p(e){return o(e)&&"function"==typeof e.then&&"function"==typeof e.catch}function h(e){return null==e?"":Array.isArray(e)||u(e)&&e.toString===l?JSON.stringify(e,null,2):String(e)}function v(e){var t=parseFloat(e);return isNaN(t)?e:t}function m(e,t){for(var n=Object.create(null),r=e.split(","),i=0;i-1)return e.splice(n,1)}}var _=Object.prototype.hasOwnProperty;function b(e,t){return _.call(e,t)}function w(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var C=/-(\w)/g,x=w((function(e){return e.replace(C,(function(e,t){return t?t.toUpperCase():""}))})),A=w((function(e){return e.charAt(0).toUpperCase()+e.slice(1)})),S=/\B([A-Z])/g,$=w((function(e){return e.replace(S,"-$1").toLowerCase()}));var T=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function O(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function k(e,t){for(var n in t)e[n]=t[n];return e}function I(e){for(var t={},n=0;n0,Z=K&&K.indexOf("edge/")>0,Q=(K&&K.indexOf("android"),K&&/iphone|ipad|ipod|ios/.test(K)||"ios"===q),Y=(K&&/chrome\/\d+/.test(K),K&&/phantomjs/.test(K),K&&K.match(/firefox\/(\d+)/)),ee={}.watch,te=!1;if(V)try{var ne={};Object.defineProperty(ne,"passive",{get:function(){te=!0}}),window.addEventListener("test-passive",null,ne)}catch(e){}var re=function(){return void 0===U&&(U=!V&&!G&&void 0!==e&&(e.process&&"server"===e.process.env.VUE_ENV)),U},ie=V&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function oe(e){return"function"==typeof e&&/native code/.test(e.toString())}var ae,se="undefined"!=typeof Symbol&&oe(Symbol)&&"undefined"!=typeof Reflect&&oe(Reflect.ownKeys);ae="undefined"!=typeof Set&&oe(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var ce=E,le=0,ue=function(){this.id=le++,this.subs=[]};ue.prototype.addSub=function(e){this.subs.push(e)},ue.prototype.removeSub=function(e){y(this.subs,e)},ue.prototype.depend=function(){ue.target&&ue.target.addDep(this)},ue.prototype.notify=function(){var e=this.subs.slice();for(var t=0,n=e.length;t-1)if(o&&!b(i,"default"))a=!1;else if(""===a||a===$(e)){var c=We(String,i.type);(c<0||s0&&(ut((c=e(c,(n||"")+"_"+r))[0])&&ut(u)&&(d[l]=ge(u.text+c[0].text),c.shift()),d.push.apply(d,c)):s(c)?ut(u)?d[l]=ge(u.text+c):""!==c&&d.push(ge(c)):ut(c)&&ut(u)?d[l]=ge(u.text+c.text):(a(t._isVList)&&o(c.tag)&&i(c.key)&&o(n)&&(c.key="__vlist"+n+"_"+r+"__"),d.push(c)));return d}(e):void 0}function ut(e){return o(e)&&o(e.text)&&!1===e.isComment}function dt(e, t){if(e){for(var n=Object.create(null),r=se?Reflect.ownKeys(e):Object.keys(e),i=0; i0,a=e?!!e.$stable:!o,s=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(a&&n&&n!==r&&s===n.$key&&!o&&!n.$hasNormal)return n;for(var c in i={},e)e[c]&&"$"!==c[0]&&(i[c]=vt(t,c,e[c]))}else i={};for(var l in t)l in i||(i[l]=mt(t,l));return e&&Object.isExtensible(e)&&(e._normalized=i),W(i,"$stable",a),W(i,"$key",s),W(i,"$hasNormal",o),i}function vt(e, t, n){var r=function(){var e=arguments.length?n.apply(null,arguments):n({});return(e=e&&"object"==typeof e&&!Array.isArray(e)?[e]:lt(e))&&(0===e.length||1===e.length&&e[0].isComment)?void 0:e};return n.proxy&&Object.defineProperty(e,t,{get:r,enumerable:!0,configurable:!0}),r}function mt(e, t){return function(){return e[t]}}function gt(e, t){var n,r,i,a,s;if(Array.isArray(e)||"string"==typeof e)for(n=new Array(e.length),r=0,i=e.length; rdocument.createEvent("Event").timeStamp&&(cn=function(){return ln.now()})}function un(){var e,t;for(sn=cn(),on=!0,en.sort((function(e, t){return e.id-t.id})),an=0; anan&&en[n].id>e.id;)n--;en.splice(n+1,0,e)}else en.push(e);rn||(rn=!0,tt(un))}}(this)},fn.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||c(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){Be(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},fn.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},fn.prototype.depend=function(){for(var e=this.deps.length; e--;)this.deps[e].depend()},fn.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||y(this.vm._watchers,this);for(var e=this.deps.length; e--;)this.deps[e].removeSub(this);this.active=!1}};var pn={enumerable:!0,configurable:!0,get:E,set:E};function hn(e, t, n){pn.get=function(){return this[t][n]},pn.set=function(e){this[t][n]=e},Object.defineProperty(e,n,pn)}function vn(e){e._watchers=[];var t=e.$options;t.props&&function(e, t){var n=e.$options.propsData||{},r=e._props={},i=e.$options._propKeys=[];e.$parent&&xe(!1);var o=function(o){i.push(o);var a=Fe(o,t,n,e);$e(r,o,a),o in e||hn(e,"_props",o)};for(var a in t)o(a);xe(!0)}(e,t.props),t.methods&&function(e, t){e.$options.props;for(var n in t)e[n]="function"!=typeof t[n]?E:T(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;u(t=e._data="function"==typeof t?function(e, t){fe();try{return e.call(t,t)}catch(e){return Be(e,t,"data()"),{}}finally{pe()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,i=(e.$options.methods,n.length);for(; i--;){var o=n[i];0,r&&b(r,o)||(a=void 0,36!==(a=(o+"").charCodeAt(0))&&95!==a&&hn(e,"_data",o))}var a;Se(t,!0)}(e):Se(e._data={},!0),t.computed&&function(e, t){var n=e._computedWatchers=Object.create(null),r=re();for(var i in t){var o=t[i],a="function"==typeof o?o:o.get;0,r||(n[i]=new fn(e,a||E,E,mn)),i in e||gn(e,i,o)}}(e,t.computed),t.watch&&t.watch!==ee&&function(e, t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var i=0; i-1:"string"==typeof e?e.split(",").indexOf(t)>-1:!!d(e)&&e.test(t)}function Tn(e, t){var n=e.cache,r=e.keys,i=e._vnode;for(var o in n){var a=n[o];if(a){var s=Sn(a.componentOptions);s&&!t(s)&&On(n,o,r,i)}}}function On(e, t, n, r){var i=e[t];!i||r&&i.tag===r.tag||i.componentInstance.$destroy(),e[t]=null,y(n,t)}!function(e){e.prototype._init=function(e){var t=this;t._uid=wn++,t._isVue=!0,e&&e._isComponent?function(e, t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r;var i=r.componentOptions;n.propsData=i.propsData,n._parentListeners=i.listeners,n._renderChildren=i.children,n._componentTag=i.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(t,e):t.$options=Pe(Cn(t.constructor),e||{},t),t._renderProxy=t,t._self=t,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(; n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(t),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&&Kt(e,t)}(t),function(e){e._vnode=null,e._staticTrees=null;var t=e.$options,n=e.$vnode=t._parentVnode,i=n&&n.context;e.$slots=ft(t._renderChildren,i),e.$scopedSlots=r,e._c=function(t, n, r, i){return Ht(e,t,n,r,i,!1)},e.$createElement=function(t, n, r, i){return Ht(e,t,n,r,i,!0)};var o=n&&n.data;$e(e,"$attrs",o&&o.attrs||r,null,!0),$e(e,"$listeners",t._parentListeners||r,null,!0)}(t),Yt(t,"beforeCreate"),function(e){var t=dt(e.$options.inject,e);t&&(xe(!1),Object.keys(t).forEach((function(n){$e(e,n,t[n])})),xe(!0))}(t),vn(t),function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(t),Yt(t,"created"),t.$options.el&&t.$mount(t.$options.el)}}(xn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Te,e.prototype.$delete=Oe,e.prototype.$watch=function(e, t, n){if(u(t))return bn(this,e,t,n);(n=n||{}).user=!0;var r=new fn(this,e,t,n);if(n.immediate)try{t.call(this,r.value)}catch(e){Be(e,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(xn),function(e){var t=/^hook:/;e.prototype.$on=function(e, n){var r=this;if(Array.isArray(e))for(var i=0,o=e.length; i1?O(n):n;for(var r=O(arguments,1),i='event handler for "'+e+'"',o=0,a=n.length; oparseInt(this.max)&&On(a,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return H}};Object.defineProperty(e,"config",t),e.util={warn:ce,extend:k,mergeOptions:Pe,defineReactive:$e},e.set=Te,e.delete=Oe,e.nextTick=tt,e.observable=function(e){return Se(e),e},e.options=Object.create(null),L.forEach((function(t){e.options[t+"s"]=Object.create(null)})),e.options._base=e,k(e.options.components,In),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=O(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Pe(this.options,e),this}}(e),An(e),function(e){L.forEach((function(t){e[t]=function(e, n){return n?("component"===t&&u(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}}))}(e)}(xn),Object.defineProperty(xn.prototype,"$isServer",{get:re}),Object.defineProperty(xn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(xn,"FunctionalRenderContext",{value:jt}),xn.version="2.6.11";var En=m("style,class"),jn=m("input,textarea,option,select,progress"),Mn=m("contenteditable,draggable,spellcheck"),Nn=m("events,caret,typing,plaintext-only"),Dn=m("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),Pn="http://www.w3.org/1999/xlink",Ln=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Fn=function(e){return Ln(e)?e.slice(6,e.length):""},Hn=function(e){return null==e||!1===e};function Rn(e){for(var t=e.data,n=e,r=e; o(r.componentInstance);)(r=r.componentInstance._vnode)&&r.data&&(t=Wn(r.data,t));for(; o(n=n.parent);)n&&n.data&&(t=Wn(t,n.data));return function(e, t){if(o(e)||o(t))return Bn(e,Un(t));return""}(t.staticClass,t.class)}function Wn(e, t){return{staticClass:Bn(e.staticClass,t.staticClass),class:o(e.class)?[e.class,t.class]:t.class}}function Bn(e, t){return e?t?e+" "+t:e:t||""}function Un(e){return Array.isArray(e)?function(e){for(var t,n="",r=0,i=e.length; r-1?fr(e,t,n):Dn(t)?Hn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):Mn(t)?e.setAttribute(t,function(e, t){return Hn(t)||"false"===t?"false":"contenteditable"===e&&Nn(t)?t:"true"}(t,n)):Ln(t)?Hn(n)?e.removeAttributeNS(Pn,Fn(t)):e.setAttributeNS(Pn,t,n):fr(e,t,n)}function fr(e, t, n){if(Hn(n))e.removeAttribute(t);else{if(X&&!J&&"TEXTAREA"===e.tagName&&"placeholder"===t&&""!==n&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var pr={create:ur,update:ur};function hr(e, t){var n=t.elm,r=t.data,a=e.data;if(!(i(r.staticClass)&&i(r.class)&&(i(a)||i(a.staticClass)&&i(a.class)))){var s=Rn(t),c=n._transitionClasses;o(c)&&(s=Bn(s,Un(c))),s!==n._prevClass&&(n.setAttribute("class",s),n._prevClass=s)}}var vr,mr={create:hr,update:hr};function gr(e, t, n){var r=vr;return function i(){var o=t.apply(null,arguments);null!==o&&br(e,i,n,r)}}var yr=qe&&!(Y&&Number(Y[1])<=53);function _r(e, t, n, r){if(yr){var i=sn,o=t;t=o._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=i||e.timeStamp<=0||e.target.ownerDocument!==document)return o.apply(this,arguments)}}vr.addEventListener(e,t,te?{capture:n,passive:r}:n)}function br(e, t, n, r){(r||vr).removeEventListener(e,t._wrapper||t,n)}function wr(e, t){if(!i(e.data.on)||!i(t.data.on)){var n=t.data.on||{},r=e.data.on||{};vr=t.elm,function(e){if(o(e.__r)){var t=X?"change":"input";e[t]=[].concat(e.__r,e[t]||[]),delete e.__r}o(e.__c)&&(e.change=[].concat(e.__c,e.change||[]),delete e.__c)}(n),at(n,r,_r,br,gr,t.context),vr=void 0}}var Cr,xr={create:wr,update:wr};function Ar(e, t){if(!i(e.data.domProps)||!i(t.data.domProps)){var n,r,a=t.elm,s=e.data.domProps||{},c=t.data.domProps||{};for(n in o(c.__ob__)&&(c=t.data.domProps=k({},c)),s)n in c||(a[n]="");for(n in c){if(r=c[n],"textContent"===n||"innerHTML"===n){if(t.children&&(t.children.length=0),r===s[n])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===n&&"PROGRESS"!==a.tagName){a._value=r;var l=i(r)?"":String(r);Sr(a,l)&&(a.value=l)}else if("innerHTML"===n&&Gn(a.tagName)&&i(a.innerHTML)){(Cr=Cr||document.createElement("div")).innerHTML=""+r+"";for(var u=Cr.firstChild; a.firstChild;)a.removeChild(a.firstChild);for(; u.firstChild;)a.appendChild(u.firstChild)}else if(r!==s[n])try{a[n]=r}catch(e){}}}}function Sr(e, t){return!e.composing&&("OPTION"===e.tagName||function(e, t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e, t){var n=e.value,r=e._vModifiers;if(o(r)){if(r.number)return v(n)!==v(t);if(r.trim)return n.trim()!==t.trim()}return n!==t}(e,t))}var $r={create:Ar,update:Ar},Tr=w((function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach((function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}})),t}));function Or(e){var t=kr(e.style);return e.staticStyle?k(e.staticStyle,t):t}function kr(e){return Array.isArray(e)?I(e):"string"==typeof e?Tr(e):e}var Ir,Er=/^--/,jr=/\s*!important$/,Mr=function(e, t, n){if(Er.test(t))e.style.setProperty(t,n);else if(jr.test(n))e.style.setProperty($(t),n.replace(jr,""),"important");else{var r=Dr(t);if(Array.isArray(n))for(var i=0,o=n.length; i-1?t.split(Fr).forEach((function(t){return e.classList.add(t)})):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function Rr(e, t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(Fr).forEach((function(t){return e.classList.remove(t)})):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" "; n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function Wr(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&k(t,Br(e.name||"v")),k(t,e),t}return"string"==typeof e?Br(e):void 0}}var Br=w((function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}})),Ur=V&&!J,zr="transition",Vr="transitionend",Gr="animation",qr="animationend";Ur&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(zr="WebkitTransition",Vr="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Gr="WebkitAnimation",qr="webkitAnimationEnd"));var Kr=V?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function Xr(e){Kr((function(){Kr(e)}))}function Jr(e, t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),Hr(e,t))}function Zr(e, t){e._transitionClasses&&y(e._transitionClasses,t),Rr(e,t)}function Qr(e, t, n){var r=ei(e,t),i=r.type,o=r.timeout,a=r.propCount;if(!i)return n();var s="transition"===i?Vr:qr,c=0,l=function(){e.removeEventListener(s,u),n()},u=function(t){t.target===e&&++c>=a&&l()};setTimeout((function(){c0&&(n="transition",u=a,d=o.length):"animation"===t?l>0&&(n="animation",u=l,d=c.length):d=(n=(u=Math.max(a,l))>0?a>l?"transition":"animation":null)?"transition"===n?o.length:c.length:0,{type:n,timeout:u,propCount:d,hasTransform:"transition"===n&&Yr.test(r[zr+"Property"])}}function ti(e, t){for(; e.length1}function si(e, t){!0!==t.data.show&&ri(t)}var ci=function(e){var t,n,r={},c=e.modules,l=e.nodeOps;for(t=0; th?_(e,i(n[g+1])?null:n[g+1].elm,n,p,g,r):p>g&&w(t,f,h)}(f,m,g,n,u):o(g)?(o(e.text)&&l.setTextContent(f,""),_(f,null,g,0,g.length-1,n)):o(m)?w(m,0,m.length-1):o(e.text)&&l.setTextContent(f,""):e.text!==t.text&&l.setTextContent(f,t.text),o(h)&&o(p=h.hook)&&o(p=p.postpatch)&&p(e,t)}}}function S(e, t, n){if(a(n)&&o(e.parent))e.parent.data.pendingInsert=t;else for(var r=0; r-1,a.selected!==o&&(a.selected=o);else if(N(pi(a),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));i||(e.selectedIndex=-1)}}function fi(e, t){return t.every((function(t){return!N(t,e)}))}function pi(e){return"_value"in e?e._value:e.value}function hi(e){e.target.composing=!0}function vi(e){e.target.composing&&(e.target.composing=!1,mi(e.target,"input"))}function mi(e, t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function gi(e){return!e.componentInstance||e.data&&e.data.transition?e:gi(e.componentInstance._vnode)}var yi={model:li,show:{bind:function(e, t, n){var r=t.value,i=(n=gi(n)).data&&n.data.transition,o=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&i?(n.data.show=!0,ri(n,(function(){e.style.display=o}))):e.style.display=r?o:"none"},update:function(e, t, n){var r=t.value;!r!=!t.oldValue&&((n=gi(n)).data&&n.data.transition?(n.data.show=!0,r?ri(n,(function(){e.style.display=e.__vOriginalDisplay})):ii(n,(function(){e.style.display="none"}))):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e, t, n, r, i){i||(e.style.display=e.__vOriginalDisplay)}}},_i={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function bi(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?bi(zt(t.children)):e}function wi(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var i=n._parentListeners;for(var o in i)t[x(o)]=i[o];return t}function Ci(e, t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var xi=function(e){return e.tag||Ut(e)},Ai=function(e){return"show"===e.name},Si={name:"transition",props:_i,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(xi)).length){0;var r=this.mode;0;var i=n[0];if(function(e){for(; e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return i;var o=bi(i);if(!o)return i;if(this._leaving)return Ci(e,i);var a="__transition-"+this._uid+"-";o.key=null==o.key?o.isComment?a+"comment":a+o.tag:s(o.key)?0===String(o.key).indexOf(a)?o.key:a+o.key:o.key;var c=(o.data||(o.data={})).transition=wi(this),l=this._vnode,u=bi(l);if(o.data.directives&&o.data.directives.some(Ai)&&(o.data.show=!0),u&&u.data&&!function(e, t){return t.key===e.key&&t.tag===e.tag}(o,u)&&!Ut(u)&&(!u.componentInstance||!u.componentInstance._vnode.isComment)){var d=u.data.transition=k({},c);if("out-in"===r)return this._leaving=!0,st(d,"afterLeave",(function(){t._leaving=!1,t.$forceUpdate()})),Ci(e,i);if("in-out"===r){if(Ut(o))return l;var f,p=function(){f()};st(c,"afterEnter",p),st(c,"enterCancelled",p),st(d,"delayLeave",(function(e){f=e}))}}return i}}},$i=k({tag:String,moveClass:String},_i);function Ti(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function Oi(e){e.data.newPos=e.elm.getBoundingClientRect()}function ki(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,i=t.top-n.top;if(r||i){e.data.moved=!0;var o=e.elm.style;o.transform=o.WebkitTransform="translate("+r+"px,"+i+"px)",o.transitionDuration="0s"}}delete $i.mode;var Ii={Transition:Si,TransitionGroup:{props:$i,beforeMount:function(){var e=this,t=this._update;this._update=function(n, r){var i=Jt(e);e.__patch__(e._vnode,e.kept,!1,!0),e._vnode=e.kept,i(),t.call(e,n,r)}},render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,i=this.$slots.default||[],o=this.children=[],a=wi(this),s=0; s-1?Kn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Kn[e]=/HTMLUnknownElement/.test(t.toString())},k(xn.options.directives,yi),k(xn.options.components,Ii),xn.prototype.__patch__=V?ci:E,xn.prototype.$mount=function(e, t){return function(e, t, n){var r;return e.$el=t,e.$options.render||(e.$options.render=me),Yt(e,"beforeMount"),r=function(){e._update(e._render(),n)},new fn(e,r,E,{before:function(){e._isMounted&&!e._isDestroyed&&Yt(e,"beforeUpdate")}},!0),n=!1,null==e.$vnode&&(e._isMounted=!0,Yt(e,"mounted")),e}(this,e=e&&V?function(e){if("string"==typeof e){var t=document.querySelector(e);return t||document.createElement("div")}return e}(e):void 0,t)},V&&setTimeout((function(){H.devtools&&ie&&ie.emit("init",xn)}),0),t.a=xn}).call(this,n(1),n(2).setImmediate)},function(e, t){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(e){"object"==typeof window&&(n=window)}e.exports=n},function(e, t, n){(function(e){var r=void 0!==e&&e||"undefined"!=typeof self&&self||window,i=Function.prototype.apply;function o(e, t){this._id=e,this._clearFn=t}t.setTimeout=function(){return new o(i.call(setTimeout,r,arguments),clearTimeout)},t.setInterval=function(){return new o(i.call(setInterval,r,arguments),clearInterval)},t.clearTimeout=t.clearInterval=function(e){e&&e.close()},o.prototype.unref=o.prototype.ref=function(){},o.prototype.close=function(){this._clearFn.call(r,this._id)},t.enroll=function(e, t){clearTimeout(e._idleTimeoutId),e._idleTimeout=t},t.unenroll=function(e){clearTimeout(e._idleTimeoutId),e._idleTimeout=-1},t._unrefActive=t.active=function(e){clearTimeout(e._idleTimeoutId);var t=e._idleTimeout;t>=0&&(e._idleTimeoutId=setTimeout((function(){e._onTimeout&&e._onTimeout()}),t))},n(3),t.setImmediate="undefined"!=typeof self&&self.setImmediate||void 0!==e&&e.setImmediate||this&&this.setImmediate,t.clearImmediate="undefined"!=typeof self&&self.clearImmediate||void 0!==e&&e.clearImmediate||this&&this.clearImmediate}).call(this,n(1))},function(e, t, n){(function(e, t){!function(e, n){"use strict";if(!e.setImmediate){var r,i,o,a,s,c=1,l={},u=!1,d=e.document,f=Object.getPrototypeOf&&Object.getPrototypeOf(e);f=f&&f.setTimeout?f:e,"[object process]"==={}.toString.call(e.process)?r=function(e){t.nextTick((function(){h(e)}))}:!function(){if(e.postMessage&&!e.importScripts){var t=!0,n=e.onmessage;return e.onmessage=function(){t=!1},e.postMessage("","*"),e.onmessage=n,t}}()?e.MessageChannel?((o=new MessageChannel).port1.onmessage=function(e){h(e.data)},r=function(e){o.port2.postMessage(e)}):d&&"onreadystatechange"in d.createElement("script")?(i=d.documentElement,r=function(e){var t=d.createElement("script");t.onreadystatechange=function(){h(e),t.onreadystatechange=null,i.removeChild(t),t=null},i.appendChild(t)}):r=function(e){setTimeout(h,0,e)}:(a="setImmediate$"+Math.random()+"$",s=function(t){t.source===e&&"string"==typeof t.data&&0===t.data.indexOf(a)&&h(+t.data.slice(a.length))},e.addEventListener?e.addEventListener("message",s,!1):e.attachEvent("onmessage",s),r=function(t){e.postMessage(a+t,"*")}),f.setImmediate=function(e){"function"!=typeof e&&(e=new Function(""+e));for(var t=new Array(arguments.length-1),n=0; n1)for(var n=1; n1},style:{color:e.modeColor}},[e._v(e._s(e.modePrefix))]),e._v(" "),n("textarea",{directives:[{name:"model",rawName:"v-model",value:e.message,expression:"message"}],ref:"input",attrs:{type:"text",autofocus:"",spellcheck:"false",rows:"1"},domProps:{value:e.message},on:{keyup:[function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"esc",27,t.key,["Esc","Escape"])?null:e.hideInput(t)},e.keyUp],keydown:e.keyDown,keypress:function(t){return!t.type.indexOf("key")&&e._k(t.keyCode,"enter",13,t.key,"Enter")?null:(t.preventDefault(),e.send(t))},input:function(t){t.target.composing||(e.message=t.target.value)}}})]),e._v(" "),n("suggestions",{attrs:{message:e.message,suggestions:e.suggestions}}),e._v(" "),n("div",{directives:[{name:"show",rawName:"v-show",value:e.showHideState,expression:"showHideState"}],staticClass:"chat-hide-state"},[e._v("\n "+e._s(e.hideStateString)+"\n ")])],1)])};function o(e, t){var n=new XMLHttpRequest;n.open("POST",e,!0),n.setRequestHeader("Content-Type","application/json; charset=UTF-8"),n.send(t)}function a(e, t={}){const n=Object.assign({type:e},t);window.dispatchEvent(new CustomEvent("message",{detail:n}))}i._withStripped=!0,window.emulate=a,window.demo=()=>{a("ON_MESSAGE",{message:{args:["me","hello!"]}}),a("ON_SCREEN_STATE_CHANGE",{shouldHide:!1})};var s={defaultTemplateId:"default",defaultAltTemplateId:"defaultAlt",templates:{default:"{0}: {1}",defaultAlt:"{0}",print:"
{0}
","example:important":"

^2{0}

"},fadeTimeout:7e3,suggestionLimit:5,style:{background:"rgba(52, 73, 94, 0.7)",width:"38vw",height:"22%"}},c=function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{directives:[{name:"show",rawName:"v-show",value:e.currentSuggestions.length>0,expression:"currentSuggestions.length > 0"}],staticClass:"suggestions-wrap"},[n("ul",{staticClass:"suggestions"},e._l(e.currentSuggestions,(function(t){return n("li",{key:t.name,staticClass:"suggestion"},[n("p",[n("span",{class:{disabled:t.disabled}},[e._v("\n "+e._s(t.name)+"\n ")]),e._v(" "),e._l(t.params,(function(t){return n("span",{key:t.name,staticClass:"param",class:{disabled:t.disabled}},[e._v("\n ["+e._s(t.name)+"]\n ")])}))],2),e._v(" "),n("small",{staticClass:"help"},[t.disabled?e._e():[e._v("\n "+e._s(t.help)+"\n ")],e._v(" "),e._l(t.params,(function(t){return t.disabled?e._e():[e._v("\n "+e._s(t.help)+"\n ")]}))],2)])})),0)])};function l(e, t, n, r, i, o, a, s){var c,l="function"==typeof e?e.options:e;if(t&&(l.render=t,l.staticRenderFns=n,l._compiled=!0),r&&(l.functional=!0),o&&(l._scopeId="data-v-"+o),a?(c=function(e){(e=e||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)||"undefined"==typeof __VUE_SSR_CONTEXT__||(e=__VUE_SSR_CONTEXT__),i&&i.call(this,e),e&&e._registeredComponents&&e._registeredComponents.add(a)},l._ssrRegister=c):i&&(c=s?function(){i.call(this,this.$root.$options.shadowRoot)}:i),c)if(l.functional){l._injectStyles=c;var u=l.render;l.render=function(e, t){return c.call(t),u(e,t)}}else{var d=l.beforeCreate;l.beforeCreate=d?[].concat(d,c):[c]}return{exports:e,options:l}}c._withStripped=!0;var u=l(r.a.component("suggestions",{props:{message:{type:String},suggestions:{type:Array}},data:()=>({}),computed:{currentSuggestions(){if(""===this.message)return[];const e=this.suggestions.filter(e=>{if(!e.name.startsWith(this.message)){const t=e.name.split(" "),n=this.message.split(" ");for(let r=0; r=t.length)return r{e.disabled=!e.name.startsWith(this.message),e.params.forEach((t, n)=>{const r=n===e.params.length-1?".":"\\S",i=new RegExp(`${e.name} (?:\\w+ ){${n}}(?:${r}*)$`,"g");t.disabled=null==this.message.match(i)})}),e}},methods:{}}),c,[],!1,null,null,null);u.options.__file="html/Suggestions.vue";var d=u.exports,f=function(){var e=this.$createElement,t=this._self._c||e;return t("div",{staticClass:"msg",class:{multiline:this.multiline}},[t("span",{domProps:{innerHTML:this._s(this.textEscaped)}})])};f._withStripped=!0;var p=l(r.a.component("message",{data:()=>({}),computed:{textEscaped(){let e=this.template?this.template:this.templates[this.templateId];return this.template||this.templateId!=s.defaultTemplateId||1!=this.args.length||(e=this.templates[s.defaultAltTemplateId]),e=e.replace("@default",this.templates[this.templateId]),e=e.replace(/{(\d+)}/g,(e, t)=>{const n=null!=this.args[t]?this.escape(this.args[t]):e;return 0==t&&this.color?this.colorizeOld(n):n}),e=e.replace(/\{\{([a-zA-Z0-9_\-]+?)\}\}/g,(e, t)=>null!=this.params[t]?this.escape(this.params[t]):e),this.colorize(e)}},methods:{colorizeOld(e){return`${e}`},colorize(e){let t=""+function(e){return e.replace(/\^([0-9])/g,(e, t)=>``).replace(/\^#([0-9A-F]{3,6})/gi,(e, t)=>``).replace(/~([a-z])~/g,(e, t)=>``)}(e)+"";const n={"*":"font-weight: bold;",_:"text-decoration: underline;","~":"text-decoration: line-through;","=":"text-decoration: underline line-through;",r:"text-decoration: none;font-weight: normal;"},r=/\^(\_|\*|\=|\~|\/|r)(.*?)(?=$|\^r|<\/em>)/;for(; t.match(r);)t=t.replace(r,(e, t, r)=>`${r}`);return t.replace(/]*><\/span[^>]*>/g,"")},escape: e=>String(e).replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'")},props:{templates:{type:Object},args:{type:Array},params:{type:Object},template:{type:String,default:null},templateId:{type:String,default:s.defaultTemplateId},multiline:{type:Boolean,default:!1},color:{type:Array,default:null}}}),f,[],!1,null,null,null);p.options.__file="html/Message.vue";var h,v=p.exports;!function(e){e[e.ShowWhenActive=0]="ShowWhenActive",e[e.AlwaysShow=1]="AlwaysShow",e[e.AlwaysHide=2]="AlwaysHide"}(h||(h={}));const m={name:"all",displayName:"All",color:"#fff"},g={name:"_global",displayName:"All",color:"#fff",isGlobal:!0,hidden:!0};var y=l(r.a.extend({template:"#app_template",name:"app",components:{Suggestions:d,MessageV:v},data:()=>({style:s.style,showInput:!1,showWindow:!1,showHideState:!1,hideState:h.ShowWhenActive,backingSuggestions:[],removedSuggestions:[],templates:Object.assign({},s.templates),message:"",messages:[],oldMessages:[],oldMessagesIndex:-1,tplBackups:[],msgTplBackups:[],focusTimer:0,showWindowTimer:0,showHideStateTimer:0,listener: e=>{},modes:[m,g],modeIdx:0}),destroyed(){clearInterval(this.focusTimer),window.removeEventListener("message",this.listener)},mounted(){o("http://chat/loaded",JSON.stringify({})),this.listener= e=>{const t=e.data||e.detail;if(!t||!t.type)return;const n=t.type;this[n]&&this[n](t)},window.addEventListener("message",this.listener)},watch:{messages(){this.hideState!==h.AlwaysHide&&(this.showWindowTimer&&clearTimeout(this.showWindowTimer),this.showWindow=!0,this.resetShowWindowTimer());const e=this.$refs.messages;this.$nextTick(()=>{e.scrollTop=e.scrollHeight})}},computed:{filteredMessages(){return this.messages.filter(e=>{var t,n;return!((null===(t=e.modeData)||void 0===t?void 0:t.isChannel)||this.modes[this.modeIdx].isChannel)||(e.mode===this.modes[this.modeIdx].name||(null===(n=e.modeData)||void 0===n?void 0:n.isGlobal))})},suggestions(){return this.backingSuggestions.filter(e=>this.removedSuggestions.indexOf(e.name)<=-1)},hideAnimated(){return this.hideState!==h.AlwaysHide},modeIdxGet(){return this.modeIdx>=this.modes.length?this.modes.length-1:this.modeIdx},modePrefix(){return 2===this.modes.length?"➤":this.modes[this.modeIdxGet].displayName},modeColor(){return this.modes[this.modeIdxGet].color},hideStateString(){switch(this.hideState){case h.AlwaysShow:return"Visible";case h.AlwaysHide:return"Hidden";case h.ShowWhenActive:return"When active"}}},methods:{ON_SCREEN_STATE_CHANGE({hideState:e,fromUserInteraction:t}){this.hideState=e,this.hideState===h.AlwaysHide?this.showInput||(this.showWindow=!1):this.hideState===h.AlwaysShow?(this.showWindow=!0,this.showWindowTimer&&clearTimeout(this.showWindowTimer)):this.resetShowWindowTimer(),t&&(this.showHideState=!0,this.showHideStateTimer&&clearTimeout(this.showHideStateTimer),this.showHideStateTimer=window.setTimeout(()=>{this.showHideState=!1},1500))},ON_OPEN(){this.showInput=!0,this.showWindow=!0,this.showWindowTimer&&clearTimeout(this.showWindowTimer),this.focusTimer=window.setInterval(()=>{this.$refs.input?this.$refs.input.focus():clearInterval(this.focusTimer)},100)},ON_MESSAGE({message:e}){e.id=`${(new Date).getTime()}${Math.random()}`,e.modeData=this.modes.find(t=>t.name===e.mode),this.messages.push(e)},ON_CLEAR(){this.messages=[],this.oldMessages=[],this.oldMessagesIndex=-1},ON_SUGGESTION_ADD({suggestion:e}){this.removedSuggestions=this.removedSuggestions.filter(t=>t!==e.name);const t=this.backingSuggestions.find(t=>t.name==e.name);t?(e.help||e.params)&&(t.help=e.help||"",t.params=e.params||[]):(e.params||(e.params=[]),this.backingSuggestions.push(e))},ON_SUGGESTION_REMOVE({name:e}){this.removedSuggestions.indexOf(e)<=-1&&this.removedSuggestions.push(e)},ON_MODE_ADD({mode:e}){this.modes=[...this.modes.filter(t=>t.name!==e.name),e]},ON_MODE_REMOVE({name:e}){this.modes=this.modes.filter(t=>t.name!==e),0===this.modes.length&&(this.modes=[m])},ON_TEMPLATE_ADD({template:e}){this.templates[e.id]?this.warn(`Tried to add duplicate template '${e.id}'`):this.templates[e.id]=e.html},ON_UPDATE_THEMES({themes:e}){this.removeThemes(),this.setThemes(e)},removeThemes(){var e;for(let t=0; tCHAT-WARN: ^0{0}"})},clearShowWindowTimer(){clearTimeout(this.showWindowTimer)},resetShowWindowTimer(){this.clearShowWindowTimer(),this.showWindowTimer=window.setTimeout(()=>{this.hideState===h.AlwaysShow||this.showInput||(this.showWindow=!1)},s.fadeTimeout)},keyUp(){this.resize()},keyDown(e){if(38===e.which||40===e.which)e.preventDefault(),this.moveOldMessageIndex(38===e.which);else if(33==e.which){(t=document.getElementsByClassName("chat-messages")[0]).scrollTop=t.scrollTop-100}else if(34==e.which){var t;(t=document.getElementsByClassName("chat-messages")[0]).scrollTop=t.scrollTop+100}else if(9===e.which){if(e.shiftKey||e.altKey)do{--this.modeIdx,this.modeIdx<0&&(this.modeIdx=this.modes.length-1)}while(this.modes[this.modeIdx].hidden);else do{this.modeIdx=(this.modeIdx+1)%this.modes.length}while(this.modes[this.modeIdx].hidden);const t=document.getElementsByClassName("chat-messages")[0];setTimeout(()=>t.scrollTop=t.scrollHeight,0)}this.resize()},moveOldMessageIndex(e){e&&this.oldMessages.length>this.oldMessagesIndex+1?(this.oldMessagesIndex+=1,this.message=this.oldMessages[this.oldMessagesIndex]):!e&&this.oldMessagesIndex-1>=0?(this.oldMessagesIndex-=1,this.message=this.oldMessages[this.oldMessagesIndex]):e||this.oldMessagesIndex-1!=-1||(this.oldMessagesIndex=-1,this.message="")},resize(){const e=this.$refs.input,t=getComputedStyle(e),n=parseFloat(t.paddingBottom)+parseFloat(t.paddingTop);e.style.height="5px",e.style.height=`${e.scrollHeight-n}px`},send(){""!==this.message?(o("http://chat/chatResult",JSON.stringify({message:this.message,mode:this.modes[this.modeIdxGet].name})),this.oldMessages.unshift(this.message),this.oldMessagesIndex=-1,this.hideInput()):this.hideInput(!0)},hideInput(e=!1){setTimeout(()=>{delete this.$refs.input.style.height},50),e&&o("http://chat/chatResult",JSON.stringify({canceled:e})),this.message="",this.showInput=!1,clearInterval(this.focusTimer),this.hideState!==h.AlwaysHide?this.resetShowWindowTimer():this.showWindow=!1}}}),i,[],!1,null,null,null);y.options.__file="html/App.vue";var _=y.exports;new r.a({el:"#app",render: e=>e(_)})}]); diff --git a/resources/[default]/[system]/baseevents/vehiclechecker.lua b/resources/[default]/[system]/baseevents/vehiclechecker.lua index 764a29c012..d49d730618 100644 --- a/resources/[default]/[system]/baseevents/vehiclechecker.lua +++ b/resources/[default]/[system]/baseevents/vehiclechecker.lua @@ -1,6 +1,7 @@ local isInVehicle = false local isEnteringVehicle = false local currentVehicle = 0 +local currentVehicleNetId = 0 local currentSeat = 0 Citizen.CreateThread(function() @@ -14,7 +15,7 @@ Citizen.CreateThread(function() -- trying to enter a vehicle! local vehicle = GetVehiclePedIsTryingToEnter(ped) local seat = GetSeatPedIsTryingToEnter(ped) - local netId = VehToNet(vehicle) + local netId = NetworkGetEntityIsNetworked(vehicle) and VehToNet(vehicle) or 0 isEnteringVehicle = true TriggerEvent('baseevents:enteringVehicle', vehicle, seat, GetDisplayNameFromVehicleModel(GetEntityModel(vehicle)), netId) TriggerServerEvent('baseevents:enteringVehicle', vehicle, seat, GetDisplayNameFromVehicleModel(GetEntityModel(vehicle)), netId) @@ -28,24 +29,25 @@ Citizen.CreateThread(function() isInVehicle = true currentVehicle = GetVehiclePedIsUsing(ped) currentSeat = GetPedVehicleSeat(ped) - local model = GetEntityModel(currentVehicle) - local name = GetDisplayNameFromVehicleModel() - local netId = VehToNet(currentVehicle) - TriggerEvent('baseevents:enteredVehicle', currentVehicle, currentSeat, GetDisplayNameFromVehicleModel(GetEntityModel(currentVehicle)), netId) - TriggerServerEvent('baseevents:enteredVehicle', currentVehicle, currentSeat, GetDisplayNameFromVehicleModel(GetEntityModel(currentVehicle)), netId) + currentVehicleNetId = NetworkGetEntityIsNetworked(currentVehicle) and VehToNet(currentVehicle) or 0 + TriggerEvent('baseevents:enteredVehicle', currentVehicle, currentSeat) + TriggerServerEvent('baseevents:enteredVehicle', currentVehicleNetId, currentSeat) end elseif isInVehicle then + local pedInSeat = GetPedInVehicleSeat(currentVehicle, currentSeat) + if not IsPedInAnyVehicle(ped, false) or IsPlayerDead(PlayerId()) then - -- bye, vehicle - local model = GetEntityModel(currentVehicle) - local name = GetDisplayNameFromVehicleModel() - local netId = VehToNet(currentVehicle) - TriggerEvent('baseevents:leftVehicle', currentVehicle, currentSeat, GetDisplayNameFromVehicleModel(GetEntityModel(currentVehicle)), netId) - TriggerServerEvent('baseevents:leftVehicle', currentVehicle, currentSeat, GetDisplayNameFromVehicleModel(GetEntityModel(currentVehicle)), netId) + TriggerEvent('baseevents:leftVehicle', currentVehicle, currentSeat) + TriggerServerEvent('baseevents:leftVehicle', currentVehicleNetId, currentSeat) isInVehicle = false currentVehicle = 0 currentSeat = 0 - end + elseif pedInSeat ~= ped then + currentSeat = GetPedVehicleSeat(ped) + local netId = NetworkGetEntityIsNetworked(currentVehicle) and VehToNet(currentVehicle) or 0 + TriggerEvent('baseevents:changedVehicleSeat', currentVehicle, currentSeat) + TriggerServerEvent('baseevents:changedVehicleSeat', netId, currentSeat) + end end Citizen.Wait(50) end diff --git a/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_bait_touch.ogg b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_bait_touch.ogg new file mode 100644 index 0000000000..9b1f14420a Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_bait_touch.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_fish_splash.ogg b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_fish_splash.ogg new file mode 100644 index 0000000000..9954b57cb6 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_fish_splash.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_launch.ogg b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_launch.ogg new file mode 100644 index 0000000000..aeec9348ac Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_launch.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_rod_sound.ogg b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_rod_sound.ogg new file mode 100644 index 0000000000..580aaf86a8 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_rod_sound.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_success.ogg b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_success.ogg new file mode 100644 index 0000000000..aab8e1f684 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_success.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_success_hit.ogg b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_success_hit.ogg new file mode 100644 index 0000000000..5a1bc5c255 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fishing/fishing_success_hit.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fuel/blip_in.ogg b/resources/[lib]/interact-sound/client/html/sounds/fuel/blip_in.ogg new file mode 100644 index 0000000000..043b5e66e2 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fuel/blip_in.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/fuel/charging.ogg b/resources/[lib]/interact-sound/client/html/sounds/fuel/charging.ogg new file mode 100644 index 0000000000..2f81621a02 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/fuel/charging.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/jackpot.ogg b/resources/[lib]/interact-sound/client/html/sounds/jackpot.ogg new file mode 100644 index 0000000000..3c45412c46 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/jackpot.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/pawl/chainsaw.ogg b/resources/[lib]/interact-sound/client/html/sounds/pawl/chainsaw.ogg new file mode 100644 index 0000000000..7f5e47ca82 Binary files /dev/null and b/resources/[lib]/interact-sound/client/html/sounds/pawl/chainsaw.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_off.ogg b/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_off.ogg index 78e303378b..befc65c731 100644 Binary files a/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_off.ogg and b/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_off.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_on.ogg b/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_on.ogg index 58951583a0..10078e723b 100644 Binary files a/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_on.ogg and b/resources/[lib]/interact-sound/client/html/sounds/radio-lr/mic_click_on.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_off.ogg b/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_off.ogg index a3a3be6308..8c3312c394 100644 Binary files a/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_off.ogg and b/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_off.ogg differ diff --git a/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_on.ogg b/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_on.ogg index ccdd76b5f9..7b5c3d591d 100644 Binary files a/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_on.ogg and b/resources/[lib]/interact-sound/client/html/sounds/radio-sr/mic_click_on.ogg differ diff --git a/resources/[lib]/screenshot-basic/.gitignore b/resources/[lib]/screenshot-basic/.gitignore deleted file mode 100644 index c59e0a4802..0000000000 --- a/resources/[lib]/screenshot-basic/.gitignore +++ /dev/null @@ -1,3 +0,0 @@ -node_modules/ -yarn-error.log -.yarn.installed diff --git a/resources/[lib]/screenshot-basic/LICENSE b/resources/[lib]/screenshot-basic/LICENSE deleted file mode 100644 index 7126de1c2e..0000000000 --- a/resources/[lib]/screenshot-basic/LICENSE +++ /dev/null @@ -1,7 +0,0 @@ -Copyright 2019 The CitizenFX Developers - -Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/README.md b/resources/[lib]/screenshot-basic/README.md deleted file mode 100644 index cffb2dd4c9..0000000000 --- a/resources/[lib]/screenshot-basic/README.md +++ /dev/null @@ -1,91 +0,0 @@ -# screenshot-basic for FiveM - -## Description - -screenshot-basic is a basic resource for making screenshots of clients' game render targets using FiveM. It uses the same backing -WebGL/OpenGL ES calls as used by the `application/x-cfx-game-view` plugin (see the code in [citizenfx/fivem](https://github.com/citizenfx/fivem/blob/b0a7cda1007dc53d2ba0f638c035c0a5d1402796/data/client/bin/d3d_rendering.cc#L248)), -and wraps these calls using Three.js to 'simplify' WebGL initialization and copying to a buffer from asynchronous NUI. - -## Usage - -1. Make sure your [cfx-server-data](https://github.com/citizenfx/cfx-server-data) is updated as of 2019-01-15 or later. You can easily - update it by running `git pull` in your local clone directory. -2. Install `screenshot-basic`: - ``` - mkdir -p 'resources/[local]/' - cd 'resources/[local]' - git clone https://github.com/citizenfx/screenshot-basic.git screenshot-basic - ``` -3. Make/use a resource that uses it. Currently, there are no directly-usable commands, it is only usable through exports. - -## API - -### Client - -#### requestScreenshot(options?: any, cb: (result: string) => void) -Takes a screenshot and passes the data URI to a callback. Please don't send this through _any_ server events. - -Arguments: -* **options**: An optional object containing options. - * **encoding**: 'png' | 'jpg' | 'webp' - The target image encoding. Defaults to 'jpg'. - * **quality**: number - The quality for a lossy image encoder, in a range for 0.0-1.0. Defaults to 0.92. -* **cb**: A callback upon result. - * **result**: A `base64` data URI for the image. - -Example: - -```lua -exports['screenshot-basic']:requestScreenshot(function(data) - TriggerEvent('chat:addMessage', { template = '', args = { data } }) -end) -``` - -#### requestScreenshotUpload(url: string, field: string, options?: any, cb: (result: string) => void) -Takes a screenshot and uploads it as a file (`multipart/form-data`) to a remote HTTP URL. - -Arguments: -* **url**: The URL to a file upload handler. -* **field**: The name for the form field to add the file to. -* **options**: An optional object containing options. - * **encoding**: 'png' | 'jpg' | 'webp' - The target image encoding. Defaults to 'jpg'. - * **quality**: number - The quality for a lossy image encoder, in a range for 0.0-1.0. Defaults to 0.92. -* **cb**: A callback upon result. - * **result**: The response data for the remote URL. - -Example: - -```lua -exports['screenshot-basic']:requestScreenshotUpload('https://wew.wtf/upload.php', 'files[]', function(data) - local resp = json.decode(data) - TriggerEvent('chat:addMessage', { template = '', args = { resp.files[1].url } }) -end) -``` - -### Server -The server can also request a client to take a screenshot and upload it to a built-in HTTP handler on the server. - -Using this API on the server requires at least FiveM client version 1129160, and server pipeline 1011 or higher. - -#### requestClientScreenshot(player: string | number, options: any, cb: (err: string | boolean, data: string) => void) -Requests the specified client to take a screenshot. - -Arguments: -* **player**: The target player's player index. -* **options**: An object containing options. - * **fileName**: string? - The file name on the server to save the image to. If not passed, the callback will get a data URI for the image data. - * **encoding**: 'png' | 'jpg' | 'webp' - The target image encoding. Defaults to 'jpg'. - * **quality**: number - The quality for a lossy image encoder, in a range for 0.0-1.0. Defaults to 0.92. -* **cb**: A callback upon result. - * **err**: `false`, or an error string. - * **data**: The local file name the upload was saved to, or the data URI for the image. - - -Example: -```lua -exports['screenshot-basic']:requestClientScreenshot(GetPlayers()[1], { - fileName = 'cache/screenshot.jpg' -}, function(err, data) - print('err', err) - print('data', data) -end) -``` \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/client.config.js b/resources/[lib]/screenshot-basic/client.config.js deleted file mode 100644 index a5cc2d0e56..0000000000 --- a/resources/[lib]/screenshot-basic/client.config.js +++ /dev/null @@ -1,22 +0,0 @@ -module.exports = { - entry: './src/client/client.ts', - module: { - rules: [ - { - test: /\.tsx?$/, - use: 'ts-loader', - exclude: /node_modules/ - } - ] - }, - resolve: { - extensions: [ '.tsx', '.ts', '.js' ] - }, - output: { - filename: 'client.js', - path: __dirname + '/dist/' - }, - node: { - fs: 'empty' - } -}; \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/dist/client.js b/resources/[lib]/screenshot-basic/dist/client.js deleted file mode 100644 index 1fc84dd63e..0000000000 --- a/resources/[lib]/screenshot-basic/dist/client.js +++ /dev/null @@ -1 +0,0 @@ -!function(e){var t={};function r(n){if(t[n])return t[n].exports;var o=t[n]={i:n,l:!1,exports:{}};return e[n].call(o.exports,o,o.exports,r),o.l=!0,o.exports}r.m=e,r.c=t,r.d=function(e,t,n){r.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:n})},r.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},r.t=function(e,t){if(1&t&&(e=r(e)),8&t)return e;if(4&t&&"object"==typeof e&&e&&e.__esModule)return e;var n=Object.create(null);if(r.r(n),Object.defineProperty(n,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var o in e)r.d(n,o,function(t){return e[t]}.bind(null,o));return n},r.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return r.d(t,"a",t),t},r.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},r.p="",r(r.s=0)}([function(e,t,r){(function(e){const t=e.exports;RegisterNuiCallbackType("screenshot_created");const r={};let n=0;function o(e){const t=n.toString();return r[t]={cb:e},n++,t}on("__cfx_nui:screenshot_created",(e,t)=>{t(!0),void 0!==e.id&&r[e.id]&&(r[e.id].cb(e.data),delete r[e.id])}),t("requestScreenshot",(e,t)=>{const r=void 0!==t?e:{encoding:"jpg"},n=void 0!==t?t:e;r.resultURL=null,r.targetField=null,r.targetURL=`http://${GetCurrentResourceName()}/screenshot_created`,r.correlation=o(n),SendNuiMessage(JSON.stringify({request:r}))}),t("requestScreenshotUpload",(e,t,r,n)=>{const i=void 0!==n?r:{headers:{},encoding:"jpg"},u=void 0!==n?n:r;i.targetURL=e,i.targetField=t,i.resultURL=`http://${GetCurrentResourceName()}/screenshot_created`,i.correlation=o(u),SendNuiMessage(JSON.stringify({request:i}))}),onNet("screenshot_basic:requestScreenshot",(e,t)=>{e.encoding=e.encoding||"jpg",e.targetURL=`http://${GetCurrentServerEndpoint()}${t}`,e.targetField="file",e.resultURL=null,e.correlation=o(()=>{}),SendNuiMessage(JSON.stringify({request:e}))})}).call(this,r(1))},function(e,t){var r;r=function(){return this}();try{r=r||new Function("return this")()}catch(e){"object"==typeof window&&(r=window)}e.exports=r}]); \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/dist/server.js b/resources/[lib]/screenshot-basic/dist/server.js deleted file mode 100644 index 92e7bd0fbc..0000000000 --- a/resources/[lib]/screenshot-basic/dist/server.js +++ /dev/null @@ -1,27803 +0,0 @@ -/******/ (function(modules) { // webpackBootstrap -/******/ // The module cache -/******/ var installedModules = {}; -/******/ -/******/ // The require function -/******/ function __webpack_require__(moduleId) { -/******/ -/******/ // Check if module is in cache -/******/ if(installedModules[moduleId]) { -/******/ return installedModules[moduleId].exports; -/******/ } -/******/ // Create a new module (and put it into the cache) -/******/ var module = installedModules[moduleId] = { -/******/ i: moduleId, -/******/ l: false, -/******/ exports: {} -/******/ }; -/******/ -/******/ // Execute the module function -/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); -/******/ -/******/ // Flag the module as loaded -/******/ module.l = true; -/******/ -/******/ // Return the exports of the module -/******/ return module.exports; -/******/ } -/******/ -/******/ -/******/ // expose the modules object (__webpack_modules__) -/******/ __webpack_require__.m = modules; -/******/ -/******/ // expose the module cache -/******/ __webpack_require__.c = installedModules; -/******/ -/******/ // define getter function for harmony exports -/******/ __webpack_require__.d = function(exports, name, getter) { -/******/ if(!__webpack_require__.o(exports, name)) { -/******/ Object.defineProperty(exports, name, { enumerable: true, get: getter }); -/******/ } -/******/ }; -/******/ -/******/ // define __esModule on exports -/******/ __webpack_require__.r = function(exports) { -/******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) { -/******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' }); -/******/ } -/******/ Object.defineProperty(exports, '__esModule', { value: true }); -/******/ }; -/******/ -/******/ // create a fake namespace object -/******/ // mode & 1: value is a module id, require it -/******/ // mode & 2: merge all properties of value into the ns -/******/ // mode & 4: return value when already ns object -/******/ // mode & 8|1: behave like require -/******/ __webpack_require__.t = function(value, mode) { -/******/ if(mode & 1) value = __webpack_require__(value); -/******/ if(mode & 8) return value; -/******/ if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value; -/******/ var ns = Object.create(null); -/******/ __webpack_require__.r(ns); -/******/ Object.defineProperty(ns, 'default', { enumerable: true, value: value }); -/******/ if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key)); -/******/ return ns; -/******/ }; -/******/ -/******/ // getDefaultExport function for compatibility with non-harmony modules -/******/ __webpack_require__.n = function(module) { -/******/ var getter = module && module.__esModule ? -/******/ function getDefault() { return module['default']; } : -/******/ function getModuleExports() { return module; }; -/******/ __webpack_require__.d(getter, 'a', getter); -/******/ return getter; -/******/ }; -/******/ -/******/ // Object.prototype.hasOwnProperty.call -/******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; -/******/ -/******/ // __webpack_public_path__ -/******/ __webpack_require__.p = ""; -/******/ -/******/ -/******/ // Load entry module and return exports -/******/ return __webpack_require__(__webpack_require__.s = 60); -/******/ }) -/************************************************************************/ -/******/ ([ -/* 0 */ -/***/ (function(module, exports) { - -module.exports = require("path"); - -/***/ }), -/* 1 */ -/***/ (function(module, exports) { - -module.exports = require("util"); - -/***/ }), -/* 2 */ -/***/ (function(module, exports) { - -module.exports = require("fs"); - -/***/ }), -/* 3 */ -/***/ (function(module, exports) { - -module.exports = require("stream"); - -/***/ }), -/* 4 */ -/***/ (function(module, exports) { - -module.exports = require("buffer"); - -/***/ }), -/* 5 */ -/***/ (function(module, exports) { - -module.exports = require("events"); - -/***/ }), -/* 6 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * statuses - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var codes = __webpack_require__(79) - -/** - * Module exports. - * @public - */ - -module.exports = status - -// status code to message map -status.STATUS_CODES = codes - -// array of status codes -status.codes = populateStatusesMap(status, codes) - -// status codes for redirects -status.redirect = { - 300: true, - 301: true, - 302: true, - 303: true, - 305: true, - 307: true, - 308: true -} - -// status codes for empty bodies -status.empty = { - 204: true, - 205: true, - 304: true -} - -// status codes for when you should retry the request -status.retry = { - 502: true, - 503: true, - 504: true -} - -/** - * Populate the statuses map for given codes. - * @private - */ - -function populateStatusesMap (statuses, codes) { - var arr = [] - - Object.keys(codes).forEach(function forEachCode (code) { - var message = codes[code] - var status = Number(code) - - // Populate properties - statuses[status] = message - statuses[message] = status - statuses[message.toLowerCase()] = status - - // Add to array - arr.push(status) - }) - - return arr -} - -/** - * Get the status code. - * - * Given a number, this will throw if it is not a known status - * code, otherwise the code will be returned. Given a string, - * the string will be parsed for a number and return the code - * if valid, otherwise will lookup the code assuming this is - * the status message. - * - * @param {string|number} code - * @returns {number} - * @public - */ - -function status (code) { - if (typeof code === 'number') { - if (!status[code]) throw new Error('invalid status code: ' + code) - return code - } - - if (typeof code !== 'string') { - throw new TypeError('code must be a number or string') - } - - // '403' - var n = parseInt(code, 10) - if (!isNaN(n)) { - if (!status[n]) throw new Error('invalid status code: ' + n) - return n - } - - n = status[code.toLowerCase()] - if (!n) throw new Error('invalid status message: "' + code + '"') - return n -} - - -/***/ }), -/* 7 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/* eslint-disable node/no-deprecated-api */ - - - -var buffer = __webpack_require__(4) -var Buffer = buffer.Buffer - -var safer = {} - -var key - -for (key in buffer) { - if (!buffer.hasOwnProperty(key)) continue - if (key === 'SlowBuffer' || key === 'Buffer') continue - safer[key] = buffer[key] -} - -var Safer = safer.Buffer = {} -for (key in Buffer) { - if (!Buffer.hasOwnProperty(key)) continue - if (key === 'allocUnsafe' || key === 'allocUnsafeSlow') continue - Safer[key] = Buffer[key] -} - -safer.Buffer.prototype = Buffer.prototype - -if (!Safer.from || Safer.from === Uint8Array.from) { - Safer.from = function (value, encodingOrOffset, length) { - if (typeof value === 'number') { - throw new TypeError('The "value" argument must not be of type number. Received type ' + typeof value) - } - if (value && typeof value.length === 'undefined') { - throw new TypeError('The first argument must be one of type string, Buffer, ArrayBuffer, Array, or Array-like Object. Received type ' + typeof value) - } - return Buffer(value, encodingOrOffset, length) - } -} - -if (!Safer.alloc) { - Safer.alloc = function (size, fill, encoding) { - if (typeof size !== 'number') { - throw new TypeError('The "size" argument must be of type number. Received type ' + typeof size) - } - if (size < 0 || size >= 2 * (1 << 30)) { - throw new RangeError('The value "' + size + '" is invalid for option "size"') - } - var buf = Buffer(size) - if (!fill || fill.length === 0) { - buf.fill(0) - } else if (typeof encoding === 'string') { - buf.fill(fill, encoding) - } else { - buf.fill(fill) - } - return buf - } -} - -if (!safer.kStringMaxLength) { - try { - safer.kStringMaxLength = process.binding('buffer').kStringMaxLength - } catch (e) { - // we can't determine kStringMaxLength in environments where process.binding - // is unsupported, so let's not set it - } -} - -if (!safer.constants) { - safer.constants = { - MAX_LENGTH: safer.kMaxLength - } - if (safer.kStringMaxLength) { - safer.constants.MAX_STRING_LENGTH = safer.kStringMaxLength - } -} - -module.exports = safer - - -/***/ }), -/* 8 */ -/***/ (function(module, exports) { - -module.exports = require("crypto"); - -/***/ }), -/* 9 */ -/***/ (function(module, exports) { - -module.exports = require("http"); - -/***/ }), -/* 10 */ -/***/ (function(module, exports) { - -module.exports = require("assert"); - -/***/ }), -/* 11 */ -/***/ (function(module, exports, __webpack_require__) { - -try { - var util = __webpack_require__(1); - /* istanbul ignore next */ - if (typeof util.inherits !== 'function') throw ''; - module.exports = util.inherits; -} catch (e) { - /* istanbul ignore next */ - module.exports = __webpack_require__(89); -} - - -/***/ }), -/* 12 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * mime-types - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var db = __webpack_require__(74) -var extname = __webpack_require__(0).extname - -/** - * Module variables. - * @private - */ - -var EXTRACT_TYPE_REGEXP = /^\s*([^;\s]*)(?:;|\s|$)/ -var TEXT_TYPE_REGEXP = /^text\//i - -/** - * Module exports. - * @public - */ - -exports.charset = charset -exports.charsets = { lookup: charset } -exports.contentType = contentType -exports.extension = extension -exports.extensions = Object.create(null) -exports.lookup = lookup -exports.types = Object.create(null) - -// Populate the extensions/types maps -populateMaps(exports.extensions, exports.types) - -/** - * Get the default charset for a MIME type. - * - * @param {string} type - * @return {boolean|string} - */ - -function charset (type) { - if (!type || typeof type !== 'string') { - return false - } - - // TODO: use media-typer - var match = EXTRACT_TYPE_REGEXP.exec(type) - var mime = match && db[match[1].toLowerCase()] - - if (mime && mime.charset) { - return mime.charset - } - - // default text/* to utf-8 - if (match && TEXT_TYPE_REGEXP.test(match[1])) { - return 'UTF-8' - } - - return false -} - -/** - * Create a full Content-Type header given a MIME type or extension. - * - * @param {string} str - * @return {boolean|string} - */ - -function contentType (str) { - // TODO: should this even be in this module? - if (!str || typeof str !== 'string') { - return false - } - - var mime = str.indexOf('/') === -1 - ? exports.lookup(str) - : str - - if (!mime) { - return false - } - - // TODO: use content-type or other module - if (mime.indexOf('charset') === -1) { - var charset = exports.charset(mime) - if (charset) mime += '; charset=' + charset.toLowerCase() - } - - return mime -} - -/** - * Get the default extension for a MIME type. - * - * @param {string} type - * @return {boolean|string} - */ - -function extension (type) { - if (!type || typeof type !== 'string') { - return false - } - - // TODO: use media-typer - var match = EXTRACT_TYPE_REGEXP.exec(type) - - // get extensions - var exts = match && exports.extensions[match[1].toLowerCase()] - - if (!exts || !exts.length) { - return false - } - - return exts[0] -} - -/** - * Lookup the MIME type for a file path/extension. - * - * @param {string} path - * @return {boolean|string} - */ - -function lookup (path) { - if (!path || typeof path !== 'string') { - return false - } - - // get the extension ("ext" or ".ext" or full path) - var extension = extname('x.' + path) - .toLowerCase() - .substr(1) - - if (!extension) { - return false - } - - return exports.types[extension] || false -} - -/** - * Populate the extensions and types maps. - * @private - */ - -function populateMaps (extensions, types) { - // source preference (least -> most) - var preference = ['nginx', 'apache', undefined, 'iana'] - - Object.keys(db).forEach(function forEachMimeType (type) { - var mime = db[type] - var exts = mime.extensions - - if (!exts || !exts.length) { - return - } - - // mime -> extensions - extensions[type] = exts - - // extension -> mime - for (var i = 0; i < exts.length; i++) { - var extension = exts[i] - - if (types[extension]) { - var from = preference.indexOf(db[types[extension]].source) - var to = preference.indexOf(mime.source) - - if (types[extension] !== 'application/octet-stream' && - (from > to || (from === to && types[extension].substr(0, 12) === 'application/'))) { - // skip the remapping - continue - } - } - - // set the extension -> mime - types[extension] = type - } - }) -} - - -/***/ }), -/* 13 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * type-is - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var typer = __webpack_require__(78) -var mime = __webpack_require__(12) - -/** - * Module exports. - * @public - */ - -module.exports = typeofrequest -module.exports.is = typeis -module.exports.hasBody = hasbody -module.exports.normalize = normalize -module.exports.match = mimeMatch - -/** - * Compare a `value` content-type with `types`. - * Each `type` can be an extension like `html`, - * a special shortcut like `multipart` or `urlencoded`, - * or a mime type. - * - * If no types match, `false` is returned. - * Otherwise, the first `type` that matches is returned. - * - * @param {String} value - * @param {Array} types - * @public - */ - -function typeis (value, types_) { - var i - var types = types_ - - // remove parameters and normalize - var val = tryNormalizeType(value) - - // no type or invalid - if (!val) { - return false - } - - // support flattened arguments - if (types && !Array.isArray(types)) { - types = new Array(arguments.length - 1) - for (i = 0; i < types.length; i++) { - types[i] = arguments[i + 1] - } - } - - // no types, return the content type - if (!types || !types.length) { - return val - } - - var type - for (i = 0; i < types.length; i++) { - if (mimeMatch(normalize(type = types[i]), val)) { - return type[0] === '+' || type.indexOf('*') !== -1 - ? val - : type - } - } - - // no matches - return false -} - -/** - * Check if a request has a request body. - * A request with a body __must__ either have `transfer-encoding` - * or `content-length` headers set. - * http://www.w3.org/Protocols/rfc2616/rfc2616-sec4.html#sec4.3 - * - * @param {Object} request - * @return {Boolean} - * @public - */ - -function hasbody (req) { - return req.headers['transfer-encoding'] !== undefined || - !isNaN(req.headers['content-length']) -} - -/** - * Check if the incoming request contains the "Content-Type" - * header field, and it contains any of the give mime `type`s. - * If there is no request body, `null` is returned. - * If there is no content type, `false` is returned. - * Otherwise, it returns the first `type` that matches. - * - * Examples: - * - * // With Content-Type: text/html; charset=utf-8 - * this.is('html'); // => 'html' - * this.is('text/html'); // => 'text/html' - * this.is('text/*', 'application/json'); // => 'text/html' - * - * // When Content-Type is application/json - * this.is('json', 'urlencoded'); // => 'json' - * this.is('application/json'); // => 'application/json' - * this.is('html', 'application/*'); // => 'application/json' - * - * this.is('html'); // => false - * - * @param {String|Array} types... - * @return {String|false|null} - * @public - */ - -function typeofrequest (req, types_) { - var types = types_ - - // no body - if (!hasbody(req)) { - return null - } - - // support flattened arguments - if (arguments.length > 2) { - types = new Array(arguments.length - 1) - for (var i = 0; i < types.length; i++) { - types[i] = arguments[i + 1] - } - } - - // request content type - var value = req.headers['content-type'] - - return typeis(value, types) -} - -/** - * Normalize a mime type. - * If it's a shorthand, expand it to a valid mime type. - * - * In general, you probably want: - * - * var type = is(req, ['urlencoded', 'json', 'multipart']); - * - * Then use the appropriate body parsers. - * These three are the most common request body types - * and are thus ensured to work. - * - * @param {String} type - * @private - */ - -function normalize (type) { - if (typeof type !== 'string') { - // invalid type - return false - } - - switch (type) { - case 'urlencoded': - return 'application/x-www-form-urlencoded' - case 'multipart': - return 'multipart/*' - } - - if (type[0] === '+') { - // "+json" -> "*/*+json" expando - return '*/*' + type - } - - return type.indexOf('/') === -1 - ? mime.lookup(type) - : type -} - -/** - * Check if `expected` mime type - * matches `actual` mime type with - * wildcard and +suffix support. - * - * @param {String} expected - * @param {String} actual - * @return {Boolean} - * @private - */ - -function mimeMatch (expected, actual) { - // invalid type - if (expected === false) { - return false - } - - // split types - var actualParts = actual.split('/') - var expectedParts = expected.split('/') - - // invalid format - if (actualParts.length !== 2 || expectedParts.length !== 2) { - return false - } - - // validate type - if (expectedParts[0] !== '*' && expectedParts[0] !== actualParts[0]) { - return false - } - - // validate suffix wildcard - if (expectedParts[1].substr(0, 2) === '*+') { - return expectedParts[1].length <= actualParts[1].length + 1 && - expectedParts[1].substr(1) === actualParts[1].substr(1 - expectedParts[1].length) - } - - // validate subtype - if (expectedParts[1] !== '*' && expectedParts[1] !== actualParts[1]) { - return false - } - - return true -} - -/** - * Normalize a type and remove parameters. - * - * @param {string} value - * @return {string} - * @private - */ - -function normalizeType (value) { - // parse the type - var type = typer.parse(value) - - // remove the parameters - type.parameters = undefined - - // reformat it - return typer.format(type) -} - -/** - * Try to normalize a type and remove parameters. - * - * @param {string} value - * @return {string} - * @private - */ - -function tryNormalizeType (value) { - if (!value) { - return null - } - - try { - return normalizeType(value) - } catch (err) { - return null - } -} - - -/***/ }), -/* 14 */ -/***/ (function(module, exports) { - - -module.exports = function(obj, keys){ - obj = obj || {}; - if ('string' == typeof keys) keys = keys.split(/ +/); - return keys.reduce(function(ret, key){ - if (null == obj[key]) return ret; - ret[key] = obj[key]; - return ret; - }, {}); -}; - - -/***/ }), -/* 15 */ -/***/ (function(module, exports) { - -/*! - * toidentifier - * Copyright(c) 2016 Douglas Christopher Wilson - * MIT Licensed - */ - -/** - * Module exports. - * @public - */ - -module.exports = toIdentifier - -/** - * Trasform the given string into a JavaScript identifier - * - * @param {string} str - * @returns {string} - * @public - */ - -function toIdentifier (str) { - return str - .split(' ') - .map(function (token) { - return token.slice(0, 1).toUpperCase() + token.slice(1) - }) - .join('') - .replace(/[^ _0-9a-z]/gi, '') -} - - -/***/ }), -/* 16 */ -/***/ (function(module, exports) { - -module.exports = require("url"); - -/***/ }), -/* 17 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * raw-body - * Copyright(c) 2013-2014 Jonathan Ong - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var bytes = __webpack_require__(133) -var createError = __webpack_require__(33) -var iconv = __webpack_require__(134) -var unpipe = __webpack_require__(152) - -/** - * Module exports. - * @public - */ - -module.exports = getRawBody - -/** - * Module variables. - * @private - */ - -var ICONV_ENCODING_MESSAGE_REGEXP = /^Encoding not recognized: / - -/** - * Get the decoder for a given encoding. - * - * @param {string} encoding - * @private - */ - -function getDecoder (encoding) { - if (!encoding) return null - - try { - return iconv.getDecoder(encoding) - } catch (e) { - // error getting decoder - if (!ICONV_ENCODING_MESSAGE_REGEXP.test(e.message)) throw e - - // the encoding was not found - throw createError(415, 'specified encoding unsupported', { - encoding: encoding, - type: 'encoding.unsupported' - }) - } -} - -/** - * Get the raw body of a stream (typically HTTP). - * - * @param {object} stream - * @param {object|string|function} [options] - * @param {function} [callback] - * @public - */ - -function getRawBody (stream, options, callback) { - var done = callback - var opts = options || {} - - if (options === true || typeof options === 'string') { - // short cut for encoding - opts = { - encoding: options - } - } - - if (typeof options === 'function') { - done = options - opts = {} - } - - // validate callback is a function, if provided - if (done !== undefined && typeof done !== 'function') { - throw new TypeError('argument callback must be a function') - } - - // require the callback without promises - if (!done && !global.Promise) { - throw new TypeError('argument callback is required') - } - - // get encoding - var encoding = opts.encoding !== true - ? opts.encoding - : 'utf-8' - - // convert the limit to an integer - var limit = bytes.parse(opts.limit) - - // convert the expected length to an integer - var length = opts.length != null && !isNaN(opts.length) - ? parseInt(opts.length, 10) - : null - - if (done) { - // classic callback style - return readStream(stream, encoding, length, limit, done) - } - - return new Promise(function executor (resolve, reject) { - readStream(stream, encoding, length, limit, function onRead (err, buf) { - if (err) return reject(err) - resolve(buf) - }) - }) -} - -/** - * Halt a stream. - * - * @param {Object} stream - * @private - */ - -function halt (stream) { - // unpipe everything from the stream - unpipe(stream) - - // pause stream - if (typeof stream.pause === 'function') { - stream.pause() - } -} - -/** - * Read the data from the stream. - * - * @param {object} stream - * @param {string} encoding - * @param {number} length - * @param {number} limit - * @param {function} callback - * @public - */ - -function readStream (stream, encoding, length, limit, callback) { - var complete = false - var sync = true - - // check the length and limit options. - // note: we intentionally leave the stream paused, - // so users should handle the stream themselves. - if (limit !== null && length !== null && length > limit) { - return done(createError(413, 'request entity too large', { - expected: length, - length: length, - limit: limit, - type: 'entity.too.large' - })) - } - - // streams1: assert request encoding is buffer. - // streams2+: assert the stream encoding is buffer. - // stream._decoder: streams1 - // state.encoding: streams2 - // state.decoder: streams2, specifically < 0.10.6 - var state = stream._readableState - if (stream._decoder || (state && (state.encoding || state.decoder))) { - // developer error - return done(createError(500, 'stream encoding should not be set', { - type: 'stream.encoding.set' - })) - } - - var received = 0 - var decoder - - try { - decoder = getDecoder(encoding) - } catch (err) { - return done(err) - } - - var buffer = decoder - ? '' - : [] - - // attach listeners - stream.on('aborted', onAborted) - stream.on('close', cleanup) - stream.on('data', onData) - stream.on('end', onEnd) - stream.on('error', onEnd) - - // mark sync section complete - sync = false - - function done () { - var args = new Array(arguments.length) - - // copy arguments - for (var i = 0; i < args.length; i++) { - args[i] = arguments[i] - } - - // mark complete - complete = true - - if (sync) { - process.nextTick(invokeCallback) - } else { - invokeCallback() - } - - function invokeCallback () { - cleanup() - - if (args[0]) { - // halt the stream on error - halt(stream) - } - - callback.apply(null, args) - } - } - - function onAborted () { - if (complete) return - - done(createError(400, 'request aborted', { - code: 'ECONNABORTED', - expected: length, - length: length, - received: received, - type: 'request.aborted' - })) - } - - function onData (chunk) { - if (complete) return - - received += chunk.length - - if (limit !== null && received > limit) { - done(createError(413, 'request entity too large', { - limit: limit, - received: received, - type: 'entity.too.large' - })) - } else if (decoder) { - buffer += decoder.write(chunk) - } else { - buffer.push(chunk) - } - } - - function onEnd (err) { - if (complete) return - if (err) return done(err) - - if (length !== null && received !== length) { - done(createError(400, 'request size did not match content length', { - expected: length, - length: length, - received: received, - type: 'request.size.invalid' - })) - } else { - var string = decoder - ? buffer + (decoder.end() || '') - : Buffer.concat(buffer) - done(null, string) - } - } - - function cleanup () { - buffer = null - - stream.removeListener('aborted', onAborted) - stream.removeListener('data', onData) - stream.removeListener('end', onEnd) - stream.removeListener('error', onEnd) - stream.removeListener('close', cleanup) - } -} - - -/***/ }), -/* 18 */ -/***/ (function(module) { - -module.exports = [["0","\u0000",127,"€"],["8140","丂丄丅丆丏丒丗丟丠両丣並丩丮丯丱丳丵丷丼乀乁乂乄乆乊乑乕乗乚乛乢乣乤乥乧乨乪",5,"乲乴",9,"乿",6,"亇亊"],["8180","亐亖亗亙亜亝亞亣亪亯亰亱亴亶亷亸亹亼亽亾仈仌仏仐仒仚仛仜仠仢仦仧仩仭仮仯仱仴仸仹仺仼仾伀伂",6,"伋伌伒",4,"伜伝伡伣伨伩伬伭伮伱伳伵伷伹伻伾",4,"佄佅佇",5,"佒佔佖佡佢佦佨佪佫佭佮佱佲併佷佸佹佺佽侀侁侂侅來侇侊侌侎侐侒侓侕侖侘侙侚侜侞侟価侢"],["8240","侤侫侭侰",4,"侶",8,"俀俁係俆俇俈俉俋俌俍俒",4,"俙俛俠俢俤俥俧俫俬俰俲俴俵俶俷俹俻俼俽俿",11],["8280","個倎倐們倓倕倖倗倛倝倞倠倢倣値倧倫倯",10,"倻倽倿偀偁偂偄偅偆偉偊偋偍偐",4,"偖偗偘偙偛偝",7,"偦",5,"偭",8,"偸偹偺偼偽傁傂傃傄傆傇傉傊傋傌傎",20,"傤傦傪傫傭",4,"傳",6,"傼"],["8340","傽",17,"僐",5,"僗僘僙僛",10,"僨僩僪僫僯僰僱僲僴僶",4,"僼",9,"儈"],["8380","儉儊儌",5,"儓",13,"儢",28,"兂兇兊兌兎兏児兒兓兗兘兙兛兝",4,"兣兤兦內兩兪兯兲兺兾兿冃冄円冇冊冋冎冏冐冑冓冔冘冚冝冞冟冡冣冦",4,"冭冮冴冸冹冺冾冿凁凂凃凅凈凊凍凎凐凒",5],["8440","凘凙凚凜凞凟凢凣凥",5,"凬凮凱凲凴凷凾刄刅刉刋刌刏刐刓刔刕刜刞刟刡刢刣別刦刧刪刬刯刱刲刴刵刼刾剄",5,"剋剎剏剒剓剕剗剘"],["8480","剙剚剛剝剟剠剢剣剤剦剨剫剬剭剮剰剱剳",9,"剾劀劃",4,"劉",6,"劑劒劔",6,"劜劤劥劦劧劮劯劰労",9,"勀勁勂勄勅勆勈勊勌勍勎勏勑勓勔動勗務",5,"勠勡勢勣勥",10,"勱",7,"勻勼勽匁匂匃匄匇匉匊匋匌匎"],["8540","匑匒匓匔匘匛匜匞匟匢匤匥匧匨匩匫匬匭匯",9,"匼匽區卂卄卆卋卌卍卐協単卙卛卝卥卨卪卬卭卲卶卹卻卼卽卾厀厁厃厇厈厊厎厏"],["8580","厐",4,"厖厗厙厛厜厞厠厡厤厧厪厫厬厭厯",6,"厷厸厹厺厼厽厾叀參",4,"収叏叐叒叓叕叚叜叝叞叡叢叧叴叺叾叿吀吂吅吇吋吔吘吙吚吜吢吤吥吪吰吳吶吷吺吽吿呁呂呄呅呇呉呌呍呎呏呑呚呝",4,"呣呥呧呩",7,"呴呹呺呾呿咁咃咅咇咈咉咊咍咑咓咗咘咜咞咟咠咡"],["8640","咢咥咮咰咲咵咶咷咹咺咼咾哃哅哊哋哖哘哛哠",4,"哫哬哯哰哱哴",5,"哻哾唀唂唃唄唅唈唊",4,"唒唓唕",5,"唜唝唞唟唡唥唦"],["8680","唨唩唫唭唲唴唵唶唸唹唺唻唽啀啂啅啇啈啋",4,"啑啒啓啔啗",4,"啝啞啟啠啢啣啨啩啫啯",5,"啹啺啽啿喅喆喌喍喎喐喒喓喕喖喗喚喛喞喠",6,"喨",8,"喲喴営喸喺喼喿",4,"嗆嗇嗈嗊嗋嗎嗏嗐嗕嗗",4,"嗞嗠嗢嗧嗩嗭嗮嗰嗱嗴嗶嗸",4,"嗿嘂嘃嘄嘅"],["8740","嘆嘇嘊嘋嘍嘐",7,"嘙嘚嘜嘝嘠嘡嘢嘥嘦嘨嘩嘪嘫嘮嘯嘰嘳嘵嘷嘸嘺嘼嘽嘾噀",11,"噏",4,"噕噖噚噛噝",4],["8780","噣噥噦噧噭噮噯噰噲噳噴噵噷噸噹噺噽",7,"嚇",6,"嚐嚑嚒嚔",14,"嚤",10,"嚰",6,"嚸嚹嚺嚻嚽",12,"囋",8,"囕囖囘囙囜団囥",5,"囬囮囯囲図囶囷囸囻囼圀圁圂圅圇國",6],["8840","園",9,"圝圞圠圡圢圤圥圦圧圫圱圲圴",4,"圼圽圿坁坃坄坅坆坈坉坋坒",4,"坘坙坢坣坥坧坬坮坰坱坲坴坵坸坹坺坽坾坿垀"],["8880","垁垇垈垉垊垍",4,"垔",6,"垜垝垞垟垥垨垪垬垯垰垱垳垵垶垷垹",8,"埄",6,"埌埍埐埑埓埖埗埛埜埞埡埢埣埥",7,"埮埰埱埲埳埵埶執埻埼埾埿堁堃堄堅堈堉堊堌堎堏堐堒堓堔堖堗堘堚堛堜堝堟堢堣堥",4,"堫",4,"報堲堳場堶",7],["8940","堾",5,"塅",6,"塎塏塐塒塓塕塖塗塙",4,"塟",5,"塦",4,"塭",16,"塿墂墄墆墇墈墊墋墌"],["8980","墍",4,"墔",4,"墛墜墝墠",7,"墪",17,"墽墾墿壀壂壃壄壆",10,"壒壓壔壖",13,"壥",5,"壭壯壱売壴壵壷壸壺",7,"夃夅夆夈",4,"夎夐夑夒夓夗夘夛夝夞夠夡夢夣夦夨夬夰夲夳夵夶夻"],["8a40","夽夾夿奀奃奅奆奊奌奍奐奒奓奙奛",4,"奡奣奤奦",12,"奵奷奺奻奼奾奿妀妅妉妋妌妎妏妐妑妔妕妘妚妛妜妝妟妠妡妢妦"],["8a80","妧妬妭妰妱妳",5,"妺妼妽妿",6,"姇姈姉姌姍姎姏姕姖姙姛姞",4,"姤姦姧姩姪姫姭",11,"姺姼姽姾娀娂娊娋娍娎娏娐娒娔娕娖娗娙娚娛娝娞娡娢娤娦娧娨娪",6,"娳娵娷",4,"娽娾娿婁",4,"婇婈婋",9,"婖婗婘婙婛",5],["8b40","婡婣婤婥婦婨婩婫",8,"婸婹婻婼婽婾媀",17,"媓",6,"媜",13,"媫媬"],["8b80","媭",4,"媴媶媷媹",4,"媿嫀嫃",5,"嫊嫋嫍",4,"嫓嫕嫗嫙嫚嫛嫝嫞嫟嫢嫤嫥嫧嫨嫪嫬",4,"嫲",22,"嬊",11,"嬘",25,"嬳嬵嬶嬸",7,"孁",6],["8c40","孈",7,"孒孖孞孠孡孧孨孫孭孮孯孲孴孶孷學孹孻孼孾孿宂宆宊宍宎宐宑宒宔宖実宧宨宩宬宭宮宯宱宲宷宺宻宼寀寁寃寈寉寊寋寍寎寏"],["8c80","寑寔",8,"寠寢寣實寧審",4,"寯寱",6,"寽対尀専尃尅將專尋尌對導尐尒尓尗尙尛尞尟尠尡尣尦尨尩尪尫尭尮尯尰尲尳尵尶尷屃屄屆屇屌屍屒屓屔屖屗屘屚屛屜屝屟屢層屧",6,"屰屲",6,"屻屼屽屾岀岃",4,"岉岊岋岎岏岒岓岕岝",4,"岤",4],["8d40","岪岮岯岰岲岴岶岹岺岻岼岾峀峂峃峅",5,"峌",5,"峓",5,"峚",6,"峢峣峧峩峫峬峮峯峱",9,"峼",4],["8d80","崁崄崅崈",5,"崏",4,"崕崗崘崙崚崜崝崟",4,"崥崨崪崫崬崯",4,"崵",7,"崿",7,"嵈嵉嵍",10,"嵙嵚嵜嵞",10,"嵪嵭嵮嵰嵱嵲嵳嵵",12,"嶃",21,"嶚嶛嶜嶞嶟嶠"],["8e40","嶡",21,"嶸",12,"巆",6,"巎",12,"巜巟巠巣巤巪巬巭"],["8e80","巰巵巶巸",4,"巿帀帄帇帉帊帋帍帎帒帓帗帞",7,"帨",4,"帯帰帲",4,"帹帺帾帿幀幁幃幆",5,"幍",6,"幖",4,"幜幝幟幠幣",14,"幵幷幹幾庁庂広庅庈庉庌庍庎庒庘庛庝庡庢庣庤庨",4,"庮",4,"庴庺庻庼庽庿",6],["8f40","廆廇廈廋",5,"廔廕廗廘廙廚廜",11,"廩廫",8,"廵廸廹廻廼廽弅弆弇弉弌弍弎弐弒弔弖弙弚弜弝弞弡弢弣弤"],["8f80","弨弫弬弮弰弲",6,"弻弽弾弿彁",14,"彑彔彙彚彛彜彞彟彠彣彥彧彨彫彮彯彲彴彵彶彸彺彽彾彿徃徆徍徎徏徑従徔徖徚徛徝從徟徠徢",5,"復徫徬徯",5,"徶徸徹徺徻徾",4,"忇忈忊忋忎忓忔忕忚忛応忞忟忢忣忥忦忨忩忬忯忰忲忳忴忶忷忹忺忼怇"],["9040","怈怉怋怌怐怑怓怗怘怚怞怟怢怣怤怬怭怮怰",4,"怶",4,"怽怾恀恄",6,"恌恎恏恑恓恔恖恗恘恛恜恞恟恠恡恥恦恮恱恲恴恵恷恾悀"],["9080","悁悂悅悆悇悈悊悋悎悏悐悑悓悕悗悘悙悜悞悡悢悤悥悧悩悪悮悰悳悵悶悷悹悺悽",7,"惇惈惉惌",4,"惒惓惔惖惗惙惛惞惡",4,"惪惱惲惵惷惸惻",4,"愂愃愄愅愇愊愋愌愐",4,"愖愗愘愙愛愜愝愞愡愢愥愨愩愪愬",18,"慀",6],["9140","慇慉態慍慏慐慒慓慔慖",6,"慞慟慠慡慣慤慥慦慩",6,"慱慲慳慴慶慸",18,"憌憍憏",4,"憕"],["9180","憖",6,"憞",8,"憪憫憭",9,"憸",5,"憿懀懁懃",4,"應懌",4,"懓懕",16,"懧",13,"懶",8,"戀",5,"戇戉戓戔戙戜戝戞戠戣戦戧戨戩戫戭戯戰戱戲戵戶戸",4,"扂扄扅扆扊"],["9240","扏扐払扖扗扙扚扜",6,"扤扥扨扱扲扴扵扷扸扺扻扽抁抂抃抅抆抇抈抋",5,"抔抙抜抝択抣抦抧抩抪抭抮抯抰抲抳抴抶抷抸抺抾拀拁"],["9280","拃拋拏拑拕拝拞拠拡拤拪拫拰拲拵拸拹拺拻挀挃挄挅挆挊挋挌挍挏挐挒挓挔挕挗挘挙挜挦挧挩挬挭挮挰挱挳",5,"挻挼挾挿捀捁捄捇捈捊捑捒捓捔捖",7,"捠捤捥捦捨捪捫捬捯捰捲捳捴捵捸捹捼捽捾捿掁掃掄掅掆掋掍掑掓掔掕掗掙",6,"採掤掦掫掯掱掲掵掶掹掻掽掿揀"],["9340","揁揂揃揅揇揈揊揋揌揑揓揔揕揗",6,"揟揢揤",4,"揫揬揮揯揰揱揳揵揷揹揺揻揼揾搃搄搆",4,"損搎搑搒搕",5,"搝搟搢搣搤"],["9380","搥搧搨搩搫搮",5,"搵",4,"搻搼搾摀摂摃摉摋",6,"摓摕摖摗摙",4,"摟",7,"摨摪摫摬摮",9,"摻",6,"撃撆撈",8,"撓撔撗撘撚撛撜撝撟",4,"撥撦撧撨撪撫撯撱撲撳撴撶撹撻撽撾撿擁擃擄擆",6,"擏擑擓擔擕擖擙據"],["9440","擛擜擝擟擠擡擣擥擧",24,"攁",7,"攊",7,"攓",4,"攙",8],["9480","攢攣攤攦",4,"攬攭攰攱攲攳攷攺攼攽敀",4,"敆敇敊敋敍敎敐敒敓敔敗敘敚敜敟敠敡敤敥敧敨敩敪敭敮敯敱敳敵敶數",14,"斈斉斊斍斎斏斒斔斕斖斘斚斝斞斠斢斣斦斨斪斬斮斱",7,"斺斻斾斿旀旂旇旈旉旊旍旐旑旓旔旕旘",7,"旡旣旤旪旫"],["9540","旲旳旴旵旸旹旻",4,"昁昄昅昇昈昉昋昍昐昑昒昖昗昘昚昛昜昞昡昢昣昤昦昩昪昫昬昮昰昲昳昷",4,"昽昿晀時晄",6,"晍晎晐晑晘"],["9580","晙晛晜晝晞晠晢晣晥晧晩",4,"晱晲晳晵晸晹晻晼晽晿暀暁暃暅暆暈暉暊暋暍暎暏暐暒暓暔暕暘",4,"暞",8,"暩",4,"暯",4,"暵暶暷暸暺暻暼暽暿",25,"曚曞",7,"曧曨曪",5,"曱曵曶書曺曻曽朁朂會"],["9640","朄朅朆朇朌朎朏朑朒朓朖朘朙朚朜朞朠",5,"朧朩朮朰朲朳朶朷朸朹朻朼朾朿杁杄杅杇杊杋杍杒杔杕杗",4,"杝杢杣杤杦杧杫杬杮東杴杶"],["9680","杸杹杺杻杽枀枂枃枅枆枈枊枌枍枎枏枑枒枓枔枖枙枛枟枠枡枤枦枩枬枮枱枲枴枹",7,"柂柅",9,"柕柖柗柛柟柡柣柤柦柧柨柪柫柭柮柲柵",7,"柾栁栂栃栄栆栍栐栒栔栕栘",4,"栞栟栠栢",6,"栫",6,"栴栵栶栺栻栿桇桋桍桏桒桖",5],["9740","桜桝桞桟桪桬",7,"桵桸",8,"梂梄梇",7,"梐梑梒梔梕梖梘",9,"梣梤梥梩梪梫梬梮梱梲梴梶梷梸"],["9780","梹",6,"棁棃",5,"棊棌棎棏棐棑棓棔棖棗棙棛",4,"棡棢棤",9,"棯棲棳棴棶棷棸棻棽棾棿椀椂椃椄椆",4,"椌椏椑椓",11,"椡椢椣椥",7,"椮椯椱椲椳椵椶椷椸椺椻椼椾楀楁楃",16,"楕楖楘楙楛楜楟"],["9840","楡楢楤楥楧楨楩楪楬業楯楰楲",4,"楺楻楽楾楿榁榃榅榊榋榌榎",5,"榖榗榙榚榝",9,"榩榪榬榮榯榰榲榳榵榶榸榹榺榼榽"],["9880","榾榿槀槂",7,"構槍槏槑槒槓槕",5,"槜槝槞槡",11,"槮槯槰槱槳",9,"槾樀",9,"樋",11,"標",5,"樠樢",5,"権樫樬樭樮樰樲樳樴樶",6,"樿",4,"橅橆橈",7,"橑",6,"橚"],["9940","橜",4,"橢橣橤橦",10,"橲",6,"橺橻橽橾橿檁檂檃檅",8,"檏檒",4,"檘",7,"檡",5],["9980","檧檨檪檭",114,"欥欦欨",6],["9a40","欯欰欱欳欴欵欶欸欻欼欽欿歀歁歂歄歅歈歊歋歍",11,"歚",7,"歨歩歫",13,"歺歽歾歿殀殅殈"],["9a80","殌殎殏殐殑殔殕殗殘殙殜",4,"殢",7,"殫",7,"殶殸",6,"毀毃毄毆",4,"毌毎毐毑毘毚毜",4,"毢",7,"毬毭毮毰毱毲毴毶毷毸毺毻毼毾",6,"氈",4,"氎氒気氜氝氞氠氣氥氫氬氭氱氳氶氷氹氺氻氼氾氿汃汄汅汈汋",4,"汑汒汓汖汘"],["9b40","汙汚汢汣汥汦汧汫",4,"汱汳汵汷汸決汻汼汿沀沄沇沊沋沍沎沑沒沕沖沗沘沚沜沝沞沠沢沨沬沯沰沴沵沶沷沺泀況泂泃泆泇泈泋泍泎泏泑泒泘"],["9b80","泙泚泜泝泟泤泦泧泩泬泭泲泴泹泿洀洂洃洅洆洈洉洊洍洏洐洑洓洔洕洖洘洜洝洟",5,"洦洨洩洬洭洯洰洴洶洷洸洺洿浀浂浄浉浌浐浕浖浗浘浛浝浟浡浢浤浥浧浨浫浬浭浰浱浲浳浵浶浹浺浻浽",4,"涃涄涆涇涊涋涍涏涐涒涖",4,"涜涢涥涬涭涰涱涳涴涶涷涹",5,"淁淂淃淈淉淊"],["9c40","淍淎淏淐淒淓淔淕淗淚淛淜淟淢淣淥淧淨淩淪淭淯淰淲淴淵淶淸淺淽",7,"渆渇済渉渋渏渒渓渕渘渙減渜渞渟渢渦渧渨渪測渮渰渱渳渵"],["9c80","渶渷渹渻",7,"湅",7,"湏湐湑湒湕湗湙湚湜湝湞湠",10,"湬湭湯",14,"満溁溂溄溇溈溊",4,"溑",6,"溙溚溛溝溞溠溡溣溤溦溨溩溫溬溭溮溰溳溵溸溹溼溾溿滀滃滄滅滆滈滉滊滌滍滎滐滒滖滘滙滛滜滝滣滧滪",5],["9d40","滰滱滲滳滵滶滷滸滺",7,"漃漄漅漇漈漊",4,"漐漑漒漖",9,"漡漢漣漥漦漧漨漬漮漰漲漴漵漷",6,"漿潀潁潂"],["9d80","潃潄潅潈潉潊潌潎",9,"潙潚潛潝潟潠潡潣潤潥潧",5,"潯潰潱潳潵潶潷潹潻潽",6,"澅澆澇澊澋澏",12,"澝澞澟澠澢",4,"澨",10,"澴澵澷澸澺",5,"濁濃",5,"濊",6,"濓",10,"濟濢濣濤濥"],["9e40","濦",7,"濰",32,"瀒",7,"瀜",6,"瀤",6],["9e80","瀫",9,"瀶瀷瀸瀺",17,"灍灎灐",13,"灟",11,"灮灱灲灳灴灷灹灺灻災炁炂炃炄炆炇炈炋炌炍炏炐炑炓炗炘炚炛炞",12,"炰炲炴炵炶為炾炿烄烅烆烇烉烋",12,"烚"],["9f40","烜烝烞烠烡烢烣烥烪烮烰",6,"烸烺烻烼烾",10,"焋",4,"焑焒焔焗焛",10,"焧",7,"焲焳焴"],["9f80","焵焷",13,"煆煇煈煉煋煍煏",12,"煝煟",4,"煥煩",4,"煯煰煱煴煵煶煷煹煻煼煾",5,"熅",4,"熋熌熍熎熐熑熒熓熕熖熗熚",4,"熡",6,"熩熪熫熭",5,"熴熶熷熸熺",8,"燄",9,"燏",4],["a040","燖",9,"燡燢燣燤燦燨",5,"燯",9,"燺",11,"爇",19],["a080","爛爜爞",9,"爩爫爭爮爯爲爳爴爺爼爾牀",6,"牉牊牋牎牏牐牑牓牔牕牗牘牚牜牞牠牣牤牥牨牪牫牬牭牰牱牳牴牶牷牸牻牼牽犂犃犅",4,"犌犎犐犑犓",11,"犠",11,"犮犱犲犳犵犺",6,"狅狆狇狉狊狋狌狏狑狓狔狕狖狘狚狛"],["a1a1"," 、。·ˉˇ¨〃々—~‖…‘’“”〔〕〈",7,"〖〗【】±×÷∶∧∨∑∏∪∩∈∷√⊥∥∠⌒⊙∫∮≡≌≈∽∝≠≮≯≤≥∞∵∴♂♀°′″℃$¤¢£‰§№☆★○●◎◇◆□■△▲※→←↑↓〓"],["a2a1","ⅰ",9],["a2b1","⒈",19,"⑴",19,"①",9],["a2e5","㈠",9],["a2f1","Ⅰ",11],["a3a1","!"#¥%",88," ̄"],["a4a1","ぁ",82],["a5a1","ァ",85],["a6a1","Α",16,"Σ",6],["a6c1","α",16,"σ",6],["a6e0","︵︶︹︺︿﹀︽︾﹁﹂﹃﹄"],["a6ee","︻︼︷︸︱"],["a6f4","︳︴"],["a7a1","А",5,"ЁЖ",25],["a7d1","а",5,"ёж",25],["a840","ˊˋ˙–―‥‵℅℉↖↗↘↙∕∟∣≒≦≧⊿═",35,"▁",6],["a880","█",7,"▓▔▕▼▽◢◣◤◥☉⊕〒〝〞"],["a8a1","āáǎàēéěèīíǐìōóǒòūúǔùǖǘǚǜüêɑ"],["a8bd","ńň"],["a8c0","ɡ"],["a8c5","ㄅ",36],["a940","〡",8,"㊣㎎㎏㎜㎝㎞㎡㏄㏎㏑㏒㏕︰¬¦"],["a959","℡㈱"],["a95c","‐"],["a960","ー゛゜ヽヾ〆ゝゞ﹉",9,"﹔﹕﹖﹗﹙",8],["a980","﹢",4,"﹨﹩﹪﹫"],["a996","〇"],["a9a4","─",75],["aa40","狜狝狟狢",5,"狪狫狵狶狹狽狾狿猀猂猄",5,"猋猌猍猏猐猑猒猔猘猙猚猟猠猣猤猦猧猨猭猯猰猲猳猵猶猺猻猼猽獀",8],["aa80","獉獊獋獌獎獏獑獓獔獕獖獘",7,"獡",10,"獮獰獱"],["ab40","獲",11,"獿",4,"玅玆玈玊玌玍玏玐玒玓玔玕玗玘玙玚玜玝玞玠玡玣",5,"玪玬玭玱玴玵玶玸玹玼玽玾玿珁珃",4],["ab80","珋珌珎珒",6,"珚珛珜珝珟珡珢珣珤珦珨珪珫珬珮珯珰珱珳",4],["ac40","珸",10,"琄琇琈琋琌琍琎琑",8,"琜",5,"琣琤琧琩琫琭琯琱琲琷",4,"琽琾琿瑀瑂",11],["ac80","瑎",6,"瑖瑘瑝瑠",12,"瑮瑯瑱",4,"瑸瑹瑺"],["ad40","瑻瑼瑽瑿璂璄璅璆璈璉璊璌璍璏璑",10,"璝璟",7,"璪",15,"璻",12],["ad80","瓈",9,"瓓",8,"瓝瓟瓡瓥瓧",6,"瓰瓱瓲"],["ae40","瓳瓵瓸",6,"甀甁甂甃甅",7,"甎甐甒甔甕甖甗甛甝甞甠",4,"甦甧甪甮甴甶甹甼甽甿畁畂畃畄畆畇畉畊畍畐畑畒畓畕畖畗畘"],["ae80","畝",7,"畧畨畩畫",6,"畳畵當畷畺",4,"疀疁疂疄疅疇"],["af40","疈疉疊疌疍疎疐疓疕疘疛疜疞疢疦",4,"疭疶疷疺疻疿痀痁痆痋痌痎痏痐痑痓痗痙痚痜痝痟痠痡痥痩痬痭痮痯痲痳痵痶痷痸痺痻痽痾瘂瘄瘆瘇"],["af80","瘈瘉瘋瘍瘎瘏瘑瘒瘓瘔瘖瘚瘜瘝瘞瘡瘣瘧瘨瘬瘮瘯瘱瘲瘶瘷瘹瘺瘻瘽癁療癄"],["b040","癅",6,"癎",5,"癕癗",4,"癝癟癠癡癢癤",6,"癬癭癮癰",7,"癹発發癿皀皁皃皅皉皊皌皍皏皐皒皔皕皗皘皚皛"],["b080","皜",7,"皥",8,"皯皰皳皵",9,"盀盁盃啊阿埃挨哎唉哀皑癌蔼矮艾碍爱隘鞍氨安俺按暗岸胺案肮昂盎凹敖熬翱袄傲奥懊澳芭捌扒叭吧笆八疤巴拔跋靶把耙坝霸罢爸白柏百摆佰败拜稗斑班搬扳般颁板版扮拌伴瓣半办绊邦帮梆榜膀绑棒磅蚌镑傍谤苞胞包褒剥"],["b140","盄盇盉盋盌盓盕盙盚盜盝盞盠",4,"盦",7,"盰盳盵盶盷盺盻盽盿眀眂眃眅眆眊県眎",10,"眛眜眝眞眡眣眤眥眧眪眫"],["b180","眬眮眰",4,"眹眻眽眾眿睂睄睅睆睈",7,"睒",7,"睜薄雹保堡饱宝抱报暴豹鲍爆杯碑悲卑北辈背贝钡倍狈备惫焙被奔苯本笨崩绷甭泵蹦迸逼鼻比鄙笔彼碧蓖蔽毕毙毖币庇痹闭敝弊必辟壁臂避陛鞭边编贬扁便变卞辨辩辫遍标彪膘表鳖憋别瘪彬斌濒滨宾摈兵冰柄丙秉饼炳"],["b240","睝睞睟睠睤睧睩睪睭",11,"睺睻睼瞁瞂瞃瞆",5,"瞏瞐瞓",11,"瞡瞣瞤瞦瞨瞫瞭瞮瞯瞱瞲瞴瞶",4],["b280","瞼瞾矀",12,"矎",8,"矘矙矚矝",4,"矤病并玻菠播拨钵波博勃搏铂箔伯帛舶脖膊渤泊驳捕卜哺补埠不布步簿部怖擦猜裁材才财睬踩采彩菜蔡餐参蚕残惭惨灿苍舱仓沧藏操糙槽曹草厕策侧册测层蹭插叉茬茶查碴搽察岔差诧拆柴豺搀掺蝉馋谗缠铲产阐颤昌猖"],["b340","矦矨矪矯矰矱矲矴矵矷矹矺矻矼砃",5,"砊砋砎砏砐砓砕砙砛砞砠砡砢砤砨砪砫砮砯砱砲砳砵砶砽砿硁硂硃硄硆硈硉硊硋硍硏硑硓硔硘硙硚"],["b380","硛硜硞",11,"硯",7,"硸硹硺硻硽",6,"场尝常长偿肠厂敞畅唱倡超抄钞朝嘲潮巢吵炒车扯撤掣彻澈郴臣辰尘晨忱沉陈趁衬撑称城橙成呈乘程惩澄诚承逞骋秤吃痴持匙池迟弛驰耻齿侈尺赤翅斥炽充冲虫崇宠抽酬畴踌稠愁筹仇绸瞅丑臭初出橱厨躇锄雏滁除楚"],["b440","碄碅碆碈碊碋碏碐碒碔碕碖碙碝碞碠碢碤碦碨",7,"碵碶碷碸確碻碼碽碿磀磂磃磄磆磇磈磌磍磎磏磑磒磓磖磗磘磚",9],["b480","磤磥磦磧磩磪磫磭",4,"磳磵磶磸磹磻",5,"礂礃礄礆",6,"础储矗搐触处揣川穿椽传船喘串疮窗幢床闯创吹炊捶锤垂春椿醇唇淳纯蠢戳绰疵茨磁雌辞慈瓷词此刺赐次聪葱囱匆从丛凑粗醋簇促蹿篡窜摧崔催脆瘁粹淬翠村存寸磋撮搓措挫错搭达答瘩打大呆歹傣戴带殆代贷袋待逮"],["b540","礍",5,"礔",9,"礟",4,"礥",14,"礵",4,"礽礿祂祃祄祅祇祊",8,"祔祕祘祙祡祣"],["b580","祤祦祩祪祫祬祮祰",6,"祹祻",4,"禂禃禆禇禈禉禋禌禍禎禐禑禒怠耽担丹单郸掸胆旦氮但惮淡诞弹蛋当挡党荡档刀捣蹈倒岛祷导到稻悼道盗德得的蹬灯登等瞪凳邓堤低滴迪敌笛狄涤翟嫡抵底地蒂第帝弟递缔颠掂滇碘点典靛垫电佃甸店惦奠淀殿碉叼雕凋刁掉吊钓调跌爹碟蝶迭谍叠"],["b640","禓",6,"禛",11,"禨",10,"禴",4,"禼禿秂秄秅秇秈秊秌秎秏秐秓秔秖秗秙",5,"秠秡秢秥秨秪"],["b680","秬秮秱",6,"秹秺秼秾秿稁稄稅稇稈稉稊稌稏",4,"稕稖稘稙稛稜丁盯叮钉顶鼎锭定订丢东冬董懂动栋侗恫冻洞兜抖斗陡豆逗痘都督毒犊独读堵睹赌杜镀肚度渡妒端短锻段断缎堆兑队对墩吨蹲敦顿囤钝盾遁掇哆多夺垛躲朵跺舵剁惰堕蛾峨鹅俄额讹娥恶厄扼遏鄂饿恩而儿耳尔饵洱二"],["b740","稝稟稡稢稤",14,"稴稵稶稸稺稾穀",5,"穇",9,"穒",4,"穘",16],["b780","穩",6,"穱穲穳穵穻穼穽穾窂窅窇窉窊窋窌窎窏窐窓窔窙窚窛窞窡窢贰发罚筏伐乏阀法珐藩帆番翻樊矾钒繁凡烦反返范贩犯饭泛坊芳方肪房防妨仿访纺放菲非啡飞肥匪诽吠肺废沸费芬酚吩氛分纷坟焚汾粉奋份忿愤粪丰封枫蜂峰锋风疯烽逢冯缝讽奉凤佛否夫敷肤孵扶拂辐幅氟符伏俘服"],["b840","窣窤窧窩窪窫窮",4,"窴",10,"竀",10,"竌",9,"竗竘竚竛竜竝竡竢竤竧",5,"竮竰竱竲竳"],["b880","竴",4,"竻竼竾笀笁笂笅笇笉笌笍笎笐笒笓笖笗笘笚笜笝笟笡笢笣笧笩笭浮涪福袱弗甫抚辅俯釜斧脯腑府腐赴副覆赋复傅付阜父腹负富讣附妇缚咐噶嘎该改概钙盖溉干甘杆柑竿肝赶感秆敢赣冈刚钢缸肛纲岗港杠篙皋高膏羔糕搞镐稿告哥歌搁戈鸽胳疙割革葛格蛤阁隔铬个各给根跟耕更庚羹"],["b940","笯笰笲笴笵笶笷笹笻笽笿",5,"筆筈筊筍筎筓筕筗筙筜筞筟筡筣",10,"筯筰筳筴筶筸筺筼筽筿箁箂箃箄箆",6,"箎箏"],["b980","箑箒箓箖箘箙箚箛箞箟箠箣箤箥箮箯箰箲箳箵箶箷箹",7,"篂篃範埂耿梗工攻功恭龚供躬公宫弓巩汞拱贡共钩勾沟苟狗垢构购够辜菇咕箍估沽孤姑鼓古蛊骨谷股故顾固雇刮瓜剐寡挂褂乖拐怪棺关官冠观管馆罐惯灌贯光广逛瑰规圭硅归龟闺轨鬼诡癸桂柜跪贵刽辊滚棍锅郭国果裹过哈"],["ba40","篅篈築篊篋篍篎篏篐篒篔",4,"篛篜篞篟篠篢篣篤篧篨篩篫篬篭篯篰篲",4,"篸篹篺篻篽篿",7,"簈簉簊簍簎簐",5,"簗簘簙"],["ba80","簚",4,"簠",5,"簨簩簫",12,"簹",5,"籂骸孩海氦亥害骇酣憨邯韩含涵寒函喊罕翰撼捍旱憾悍焊汗汉夯杭航壕嚎豪毫郝好耗号浩呵喝荷菏核禾和何合盒貉阂河涸赫褐鹤贺嘿黑痕很狠恨哼亨横衡恒轰哄烘虹鸿洪宏弘红喉侯猴吼厚候后呼乎忽瑚壶葫胡蝴狐糊湖"],["bb40","籃",9,"籎",36,"籵",5,"籾",9],["bb80","粈粊",6,"粓粔粖粙粚粛粠粡粣粦粧粨粩粫粬粭粯粰粴",4,"粺粻弧虎唬护互沪户花哗华猾滑画划化话槐徊怀淮坏欢环桓还缓换患唤痪豢焕涣宦幻荒慌黄磺蝗簧皇凰惶煌晃幌恍谎灰挥辉徽恢蛔回毁悔慧卉惠晦贿秽会烩汇讳诲绘荤昏婚魂浑混豁活伙火获或惑霍货祸击圾基机畸稽积箕"],["bc40","粿糀糂糃糄糆糉糋糎",6,"糘糚糛糝糞糡",6,"糩",5,"糰",7,"糹糺糼",13,"紋",5],["bc80","紑",14,"紡紣紤紥紦紨紩紪紬紭紮細",6,"肌饥迹激讥鸡姬绩缉吉极棘辑籍集及急疾汲即嫉级挤几脊己蓟技冀季伎祭剂悸济寄寂计记既忌际妓继纪嘉枷夹佳家加荚颊贾甲钾假稼价架驾嫁歼监坚尖笺间煎兼肩艰奸缄茧检柬碱硷拣捡简俭剪减荐槛鉴践贱见键箭件"],["bd40","紷",54,"絯",7],["bd80","絸",32,"健舰剑饯渐溅涧建僵姜将浆江疆蒋桨奖讲匠酱降蕉椒礁焦胶交郊浇骄娇嚼搅铰矫侥脚狡角饺缴绞剿教酵轿较叫窖揭接皆秸街阶截劫节桔杰捷睫竭洁结解姐戒藉芥界借介疥诫届巾筋斤金今津襟紧锦仅谨进靳晋禁近烬浸"],["be40","継",12,"綧",6,"綯",42],["be80","線",32,"尽劲荆兢茎睛晶鲸京惊精粳经井警景颈静境敬镜径痉靖竟竞净炯窘揪究纠玖韭久灸九酒厩救旧臼舅咎就疚鞠拘狙疽居驹菊局咀矩举沮聚拒据巨具距踞锯俱句惧炬剧捐鹃娟倦眷卷绢撅攫抉掘倔爵觉决诀绝均菌钧军君峻"],["bf40","緻",62],["bf80","縺縼",4,"繂",4,"繈",21,"俊竣浚郡骏喀咖卡咯开揩楷凯慨刊堪勘坎砍看康慷糠扛抗亢炕考拷烤靠坷苛柯棵磕颗科壳咳可渴克刻客课肯啃垦恳坑吭空恐孔控抠口扣寇枯哭窟苦酷库裤夸垮挎跨胯块筷侩快宽款匡筐狂框矿眶旷况亏盔岿窥葵奎魁傀"],["c040","繞",35,"纃",23,"纜纝纞"],["c080","纮纴纻纼绖绤绬绹缊缐缞缷缹缻",6,"罃罆",9,"罒罓馈愧溃坤昆捆困括扩廓阔垃拉喇蜡腊辣啦莱来赖蓝婪栏拦篮阑兰澜谰揽览懒缆烂滥琅榔狼廊郎朗浪捞劳牢老佬姥酪烙涝勒乐雷镭蕾磊累儡垒擂肋类泪棱楞冷厘梨犁黎篱狸离漓理李里鲤礼莉荔吏栗丽厉励砾历利傈例俐"],["c140","罖罙罛罜罝罞罠罣",4,"罫罬罭罯罰罳罵罶罷罸罺罻罼罽罿羀羂",7,"羋羍羏",4,"羕",4,"羛羜羠羢羣羥羦羨",6,"羱"],["c180","羳",4,"羺羻羾翀翂翃翄翆翇翈翉翋翍翏",4,"翖翗翙",5,"翢翣痢立粒沥隶力璃哩俩联莲连镰廉怜涟帘敛脸链恋炼练粮凉梁粱良两辆量晾亮谅撩聊僚疗燎寥辽潦了撂镣廖料列裂烈劣猎琳林磷霖临邻鳞淋凛赁吝拎玲菱零龄铃伶羚凌灵陵岭领另令溜琉榴硫馏留刘瘤流柳六龙聋咙笼窿"],["c240","翤翧翨翪翫翬翭翯翲翴",6,"翽翾翿耂耇耈耉耊耎耏耑耓耚耛耝耞耟耡耣耤耫",5,"耲耴耹耺耼耾聀聁聄聅聇聈聉聎聏聐聑聓聕聖聗"],["c280","聙聛",13,"聫",5,"聲",11,"隆垄拢陇楼娄搂篓漏陋芦卢颅庐炉掳卤虏鲁麓碌露路赂鹿潞禄录陆戮驴吕铝侣旅履屡缕虑氯律率滤绿峦挛孪滦卵乱掠略抡轮伦仑沦纶论萝螺罗逻锣箩骡裸落洛骆络妈麻玛码蚂马骂嘛吗埋买麦卖迈脉瞒馒蛮满蔓曼慢漫"],["c340","聾肁肂肅肈肊肍",5,"肔肕肗肙肞肣肦肧肨肬肰肳肵肶肸肹肻胅胇",4,"胏",6,"胘胟胠胢胣胦胮胵胷胹胻胾胿脀脁脃脄脅脇脈脋"],["c380","脌脕脗脙脛脜脝脟",12,"脭脮脰脳脴脵脷脹",4,"脿谩芒茫盲氓忙莽猫茅锚毛矛铆卯茂冒帽貌贸么玫枚梅酶霉煤没眉媒镁每美昧寐妹媚门闷们萌蒙檬盟锰猛梦孟眯醚靡糜迷谜弥米秘觅泌蜜密幂棉眠绵冕免勉娩缅面苗描瞄藐秒渺庙妙蔑灭民抿皿敏悯闽明螟鸣铭名命谬摸"],["c440","腀",5,"腇腉腍腎腏腒腖腗腘腛",4,"腡腢腣腤腦腨腪腫腬腯腲腳腵腶腷腸膁膃",4,"膉膋膌膍膎膐膒",5,"膙膚膞",4,"膤膥"],["c480","膧膩膫",7,"膴",5,"膼膽膾膿臄臅臇臈臉臋臍",6,"摹蘑模膜磨摩魔抹末莫墨默沫漠寞陌谋牟某拇牡亩姆母墓暮幕募慕木目睦牧穆拿哪呐钠那娜纳氖乃奶耐奈南男难囊挠脑恼闹淖呢馁内嫩能妮霓倪泥尼拟你匿腻逆溺蔫拈年碾撵捻念娘酿鸟尿捏聂孽啮镊镍涅您柠狞凝宁"],["c540","臔",14,"臤臥臦臨臩臫臮",4,"臵",5,"臽臿舃與",4,"舎舏舑舓舕",5,"舝舠舤舥舦舧舩舮舲舺舼舽舿"],["c580","艀艁艂艃艅艆艈艊艌艍艎艐",7,"艙艛艜艝艞艠",7,"艩拧泞牛扭钮纽脓浓农弄奴努怒女暖虐疟挪懦糯诺哦欧鸥殴藕呕偶沤啪趴爬帕怕琶拍排牌徘湃派攀潘盘磐盼畔判叛乓庞旁耪胖抛咆刨炮袍跑泡呸胚培裴赔陪配佩沛喷盆砰抨烹澎彭蓬棚硼篷膨朋鹏捧碰坯砒霹批披劈琵毗"],["c640","艪艫艬艭艱艵艶艷艸艻艼芀芁芃芅芆芇芉芌芐芓芔芕芖芚芛芞芠芢芣芧芲芵芶芺芻芼芿苀苂苃苅苆苉苐苖苙苚苝苢苧苨苩苪苬苭苮苰苲苳苵苶苸"],["c680","苺苼",4,"茊茋茍茐茒茓茖茘茙茝",9,"茩茪茮茰茲茷茻茽啤脾疲皮匹痞僻屁譬篇偏片骗飘漂瓢票撇瞥拼频贫品聘乒坪苹萍平凭瓶评屏坡泼颇婆破魄迫粕剖扑铺仆莆葡菩蒲埔朴圃普浦谱曝瀑期欺栖戚妻七凄漆柒沏其棋奇歧畦崎脐齐旗祈祁骑起岂乞企启契砌器气迄弃汽泣讫掐"],["c740","茾茿荁荂荄荅荈荊",4,"荓荕",4,"荝荢荰",6,"荹荺荾",6,"莇莈莊莋莌莍莏莐莑莔莕莖莗莙莚莝莟莡",6,"莬莭莮"],["c780","莯莵莻莾莿菂菃菄菆菈菉菋菍菎菐菑菒菓菕菗菙菚菛菞菢菣菤菦菧菨菫菬菭恰洽牵扦钎铅千迁签仟谦乾黔钱钳前潜遣浅谴堑嵌欠歉枪呛腔羌墙蔷强抢橇锹敲悄桥瞧乔侨巧鞘撬翘峭俏窍切茄且怯窃钦侵亲秦琴勤芹擒禽寝沁青轻氢倾卿清擎晴氰情顷请庆琼穷秋丘邱球求囚酋泅趋区蛆曲躯屈驱渠"],["c840","菮華菳",4,"菺菻菼菾菿萀萂萅萇萈萉萊萐萒",5,"萙萚萛萞",5,"萩",7,"萲",5,"萹萺萻萾",7,"葇葈葉"],["c880","葊",6,"葒",4,"葘葝葞葟葠葢葤",4,"葪葮葯葰葲葴葷葹葻葼取娶龋趣去圈颧权醛泉全痊拳犬券劝缺炔瘸却鹊榷确雀裙群然燃冉染瓤壤攘嚷让饶扰绕惹热壬仁人忍韧任认刃妊纫扔仍日戎茸蓉荣融熔溶容绒冗揉柔肉茹蠕儒孺如辱乳汝入褥软阮蕊瑞锐闰润若弱撒洒萨腮鳃塞赛三叁"],["c940","葽",4,"蒃蒄蒅蒆蒊蒍蒏",7,"蒘蒚蒛蒝蒞蒟蒠蒢",12,"蒰蒱蒳蒵蒶蒷蒻蒼蒾蓀蓂蓃蓅蓆蓇蓈蓋蓌蓎蓏蓒蓔蓕蓗"],["c980","蓘",4,"蓞蓡蓢蓤蓧",4,"蓭蓮蓯蓱",10,"蓽蓾蔀蔁蔂伞散桑嗓丧搔骚扫嫂瑟色涩森僧莎砂杀刹沙纱傻啥煞筛晒珊苫杉山删煽衫闪陕擅赡膳善汕扇缮墒伤商赏晌上尚裳梢捎稍烧芍勺韶少哨邵绍奢赊蛇舌舍赦摄射慑涉社设砷申呻伸身深娠绅神沈审婶甚肾慎渗声生甥牲升绳"],["ca40","蔃",8,"蔍蔎蔏蔐蔒蔔蔕蔖蔘蔙蔛蔜蔝蔞蔠蔢",8,"蔭",9,"蔾",4,"蕄蕅蕆蕇蕋",10],["ca80","蕗蕘蕚蕛蕜蕝蕟",4,"蕥蕦蕧蕩",8,"蕳蕵蕶蕷蕸蕼蕽蕿薀薁省盛剩胜圣师失狮施湿诗尸虱十石拾时什食蚀实识史矢使屎驶始式示士世柿事拭誓逝势是嗜噬适仕侍释饰氏市恃室视试收手首守寿授售受瘦兽蔬枢梳殊抒输叔舒淑疏书赎孰熟薯暑曙署蜀黍鼠属术述树束戍竖墅庶数漱"],["cb40","薂薃薆薈",6,"薐",10,"薝",6,"薥薦薧薩薫薬薭薱",5,"薸薺",6,"藂",6,"藊",4,"藑藒"],["cb80","藔藖",5,"藝",6,"藥藦藧藨藪",14,"恕刷耍摔衰甩帅栓拴霜双爽谁水睡税吮瞬顺舜说硕朔烁斯撕嘶思私司丝死肆寺嗣四伺似饲巳松耸怂颂送宋讼诵搜艘擞嗽苏酥俗素速粟僳塑溯宿诉肃酸蒜算虽隋随绥髓碎岁穗遂隧祟孙损笋蓑梭唆缩琐索锁所塌他它她塔"],["cc40","藹藺藼藽藾蘀",4,"蘆",10,"蘒蘓蘔蘕蘗",15,"蘨蘪",13,"蘹蘺蘻蘽蘾蘿虀"],["cc80","虁",11,"虒虓處",4,"虛虜虝號虠虡虣",7,"獭挞蹋踏胎苔抬台泰酞太态汰坍摊贪瘫滩坛檀痰潭谭谈坦毯袒碳探叹炭汤塘搪堂棠膛唐糖倘躺淌趟烫掏涛滔绦萄桃逃淘陶讨套特藤腾疼誊梯剔踢锑提题蹄啼体替嚏惕涕剃屉天添填田甜恬舔腆挑条迢眺跳贴铁帖厅听烃"],["cd40","虭虯虰虲",6,"蚃",6,"蚎",4,"蚔蚖",5,"蚞",4,"蚥蚦蚫蚭蚮蚲蚳蚷蚸蚹蚻",4,"蛁蛂蛃蛅蛈蛌蛍蛒蛓蛕蛖蛗蛚蛜"],["cd80","蛝蛠蛡蛢蛣蛥蛦蛧蛨蛪蛫蛬蛯蛵蛶蛷蛺蛻蛼蛽蛿蜁蜄蜅蜆蜋蜌蜎蜏蜐蜑蜔蜖汀廷停亭庭挺艇通桐酮瞳同铜彤童桶捅筒统痛偷投头透凸秃突图徒途涂屠土吐兔湍团推颓腿蜕褪退吞屯臀拖托脱鸵陀驮驼椭妥拓唾挖哇蛙洼娃瓦袜歪外豌弯湾玩顽丸烷完碗挽晚皖惋宛婉万腕汪王亡枉网往旺望忘妄威"],["ce40","蜙蜛蜝蜟蜠蜤蜦蜧蜨蜪蜫蜬蜭蜯蜰蜲蜳蜵蜶蜸蜹蜺蜼蜽蝀",6,"蝊蝋蝍蝏蝐蝑蝒蝔蝕蝖蝘蝚",5,"蝡蝢蝦",7,"蝯蝱蝲蝳蝵"],["ce80","蝷蝸蝹蝺蝿螀螁螄螆螇螉螊螌螎",4,"螔螕螖螘",6,"螠",4,"巍微危韦违桅围唯惟为潍维苇萎委伟伪尾纬未蔚味畏胃喂魏位渭谓尉慰卫瘟温蚊文闻纹吻稳紊问嗡翁瓮挝蜗涡窝我斡卧握沃巫呜钨乌污诬屋无芜梧吾吴毋武五捂午舞伍侮坞戊雾晤物勿务悟误昔熙析西硒矽晰嘻吸锡牺"],["cf40","螥螦螧螩螪螮螰螱螲螴螶螷螸螹螻螼螾螿蟁",4,"蟇蟈蟉蟌",4,"蟔",6,"蟜蟝蟞蟟蟡蟢蟣蟤蟦蟧蟨蟩蟫蟬蟭蟯",9],["cf80","蟺蟻蟼蟽蟿蠀蠁蠂蠄",5,"蠋",7,"蠔蠗蠘蠙蠚蠜",4,"蠣稀息希悉膝夕惜熄烯溪汐犀檄袭席习媳喜铣洗系隙戏细瞎虾匣霞辖暇峡侠狭下厦夏吓掀锨先仙鲜纤咸贤衔舷闲涎弦嫌显险现献县腺馅羡宪陷限线相厢镶香箱襄湘乡翔祥详想响享项巷橡像向象萧硝霄削哮嚣销消宵淆晓"],["d040","蠤",13,"蠳",5,"蠺蠻蠽蠾蠿衁衂衃衆",5,"衎",5,"衕衖衘衚",6,"衦衧衪衭衯衱衳衴衵衶衸衹衺"],["d080","衻衼袀袃袆袇袉袊袌袎袏袐袑袓袔袕袗",4,"袝",4,"袣袥",5,"小孝校肖啸笑效楔些歇蝎鞋协挟携邪斜胁谐写械卸蟹懈泄泻谢屑薪芯锌欣辛新忻心信衅星腥猩惺兴刑型形邢行醒幸杏性姓兄凶胸匈汹雄熊休修羞朽嗅锈秀袖绣墟戌需虚嘘须徐许蓄酗叙旭序畜恤絮婿绪续轩喧宣悬旋玄"],["d140","袬袮袯袰袲",4,"袸袹袺袻袽袾袿裀裃裄裇裈裊裋裌裍裏裐裑裓裖裗裚",4,"裠裡裦裧裩",6,"裲裵裶裷裺裻製裿褀褁褃",5],["d180","褉褋",4,"褑褔",4,"褜",4,"褢褣褤褦褧褨褩褬褭褮褯褱褲褳褵褷选癣眩绚靴薛学穴雪血勋熏循旬询寻驯巡殉汛训讯逊迅压押鸦鸭呀丫芽牙蚜崖衙涯雅哑亚讶焉咽阉烟淹盐严研蜒岩延言颜阎炎沿奄掩眼衍演艳堰燕厌砚雁唁彦焰宴谚验殃央鸯秧杨扬佯疡羊洋阳氧仰痒养样漾邀腰妖瑶"],["d240","褸",8,"襂襃襅",24,"襠",5,"襧",19,"襼"],["d280","襽襾覀覂覄覅覇",26,"摇尧遥窑谣姚咬舀药要耀椰噎耶爷野冶也页掖业叶曳腋夜液一壹医揖铱依伊衣颐夷遗移仪胰疑沂宜姨彝椅蚁倚已乙矣以艺抑易邑屹亿役臆逸肄疫亦裔意毅忆义益溢诣议谊译异翼翌绎茵荫因殷音阴姻吟银淫寅饮尹引隐"],["d340","覢",30,"觃觍觓觔觕觗觘觙觛觝觟觠觡觢觤觧觨觩觪觬觭觮觰觱觲觴",6],["d380","觻",4,"訁",5,"計",21,"印英樱婴鹰应缨莹萤营荧蝇迎赢盈影颖硬映哟拥佣臃痈庸雍踊蛹咏泳涌永恿勇用幽优悠忧尤由邮铀犹油游酉有友右佑釉诱又幼迂淤于盂榆虞愚舆余俞逾鱼愉渝渔隅予娱雨与屿禹宇语羽玉域芋郁吁遇喻峪御愈欲狱育誉"],["d440","訞",31,"訿",8,"詉",21],["d480","詟",25,"詺",6,"浴寓裕预豫驭鸳渊冤元垣袁原援辕园员圆猿源缘远苑愿怨院曰约越跃钥岳粤月悦阅耘云郧匀陨允运蕴酝晕韵孕匝砸杂栽哉灾宰载再在咱攒暂赞赃脏葬遭糟凿藻枣早澡蚤躁噪造皂灶燥责择则泽贼怎增憎曾赠扎喳渣札轧"],["d540","誁",7,"誋",7,"誔",46],["d580","諃",32,"铡闸眨栅榨咋乍炸诈摘斋宅窄债寨瞻毡詹粘沾盏斩辗崭展蘸栈占战站湛绽樟章彰漳张掌涨杖丈帐账仗胀瘴障招昭找沼赵照罩兆肇召遮折哲蛰辙者锗蔗这浙珍斟真甄砧臻贞针侦枕疹诊震振镇阵蒸挣睁征狰争怔整拯正政"],["d640","諤",34,"謈",27],["d680","謤謥謧",30,"帧症郑证芝枝支吱蜘知肢脂汁之织职直植殖执值侄址指止趾只旨纸志挚掷至致置帜峙制智秩稚质炙痔滞治窒中盅忠钟衷终种肿重仲众舟周州洲诌粥轴肘帚咒皱宙昼骤珠株蛛朱猪诸诛逐竹烛煮拄瞩嘱主著柱助蛀贮铸筑"],["d740","譆",31,"譧",4,"譭",25],["d780","讇",24,"讬讱讻诇诐诪谉谞住注祝驻抓爪拽专砖转撰赚篆桩庄装妆撞壮状椎锥追赘坠缀谆准捉拙卓桌琢茁酌啄着灼浊兹咨资姿滋淄孜紫仔籽滓子自渍字鬃棕踪宗综总纵邹走奏揍租足卒族祖诅阻组钻纂嘴醉最罪尊遵昨左佐柞做作坐座"],["d840","谸",8,"豂豃豄豅豈豊豋豍",7,"豖豗豘豙豛",5,"豣",6,"豬",6,"豴豵豶豷豻",6,"貃貄貆貇"],["d880","貈貋貍",6,"貕貖貗貙",20,"亍丌兀丐廿卅丕亘丞鬲孬噩丨禺丿匕乇夭爻卮氐囟胤馗毓睾鼗丶亟鼐乜乩亓芈孛啬嘏仄厍厝厣厥厮靥赝匚叵匦匮匾赜卦卣刂刈刎刭刳刿剀剌剞剡剜蒯剽劂劁劐劓冂罔亻仃仉仂仨仡仫仞伛仳伢佤仵伥伧伉伫佞佧攸佚佝"],["d940","貮",62],["d980","賭",32,"佟佗伲伽佶佴侑侉侃侏佾佻侪佼侬侔俦俨俪俅俚俣俜俑俟俸倩偌俳倬倏倮倭俾倜倌倥倨偾偃偕偈偎偬偻傥傧傩傺僖儆僭僬僦僮儇儋仝氽佘佥俎龠汆籴兮巽黉馘冁夔勹匍訇匐凫夙兕亠兖亳衮袤亵脔裒禀嬴蠃羸冫冱冽冼"],["da40","贎",14,"贠赑赒赗赟赥赨赩赪赬赮赯赱赲赸",8,"趂趃趆趇趈趉趌",4,"趒趓趕",9,"趠趡"],["da80","趢趤",12,"趲趶趷趹趻趽跀跁跂跅跇跈跉跊跍跐跒跓跔凇冖冢冥讠讦讧讪讴讵讷诂诃诋诏诎诒诓诔诖诘诙诜诟诠诤诨诩诮诰诳诶诹诼诿谀谂谄谇谌谏谑谒谔谕谖谙谛谘谝谟谠谡谥谧谪谫谮谯谲谳谵谶卩卺阝阢阡阱阪阽阼陂陉陔陟陧陬陲陴隈隍隗隰邗邛邝邙邬邡邴邳邶邺"],["db40","跕跘跙跜跠跡跢跥跦跧跩跭跮跰跱跲跴跶跼跾",6,"踆踇踈踋踍踎踐踑踒踓踕",7,"踠踡踤",4,"踫踭踰踲踳踴踶踷踸踻踼踾"],["db80","踿蹃蹅蹆蹌",4,"蹓",5,"蹚",11,"蹧蹨蹪蹫蹮蹱邸邰郏郅邾郐郄郇郓郦郢郜郗郛郫郯郾鄄鄢鄞鄣鄱鄯鄹酃酆刍奂劢劬劭劾哿勐勖勰叟燮矍廴凵凼鬯厶弁畚巯坌垩垡塾墼壅壑圩圬圪圳圹圮圯坜圻坂坩垅坫垆坼坻坨坭坶坳垭垤垌垲埏垧垴垓垠埕埘埚埙埒垸埴埯埸埤埝"],["dc40","蹳蹵蹷",4,"蹽蹾躀躂躃躄躆躈",6,"躑躒躓躕",6,"躝躟",11,"躭躮躰躱躳",6,"躻",7],["dc80","軃",10,"軏",21,"堋堍埽埭堀堞堙塄堠塥塬墁墉墚墀馨鼙懿艹艽艿芏芊芨芄芎芑芗芙芫芸芾芰苈苊苣芘芷芮苋苌苁芩芴芡芪芟苄苎芤苡茉苷苤茏茇苜苴苒苘茌苻苓茑茚茆茔茕苠苕茜荑荛荜茈莒茼茴茱莛荞茯荏荇荃荟荀茗荠茭茺茳荦荥"],["dd40","軥",62],["dd80","輤",32,"荨茛荩荬荪荭荮莰荸莳莴莠莪莓莜莅荼莶莩荽莸荻莘莞莨莺莼菁萁菥菘堇萘萋菝菽菖萜萸萑萆菔菟萏萃菸菹菪菅菀萦菰菡葜葑葚葙葳蒇蒈葺蒉葸萼葆葩葶蒌蒎萱葭蓁蓍蓐蓦蒽蓓蓊蒿蒺蓠蒡蒹蒴蒗蓥蓣蔌甍蔸蓰蔹蔟蔺"],["de40","轅",32,"轪辀辌辒辝辠辡辢辤辥辦辧辪辬辭辮辯農辳辴辵辷辸辺辻込辿迀迃迆"],["de80","迉",4,"迏迒迖迗迚迠迡迣迧迬迯迱迲迴迵迶迺迻迼迾迿逇逈逌逎逓逕逘蕖蔻蓿蓼蕙蕈蕨蕤蕞蕺瞢蕃蕲蕻薤薨薇薏蕹薮薜薅薹薷薰藓藁藜藿蘧蘅蘩蘖蘼廾弈夼奁耷奕奚奘匏尢尥尬尴扌扪抟抻拊拚拗拮挢拶挹捋捃掭揶捱捺掎掴捭掬掊捩掮掼揲揸揠揿揄揞揎摒揆掾摅摁搋搛搠搌搦搡摞撄摭撖"],["df40","這逜連逤逥逧",5,"逰",4,"逷逹逺逽逿遀遃遅遆遈",4,"過達違遖遙遚遜",5,"遤遦遧適遪遫遬遯",4,"遶",6,"遾邁"],["df80","還邅邆邇邉邊邌",4,"邒邔邖邘邚邜邞邟邠邤邥邧邨邩邫邭邲邷邼邽邿郀摺撷撸撙撺擀擐擗擤擢攉攥攮弋忒甙弑卟叱叽叩叨叻吒吖吆呋呒呓呔呖呃吡呗呙吣吲咂咔呷呱呤咚咛咄呶呦咝哐咭哂咴哒咧咦哓哔呲咣哕咻咿哌哙哚哜咩咪咤哝哏哞唛哧唠哽唔哳唢唣唏唑唧唪啧喏喵啉啭啁啕唿啐唼"],["e040","郂郃郆郈郉郋郌郍郒郔郕郖郘郙郚郞郟郠郣郤郥郩郪郬郮郰郱郲郳郵郶郷郹郺郻郼郿鄀鄁鄃鄅",19,"鄚鄛鄜"],["e080","鄝鄟鄠鄡鄤",10,"鄰鄲",6,"鄺",8,"酄唷啖啵啶啷唳唰啜喋嗒喃喱喹喈喁喟啾嗖喑啻嗟喽喾喔喙嗪嗷嗉嘟嗑嗫嗬嗔嗦嗝嗄嗯嗥嗲嗳嗌嗍嗨嗵嗤辔嘞嘈嘌嘁嘤嘣嗾嘀嘧嘭噘嘹噗嘬噍噢噙噜噌噔嚆噤噱噫噻噼嚅嚓嚯囔囗囝囡囵囫囹囿圄圊圉圜帏帙帔帑帱帻帼"],["e140","酅酇酈酑酓酔酕酖酘酙酛酜酟酠酦酧酨酫酭酳酺酻酼醀",4,"醆醈醊醎醏醓",6,"醜",5,"醤",5,"醫醬醰醱醲醳醶醷醸醹醻"],["e180","醼",10,"釈釋釐釒",9,"針",8,"帷幄幔幛幞幡岌屺岍岐岖岈岘岙岑岚岜岵岢岽岬岫岱岣峁岷峄峒峤峋峥崂崃崧崦崮崤崞崆崛嵘崾崴崽嵬嵛嵯嵝嵫嵋嵊嵩嵴嶂嶙嶝豳嶷巅彳彷徂徇徉後徕徙徜徨徭徵徼衢彡犭犰犴犷犸狃狁狎狍狒狨狯狩狲狴狷猁狳猃狺"],["e240","釦",62],["e280","鈥",32,"狻猗猓猡猊猞猝猕猢猹猥猬猸猱獐獍獗獠獬獯獾舛夥飧夤夂饣饧",5,"饴饷饽馀馄馇馊馍馐馑馓馔馕庀庑庋庖庥庠庹庵庾庳赓廒廑廛廨廪膺忄忉忖忏怃忮怄忡忤忾怅怆忪忭忸怙怵怦怛怏怍怩怫怊怿怡恸恹恻恺恂"],["e340","鉆",45,"鉵",16],["e380","銆",7,"銏",24,"恪恽悖悚悭悝悃悒悌悛惬悻悱惝惘惆惚悴愠愦愕愣惴愀愎愫慊慵憬憔憧憷懔懵忝隳闩闫闱闳闵闶闼闾阃阄阆阈阊阋阌阍阏阒阕阖阗阙阚丬爿戕氵汔汜汊沣沅沐沔沌汨汩汴汶沆沩泐泔沭泷泸泱泗沲泠泖泺泫泮沱泓泯泾"],["e440","銨",5,"銯",24,"鋉",31],["e480","鋩",32,"洹洧洌浃浈洇洄洙洎洫浍洮洵洚浏浒浔洳涑浯涞涠浞涓涔浜浠浼浣渚淇淅淞渎涿淠渑淦淝淙渖涫渌涮渫湮湎湫溲湟溆湓湔渲渥湄滟溱溘滠漭滢溥溧溽溻溷滗溴滏溏滂溟潢潆潇漤漕滹漯漶潋潴漪漉漩澉澍澌潸潲潼潺濑"],["e540","錊",51,"錿",10],["e580","鍊",31,"鍫濉澧澹澶濂濡濮濞濠濯瀚瀣瀛瀹瀵灏灞宀宄宕宓宥宸甯骞搴寤寮褰寰蹇謇辶迓迕迥迮迤迩迦迳迨逅逄逋逦逑逍逖逡逵逶逭逯遄遑遒遐遨遘遢遛暹遴遽邂邈邃邋彐彗彖彘尻咫屐屙孱屣屦羼弪弩弭艴弼鬻屮妁妃妍妩妪妣"],["e640","鍬",34,"鎐",27],["e680","鎬",29,"鏋鏌鏍妗姊妫妞妤姒妲妯姗妾娅娆姝娈姣姘姹娌娉娲娴娑娣娓婀婧婊婕娼婢婵胬媪媛婷婺媾嫫媲嫒嫔媸嫠嫣嫱嫖嫦嫘嫜嬉嬗嬖嬲嬷孀尕尜孚孥孳孑孓孢驵驷驸驺驿驽骀骁骅骈骊骐骒骓骖骘骛骜骝骟骠骢骣骥骧纟纡纣纥纨纩"],["e740","鏎",7,"鏗",54],["e780","鐎",32,"纭纰纾绀绁绂绉绋绌绐绔绗绛绠绡绨绫绮绯绱绲缍绶绺绻绾缁缂缃缇缈缋缌缏缑缒缗缙缜缛缟缡",6,"缪缫缬缭缯",4,"缵幺畿巛甾邕玎玑玮玢玟珏珂珑玷玳珀珉珈珥珙顼琊珩珧珞玺珲琏琪瑛琦琥琨琰琮琬"],["e840","鐯",14,"鐿",43,"鑬鑭鑮鑯"],["e880","鑰",20,"钑钖钘铇铏铓铔铚铦铻锜锠琛琚瑁瑜瑗瑕瑙瑷瑭瑾璜璎璀璁璇璋璞璨璩璐璧瓒璺韪韫韬杌杓杞杈杩枥枇杪杳枘枧杵枨枞枭枋杷杼柰栉柘栊柩枰栌柙枵柚枳柝栀柃枸柢栎柁柽栲栳桠桡桎桢桄桤梃栝桕桦桁桧桀栾桊桉栩梵梏桴桷梓桫棂楮棼椟椠棹"],["e940","锧锳锽镃镈镋镕镚镠镮镴镵長",7,"門",42],["e980","閫",32,"椤棰椋椁楗棣椐楱椹楠楂楝榄楫榀榘楸椴槌榇榈槎榉楦楣楹榛榧榻榫榭槔榱槁槊槟榕槠榍槿樯槭樗樘橥槲橄樾檠橐橛樵檎橹樽樨橘橼檑檐檩檗檫猷獒殁殂殇殄殒殓殍殚殛殡殪轫轭轱轲轳轵轶轸轷轹轺轼轾辁辂辄辇辋"],["ea40","闌",27,"闬闿阇阓阘阛阞阠阣",6,"阫阬阭阯阰阷阸阹阺阾陁陃陊陎陏陑陒陓陖陗"],["ea80","陘陙陚陜陝陞陠陣陥陦陫陭",4,"陳陸",12,"隇隉隊辍辎辏辘辚軎戋戗戛戟戢戡戥戤戬臧瓯瓴瓿甏甑甓攴旮旯旰昊昙杲昃昕昀炅曷昝昴昱昶昵耆晟晔晁晏晖晡晗晷暄暌暧暝暾曛曜曦曩贲贳贶贻贽赀赅赆赈赉赇赍赕赙觇觊觋觌觎觏觐觑牮犟牝牦牯牾牿犄犋犍犏犒挈挲掰"],["eb40","隌階隑隒隓隕隖隚際隝",9,"隨",7,"隱隲隴隵隷隸隺隻隿雂雃雈雊雋雐雑雓雔雖",9,"雡",6,"雫"],["eb80","雬雭雮雰雱雲雴雵雸雺電雼雽雿霂霃霅霊霋霌霐霑霒霔霕霗",4,"霝霟霠搿擘耄毪毳毽毵毹氅氇氆氍氕氘氙氚氡氩氤氪氲攵敕敫牍牒牖爰虢刖肟肜肓肼朊肽肱肫肭肴肷胧胨胩胪胛胂胄胙胍胗朐胝胫胱胴胭脍脎胲胼朕脒豚脶脞脬脘脲腈腌腓腴腙腚腱腠腩腼腽腭腧塍媵膈膂膑滕膣膪臌朦臊膻"],["ec40","霡",8,"霫霬霮霯霱霳",4,"霺霻霼霽霿",18,"靔靕靗靘靚靜靝靟靣靤靦靧靨靪",7],["ec80","靲靵靷",4,"靽",7,"鞆",4,"鞌鞎鞏鞐鞓鞕鞖鞗鞙",4,"臁膦欤欷欹歃歆歙飑飒飓飕飙飚殳彀毂觳斐齑斓於旆旄旃旌旎旒旖炀炜炖炝炻烀炷炫炱烨烊焐焓焖焯焱煳煜煨煅煲煊煸煺熘熳熵熨熠燠燔燧燹爝爨灬焘煦熹戾戽扃扈扉礻祀祆祉祛祜祓祚祢祗祠祯祧祺禅禊禚禧禳忑忐"],["ed40","鞞鞟鞡鞢鞤",6,"鞬鞮鞰鞱鞳鞵",46],["ed80","韤韥韨韮",4,"韴韷",23,"怼恝恚恧恁恙恣悫愆愍慝憩憝懋懑戆肀聿沓泶淼矶矸砀砉砗砘砑斫砭砜砝砹砺砻砟砼砥砬砣砩硎硭硖硗砦硐硇硌硪碛碓碚碇碜碡碣碲碹碥磔磙磉磬磲礅磴礓礤礞礴龛黹黻黼盱眄眍盹眇眈眚眢眙眭眦眵眸睐睑睇睃睚睨"],["ee40","頏",62],["ee80","顎",32,"睢睥睿瞍睽瞀瞌瞑瞟瞠瞰瞵瞽町畀畎畋畈畛畲畹疃罘罡罟詈罨罴罱罹羁罾盍盥蠲钅钆钇钋钊钌钍钏钐钔钗钕钚钛钜钣钤钫钪钭钬钯钰钲钴钶",4,"钼钽钿铄铈",6,"铐铑铒铕铖铗铙铘铛铞铟铠铢铤铥铧铨铪"],["ef40","顯",5,"颋颎颒颕颙颣風",37,"飏飐飔飖飗飛飜飝飠",4],["ef80","飥飦飩",30,"铩铫铮铯铳铴铵铷铹铼铽铿锃锂锆锇锉锊锍锎锏锒",4,"锘锛锝锞锟锢锪锫锩锬锱锲锴锶锷锸锼锾锿镂锵镄镅镆镉镌镎镏镒镓镔镖镗镘镙镛镞镟镝镡镢镤",8,"镯镱镲镳锺矧矬雉秕秭秣秫稆嵇稃稂稞稔"],["f040","餈",4,"餎餏餑",28,"餯",26],["f080","饊",9,"饖",12,"饤饦饳饸饹饻饾馂馃馉稹稷穑黏馥穰皈皎皓皙皤瓞瓠甬鸠鸢鸨",4,"鸲鸱鸶鸸鸷鸹鸺鸾鹁鹂鹄鹆鹇鹈鹉鹋鹌鹎鹑鹕鹗鹚鹛鹜鹞鹣鹦",6,"鹱鹭鹳疒疔疖疠疝疬疣疳疴疸痄疱疰痃痂痖痍痣痨痦痤痫痧瘃痱痼痿瘐瘀瘅瘌瘗瘊瘥瘘瘕瘙"],["f140","馌馎馚",10,"馦馧馩",47],["f180","駙",32,"瘛瘼瘢瘠癀瘭瘰瘿瘵癃瘾瘳癍癞癔癜癖癫癯翊竦穸穹窀窆窈窕窦窠窬窨窭窳衤衩衲衽衿袂袢裆袷袼裉裢裎裣裥裱褚裼裨裾裰褡褙褓褛褊褴褫褶襁襦襻疋胥皲皴矜耒耔耖耜耠耢耥耦耧耩耨耱耋耵聃聆聍聒聩聱覃顸颀颃"],["f240","駺",62],["f280","騹",32,"颉颌颍颏颔颚颛颞颟颡颢颥颦虍虔虬虮虿虺虼虻蚨蚍蚋蚬蚝蚧蚣蚪蚓蚩蚶蛄蚵蛎蚰蚺蚱蚯蛉蛏蚴蛩蛱蛲蛭蛳蛐蜓蛞蛴蛟蛘蛑蜃蜇蛸蜈蜊蜍蜉蜣蜻蜞蜥蜮蜚蜾蝈蜴蜱蜩蜷蜿螂蜢蝽蝾蝻蝠蝰蝌蝮螋蝓蝣蝼蝤蝙蝥螓螯螨蟒"],["f340","驚",17,"驲骃骉骍骎骔骕骙骦骩",6,"骲骳骴骵骹骻骽骾骿髃髄髆",4,"髍髎髏髐髒體髕髖髗髙髚髛髜"],["f380","髝髞髠髢髣髤髥髧髨髩髪髬髮髰",8,"髺髼",6,"鬄鬅鬆蟆螈螅螭螗螃螫蟥螬螵螳蟋蟓螽蟑蟀蟊蟛蟪蟠蟮蠖蠓蟾蠊蠛蠡蠹蠼缶罂罄罅舐竺竽笈笃笄笕笊笫笏筇笸笪笙笮笱笠笥笤笳笾笞筘筚筅筵筌筝筠筮筻筢筲筱箐箦箧箸箬箝箨箅箪箜箢箫箴篑篁篌篝篚篥篦篪簌篾篼簏簖簋"],["f440","鬇鬉",5,"鬐鬑鬒鬔",10,"鬠鬡鬢鬤",10,"鬰鬱鬳",7,"鬽鬾鬿魀魆魊魋魌魎魐魒魓魕",5],["f480","魛",32,"簟簪簦簸籁籀臾舁舂舄臬衄舡舢舣舭舯舨舫舸舻舳舴舾艄艉艋艏艚艟艨衾袅袈裘裟襞羝羟羧羯羰羲籼敉粑粝粜粞粢粲粼粽糁糇糌糍糈糅糗糨艮暨羿翎翕翥翡翦翩翮翳糸絷綦綮繇纛麸麴赳趄趔趑趱赧赭豇豉酊酐酎酏酤"],["f540","魼",62],["f580","鮻",32,"酢酡酰酩酯酽酾酲酴酹醌醅醐醍醑醢醣醪醭醮醯醵醴醺豕鹾趸跫踅蹙蹩趵趿趼趺跄跖跗跚跞跎跏跛跆跬跷跸跣跹跻跤踉跽踔踝踟踬踮踣踯踺蹀踹踵踽踱蹉蹁蹂蹑蹒蹊蹰蹶蹼蹯蹴躅躏躔躐躜躞豸貂貊貅貘貔斛觖觞觚觜"],["f640","鯜",62],["f680","鰛",32,"觥觫觯訾謦靓雩雳雯霆霁霈霏霎霪霭霰霾龀龃龅",5,"龌黾鼋鼍隹隼隽雎雒瞿雠銎銮鋈錾鍪鏊鎏鐾鑫鱿鲂鲅鲆鲇鲈稣鲋鲎鲐鲑鲒鲔鲕鲚鲛鲞",5,"鲥",4,"鲫鲭鲮鲰",7,"鲺鲻鲼鲽鳄鳅鳆鳇鳊鳋"],["f740","鰼",62],["f780","鱻鱽鱾鲀鲃鲄鲉鲊鲌鲏鲓鲖鲗鲘鲙鲝鲪鲬鲯鲹鲾",4,"鳈鳉鳑鳒鳚鳛鳠鳡鳌",4,"鳓鳔鳕鳗鳘鳙鳜鳝鳟鳢靼鞅鞑鞒鞔鞯鞫鞣鞲鞴骱骰骷鹘骶骺骼髁髀髅髂髋髌髑魅魃魇魉魈魍魑飨餍餮饕饔髟髡髦髯髫髻髭髹鬈鬏鬓鬟鬣麽麾縻麂麇麈麋麒鏖麝麟黛黜黝黠黟黢黩黧黥黪黯鼢鼬鼯鼹鼷鼽鼾齄"],["f840","鳣",62],["f880","鴢",32],["f940","鵃",62],["f980","鶂",32],["fa40","鶣",62],["fa80","鷢",32],["fb40","鸃",27,"鸤鸧鸮鸰鸴鸻鸼鹀鹍鹐鹒鹓鹔鹖鹙鹝鹟鹠鹡鹢鹥鹮鹯鹲鹴",9,"麀"],["fb80","麁麃麄麅麆麉麊麌",5,"麔",8,"麞麠",5,"麧麨麩麪"],["fc40","麫",8,"麵麶麷麹麺麼麿",4,"黅黆黇黈黊黋黌黐黒黓黕黖黗黙黚點黡黣黤黦黨黫黬黭黮黰",8,"黺黽黿",6],["fc80","鼆",4,"鼌鼏鼑鼒鼔鼕鼖鼘鼚",5,"鼡鼣",8,"鼭鼮鼰鼱"],["fd40","鼲",4,"鼸鼺鼼鼿",4,"齅",10,"齒",38],["fd80","齹",5,"龁龂龍",11,"龜龝龞龡",4,"郎凉秊裏隣"],["fe40","兀嗀﨎﨏﨑﨓﨔礼﨟蘒﨡﨣﨤﨧﨨﨩"]]; - -/***/ }), -/* 19 */ -/***/ (function(module, exports, __webpack_require__) { - - -var zlib = __webpack_require__(153) - -module.exports = inflate - -function inflate(stream, options) { - if (!stream) { - throw new TypeError('argument stream is required') - } - - options = options || {} - - var encoding = options.encoding - || (stream.headers && stream.headers['content-encoding']) - || 'identity' - - switch (encoding) { - case 'gzip': - case 'deflate': - break - case 'identity': - return stream - default: - var err = new Error('Unsupported Content-Encoding: ' + encoding) - err.status = 415 - throw err - } - - // no not pass-through encoding - delete options.encoding - - return stream.pipe(zlib.Unzip(options)) -} - - -/***/ }), -/* 20 */ -/***/ (function(module, exports) { - - -/** - * Module dependencies. - */ - -exports.clone = function (opts) { - var options = {}; - opts = opts || {}; - for (var key in opts) { - options[key] = opts[key]; - } - return options; -} - - -/***/ }), -/* 21 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var has = Object.prototype.hasOwnProperty; -var isArray = Array.isArray; - -var hexTable = (function () { - var array = []; - for (var i = 0; i < 256; ++i) { - array.push('%' + ((i < 16 ? '0' : '') + i.toString(16)).toUpperCase()); - } - - return array; -}()); - -var compactQueue = function compactQueue(queue) { - while (queue.length > 1) { - var item = queue.pop(); - var obj = item.obj[item.prop]; - - if (isArray(obj)) { - var compacted = []; - - for (var j = 0; j < obj.length; ++j) { - if (typeof obj[j] !== 'undefined') { - compacted.push(obj[j]); - } - } - - item.obj[item.prop] = compacted; - } - } -}; - -var arrayToObject = function arrayToObject(source, options) { - var obj = options && options.plainObjects ? Object.create(null) : {}; - for (var i = 0; i < source.length; ++i) { - if (typeof source[i] !== 'undefined') { - obj[i] = source[i]; - } - } - - return obj; -}; - -var merge = function merge(target, source, options) { - /* eslint no-param-reassign: 0 */ - if (!source) { - return target; - } - - if (typeof source !== 'object') { - if (isArray(target)) { - target.push(source); - } else if (target && typeof target === 'object') { - if ((options && (options.plainObjects || options.allowPrototypes)) || !has.call(Object.prototype, source)) { - target[source] = true; - } - } else { - return [target, source]; - } - - return target; - } - - if (!target || typeof target !== 'object') { - return [target].concat(source); - } - - var mergeTarget = target; - if (isArray(target) && !isArray(source)) { - mergeTarget = arrayToObject(target, options); - } - - if (isArray(target) && isArray(source)) { - source.forEach(function (item, i) { - if (has.call(target, i)) { - var targetItem = target[i]; - if (targetItem && typeof targetItem === 'object' && item && typeof item === 'object') { - target[i] = merge(targetItem, item, options); - } else { - target.push(item); - } - } else { - target[i] = item; - } - }); - return target; - } - - return Object.keys(source).reduce(function (acc, key) { - var value = source[key]; - - if (has.call(acc, key)) { - acc[key] = merge(acc[key], value, options); - } else { - acc[key] = value; - } - return acc; - }, mergeTarget); -}; - -var assign = function assignSingleSource(target, source) { - return Object.keys(source).reduce(function (acc, key) { - acc[key] = source[key]; - return acc; - }, target); -}; - -var decode = function (str, decoder, charset) { - var strWithoutPlus = str.replace(/\+/g, ' '); - if (charset === 'iso-8859-1') { - // unescape never throws, no try...catch needed: - return strWithoutPlus.replace(/%[0-9a-f]{2}/gi, unescape); - } - // utf-8 - try { - return decodeURIComponent(strWithoutPlus); - } catch (e) { - return strWithoutPlus; - } -}; - -var encode = function encode(str, defaultEncoder, charset) { - // This code was originally written by Brian White (mscdex) for the io.js core querystring library. - // It has been adapted here for stricter adherence to RFC 3986 - if (str.length === 0) { - return str; - } - - var string = str; - if (typeof str === 'symbol') { - string = Symbol.prototype.toString.call(str); - } else if (typeof str !== 'string') { - string = String(str); - } - - if (charset === 'iso-8859-1') { - return escape(string).replace(/%u[0-9a-f]{4}/gi, function ($0) { - return '%26%23' + parseInt($0.slice(2), 16) + '%3B'; - }); - } - - var out = ''; - for (var i = 0; i < string.length; ++i) { - var c = string.charCodeAt(i); - - if ( - c === 0x2D // - - || c === 0x2E // . - || c === 0x5F // _ - || c === 0x7E // ~ - || (c >= 0x30 && c <= 0x39) // 0-9 - || (c >= 0x41 && c <= 0x5A) // a-z - || (c >= 0x61 && c <= 0x7A) // A-Z - ) { - out += string.charAt(i); - continue; - } - - if (c < 0x80) { - out = out + hexTable[c]; - continue; - } - - if (c < 0x800) { - out = out + (hexTable[0xC0 | (c >> 6)] + hexTable[0x80 | (c & 0x3F)]); - continue; - } - - if (c < 0xD800 || c >= 0xE000) { - out = out + (hexTable[0xE0 | (c >> 12)] + hexTable[0x80 | ((c >> 6) & 0x3F)] + hexTable[0x80 | (c & 0x3F)]); - continue; - } - - i += 1; - c = 0x10000 + (((c & 0x3FF) << 10) | (string.charCodeAt(i) & 0x3FF)); - out += hexTable[0xF0 | (c >> 18)] - + hexTable[0x80 | ((c >> 12) & 0x3F)] - + hexTable[0x80 | ((c >> 6) & 0x3F)] - + hexTable[0x80 | (c & 0x3F)]; - } - - return out; -}; - -var compact = function compact(value) { - var queue = [{ obj: { o: value }, prop: 'o' }]; - var refs = []; - - for (var i = 0; i < queue.length; ++i) { - var item = queue[i]; - var obj = item.obj[item.prop]; - - var keys = Object.keys(obj); - for (var j = 0; j < keys.length; ++j) { - var key = keys[j]; - var val = obj[key]; - if (typeof val === 'object' && val !== null && refs.indexOf(val) === -1) { - queue.push({ obj: obj, prop: key }); - refs.push(val); - } - } - } - - compactQueue(queue); - - return value; -}; - -var isRegExp = function isRegExp(obj) { - return Object.prototype.toString.call(obj) === '[object RegExp]'; -}; - -var isBuffer = function isBuffer(obj) { - if (!obj || typeof obj !== 'object') { - return false; - } - - return !!(obj.constructor && obj.constructor.isBuffer && obj.constructor.isBuffer(obj)); -}; - -var combine = function combine(a, b) { - return [].concat(a, b); -}; - -var maybeMap = function maybeMap(val, fn) { - if (isArray(val)) { - var mapped = []; - for (var i = 0; i < val.length; i += 1) { - mapped.push(fn(val[i])); - } - return mapped; - } - return fn(val); -}; - -module.exports = { - arrayToObject: arrayToObject, - assign: assign, - combine: combine, - compact: compact, - decode: decode, - encode: encode, - isBuffer: isBuffer, - isRegExp: isRegExp, - maybeMap: maybeMap, - merge: merge -}; - - -/***/ }), -/* 22 */ -/***/ (function(module, exports, __webpack_require__) { - -module.exports = minimatch -minimatch.Minimatch = Minimatch - -var path = { sep: '/' } -try { - path = __webpack_require__(0) -} catch (er) {} - -var GLOBSTAR = minimatch.GLOBSTAR = Minimatch.GLOBSTAR = {} -var expand = __webpack_require__(167) - -var plTypes = { - '!': { open: '(?:(?!(?:', close: '))[^/]*?)'}, - '?': { open: '(?:', close: ')?' }, - '+': { open: '(?:', close: ')+' }, - '*': { open: '(?:', close: ')*' }, - '@': { open: '(?:', close: ')' } -} - -// any single thing other than / -// don't need to escape / when using new RegExp() -var qmark = '[^/]' - -// * => any number of characters -var star = qmark + '*?' - -// ** when dots are allowed. Anything goes, except .. and . -// not (^ or / followed by one or two dots followed by $ or /), -// followed by anything, any number of times. -var twoStarDot = '(?:(?!(?:\\\/|^)(?:\\.{1,2})($|\\\/)).)*?' - -// not a ^ or / followed by a dot, -// followed by anything, any number of times. -var twoStarNoDot = '(?:(?!(?:\\\/|^)\\.).)*?' - -// characters that need to be escaped in RegExp. -var reSpecials = charSet('().*{}+?[]^$\\!') - -// "abc" -> { a:true, b:true, c:true } -function charSet (s) { - return s.split('').reduce(function (set, c) { - set[c] = true - return set - }, {}) -} - -// normalizes slashes. -var slashSplit = /\/+/ - -minimatch.filter = filter -function filter (pattern, options) { - options = options || {} - return function (p, i, list) { - return minimatch(p, pattern, options) - } -} - -function ext (a, b) { - a = a || {} - b = b || {} - var t = {} - Object.keys(b).forEach(function (k) { - t[k] = b[k] - }) - Object.keys(a).forEach(function (k) { - t[k] = a[k] - }) - return t -} - -minimatch.defaults = function (def) { - if (!def || !Object.keys(def).length) return minimatch - - var orig = minimatch - - var m = function minimatch (p, pattern, options) { - return orig.minimatch(p, pattern, ext(def, options)) - } - - m.Minimatch = function Minimatch (pattern, options) { - return new orig.Minimatch(pattern, ext(def, options)) - } - - return m -} - -Minimatch.defaults = function (def) { - if (!def || !Object.keys(def).length) return Minimatch - return minimatch.defaults(def).Minimatch -} - -function minimatch (p, pattern, options) { - if (typeof pattern !== 'string') { - throw new TypeError('glob pattern string required') - } - - if (!options) options = {} - - // shortcut: comments match nothing. - if (!options.nocomment && pattern.charAt(0) === '#') { - return false - } - - // "" only matches "" - if (pattern.trim() === '') return p === '' - - return new Minimatch(pattern, options).match(p) -} - -function Minimatch (pattern, options) { - if (!(this instanceof Minimatch)) { - return new Minimatch(pattern, options) - } - - if (typeof pattern !== 'string') { - throw new TypeError('glob pattern string required') - } - - if (!options) options = {} - pattern = pattern.trim() - - // windows support: need to use /, not \ - if (path.sep !== '/') { - pattern = pattern.split(path.sep).join('/') - } - - this.options = options - this.set = [] - this.pattern = pattern - this.regexp = null - this.negate = false - this.comment = false - this.empty = false - - // make the set of regexps etc. - this.make() -} - -Minimatch.prototype.debug = function () {} - -Minimatch.prototype.make = make -function make () { - // don't do it more than once. - if (this._made) return - - var pattern = this.pattern - var options = this.options - - // empty patterns and comments match nothing. - if (!options.nocomment && pattern.charAt(0) === '#') { - this.comment = true - return - } - if (!pattern) { - this.empty = true - return - } - - // step 1: figure out negation, etc. - this.parseNegate() - - // step 2: expand braces - var set = this.globSet = this.braceExpand() - - if (options.debug) this.debug = console.error - - this.debug(this.pattern, set) - - // step 3: now we have a set, so turn each one into a series of path-portion - // matching patterns. - // These will be regexps, except in the case of "**", which is - // set to the GLOBSTAR object for globstar behavior, - // and will not contain any / characters - set = this.globParts = set.map(function (s) { - return s.split(slashSplit) - }) - - this.debug(this.pattern, set) - - // glob --> regexps - set = set.map(function (s, si, set) { - return s.map(this.parse, this) - }, this) - - this.debug(this.pattern, set) - - // filter out everything that didn't compile properly. - set = set.filter(function (s) { - return s.indexOf(false) === -1 - }) - - this.debug(this.pattern, set) - - this.set = set -} - -Minimatch.prototype.parseNegate = parseNegate -function parseNegate () { - var pattern = this.pattern - var negate = false - var options = this.options - var negateOffset = 0 - - if (options.nonegate) return - - for (var i = 0, l = pattern.length - ; i < l && pattern.charAt(i) === '!' - ; i++) { - negate = !negate - negateOffset++ - } - - if (negateOffset) this.pattern = pattern.substr(negateOffset) - this.negate = negate -} - -// Brace expansion: -// a{b,c}d -> abd acd -// a{b,}c -> abc ac -// a{0..3}d -> a0d a1d a2d a3d -// a{b,c{d,e}f}g -> abg acdfg acefg -// a{b,c}d{e,f}g -> abdeg acdeg abdeg abdfg -// -// Invalid sets are not expanded. -// a{2..}b -> a{2..}b -// a{b}c -> a{b}c -minimatch.braceExpand = function (pattern, options) { - return braceExpand(pattern, options) -} - -Minimatch.prototype.braceExpand = braceExpand - -function braceExpand (pattern, options) { - if (!options) { - if (this instanceof Minimatch) { - options = this.options - } else { - options = {} - } - } - - pattern = typeof pattern === 'undefined' - ? this.pattern : pattern - - if (typeof pattern === 'undefined') { - throw new TypeError('undefined pattern') - } - - if (options.nobrace || - !pattern.match(/\{.*\}/)) { - // shortcut. no need to expand. - return [pattern] - } - - return expand(pattern) -} - -// parse a component of the expanded set. -// At this point, no pattern may contain "/" in it -// so we're going to return a 2d array, where each entry is the full -// pattern, split on '/', and then turned into a regular expression. -// A regexp is made at the end which joins each array with an -// escaped /, and another full one which joins each regexp with |. -// -// Following the lead of Bash 4.1, note that "**" only has special meaning -// when it is the *only* thing in a path portion. Otherwise, any series -// of * is equivalent to a single *. Globstar behavior is enabled by -// default, and can be disabled by setting options.noglobstar. -Minimatch.prototype.parse = parse -var SUBPARSE = {} -function parse (pattern, isSub) { - if (pattern.length > 1024 * 64) { - throw new TypeError('pattern is too long') - } - - var options = this.options - - // shortcuts - if (!options.noglobstar && pattern === '**') return GLOBSTAR - if (pattern === '') return '' - - var re = '' - var hasMagic = !!options.nocase - var escaping = false - // ? => one single character - var patternListStack = [] - var negativeLists = [] - var stateChar - var inClass = false - var reClassStart = -1 - var classStart = -1 - // . and .. never match anything that doesn't start with ., - // even when options.dot is set. - var patternStart = pattern.charAt(0) === '.' ? '' // anything - // not (start or / followed by . or .. followed by / or end) - : options.dot ? '(?!(?:^|\\\/)\\.{1,2}(?:$|\\\/))' - : '(?!\\.)' - var self = this - - function clearStateChar () { - if (stateChar) { - // we had some state-tracking character - // that wasn't consumed by this pass. - switch (stateChar) { - case '*': - re += star - hasMagic = true - break - case '?': - re += qmark - hasMagic = true - break - default: - re += '\\' + stateChar - break - } - self.debug('clearStateChar %j %j', stateChar, re) - stateChar = false - } - } - - for (var i = 0, len = pattern.length, c - ; (i < len) && (c = pattern.charAt(i)) - ; i++) { - this.debug('%s\t%s %s %j', pattern, i, re, c) - - // skip over any that are escaped. - if (escaping && reSpecials[c]) { - re += '\\' + c - escaping = false - continue - } - - switch (c) { - case '/': - // completely not allowed, even escaped. - // Should already be path-split by now. - return false - - case '\\': - clearStateChar() - escaping = true - continue - - // the various stateChar values - // for the "extglob" stuff. - case '?': - case '*': - case '+': - case '@': - case '!': - this.debug('%s\t%s %s %j <-- stateChar', pattern, i, re, c) - - // all of those are literals inside a class, except that - // the glob [!a] means [^a] in regexp - if (inClass) { - this.debug(' in class') - if (c === '!' && i === classStart + 1) c = '^' - re += c - continue - } - - // if we already have a stateChar, then it means - // that there was something like ** or +? in there. - // Handle the stateChar, then proceed with this one. - self.debug('call clearStateChar %j', stateChar) - clearStateChar() - stateChar = c - // if extglob is disabled, then +(asdf|foo) isn't a thing. - // just clear the statechar *now*, rather than even diving into - // the patternList stuff. - if (options.noext) clearStateChar() - continue - - case '(': - if (inClass) { - re += '(' - continue - } - - if (!stateChar) { - re += '\\(' - continue - } - - patternListStack.push({ - type: stateChar, - start: i - 1, - reStart: re.length, - open: plTypes[stateChar].open, - close: plTypes[stateChar].close - }) - // negation is (?:(?!js)[^/]*) - re += stateChar === '!' ? '(?:(?!(?:' : '(?:' - this.debug('plType %j %j', stateChar, re) - stateChar = false - continue - - case ')': - if (inClass || !patternListStack.length) { - re += '\\)' - continue - } - - clearStateChar() - hasMagic = true - var pl = patternListStack.pop() - // negation is (?:(?!js)[^/]*) - // The others are (?:) - re += pl.close - if (pl.type === '!') { - negativeLists.push(pl) - } - pl.reEnd = re.length - continue - - case '|': - if (inClass || !patternListStack.length || escaping) { - re += '\\|' - escaping = false - continue - } - - clearStateChar() - re += '|' - continue - - // these are mostly the same in regexp and glob - case '[': - // swallow any state-tracking char before the [ - clearStateChar() - - if (inClass) { - re += '\\' + c - continue - } - - inClass = true - classStart = i - reClassStart = re.length - re += c - continue - - case ']': - // a right bracket shall lose its special - // meaning and represent itself in - // a bracket expression if it occurs - // first in the list. -- POSIX.2 2.8.3.2 - if (i === classStart + 1 || !inClass) { - re += '\\' + c - escaping = false - continue - } - - // handle the case where we left a class open. - // "[z-a]" is valid, equivalent to "\[z-a\]" - if (inClass) { - // split where the last [ was, make sure we don't have - // an invalid re. if so, re-walk the contents of the - // would-be class to re-translate any characters that - // were passed through as-is - // TODO: It would probably be faster to determine this - // without a try/catch and a new RegExp, but it's tricky - // to do safely. For now, this is safe and works. - var cs = pattern.substring(classStart + 1, i) - try { - RegExp('[' + cs + ']') - } catch (er) { - // not a valid class! - var sp = this.parse(cs, SUBPARSE) - re = re.substr(0, reClassStart) + '\\[' + sp[0] + '\\]' - hasMagic = hasMagic || sp[1] - inClass = false - continue - } - } - - // finish up the class. - hasMagic = true - inClass = false - re += c - continue - - default: - // swallow any state char that wasn't consumed - clearStateChar() - - if (escaping) { - // no need - escaping = false - } else if (reSpecials[c] - && !(c === '^' && inClass)) { - re += '\\' - } - - re += c - - } // switch - } // for - - // handle the case where we left a class open. - // "[abc" is valid, equivalent to "\[abc" - if (inClass) { - // split where the last [ was, and escape it - // this is a huge pita. We now have to re-walk - // the contents of the would-be class to re-translate - // any characters that were passed through as-is - cs = pattern.substr(classStart + 1) - sp = this.parse(cs, SUBPARSE) - re = re.substr(0, reClassStart) + '\\[' + sp[0] - hasMagic = hasMagic || sp[1] - } - - // handle the case where we had a +( thing at the *end* - // of the pattern. - // each pattern list stack adds 3 chars, and we need to go through - // and escape any | chars that were passed through as-is for the regexp. - // Go through and escape them, taking care not to double-escape any - // | chars that were already escaped. - for (pl = patternListStack.pop(); pl; pl = patternListStack.pop()) { - var tail = re.slice(pl.reStart + pl.open.length) - this.debug('setting tail', re, pl) - // maybe some even number of \, then maybe 1 \, followed by a | - tail = tail.replace(/((?:\\{2}){0,64})(\\?)\|/g, function (_, $1, $2) { - if (!$2) { - // the | isn't already escaped, so escape it. - $2 = '\\' - } - - // need to escape all those slashes *again*, without escaping the - // one that we need for escaping the | character. As it works out, - // escaping an even number of slashes can be done by simply repeating - // it exactly after itself. That's why this trick works. - // - // I am sorry that you have to see this. - return $1 + $1 + $2 + '|' - }) - - this.debug('tail=%j\n %s', tail, tail, pl, re) - var t = pl.type === '*' ? star - : pl.type === '?' ? qmark - : '\\' + pl.type - - hasMagic = true - re = re.slice(0, pl.reStart) + t + '\\(' + tail - } - - // handle trailing things that only matter at the very end. - clearStateChar() - if (escaping) { - // trailing \\ - re += '\\\\' - } - - // only need to apply the nodot start if the re starts with - // something that could conceivably capture a dot - var addPatternStart = false - switch (re.charAt(0)) { - case '.': - case '[': - case '(': addPatternStart = true - } - - // Hack to work around lack of negative lookbehind in JS - // A pattern like: *.!(x).!(y|z) needs to ensure that a name - // like 'a.xyz.yz' doesn't match. So, the first negative - // lookahead, has to look ALL the way ahead, to the end of - // the pattern. - for (var n = negativeLists.length - 1; n > -1; n--) { - var nl = negativeLists[n] - - var nlBefore = re.slice(0, nl.reStart) - var nlFirst = re.slice(nl.reStart, nl.reEnd - 8) - var nlLast = re.slice(nl.reEnd - 8, nl.reEnd) - var nlAfter = re.slice(nl.reEnd) - - nlLast += nlAfter - - // Handle nested stuff like *(*.js|!(*.json)), where open parens - // mean that we should *not* include the ) in the bit that is considered - // "after" the negated section. - var openParensBefore = nlBefore.split('(').length - 1 - var cleanAfter = nlAfter - for (i = 0; i < openParensBefore; i++) { - cleanAfter = cleanAfter.replace(/\)[+*?]?/, '') - } - nlAfter = cleanAfter - - var dollar = '' - if (nlAfter === '' && isSub !== SUBPARSE) { - dollar = '$' - } - var newRe = nlBefore + nlFirst + nlAfter + dollar + nlLast - re = newRe - } - - // if the re is not "" at this point, then we need to make sure - // it doesn't match against an empty path part. - // Otherwise a/* will match a/, which it should not. - if (re !== '' && hasMagic) { - re = '(?=.)' + re - } - - if (addPatternStart) { - re = patternStart + re - } - - // parsing just a piece of a larger pattern. - if (isSub === SUBPARSE) { - return [re, hasMagic] - } - - // skip the regexp for non-magical patterns - // unescape anything in it, though, so that it'll be - // an exact match against a file etc. - if (!hasMagic) { - return globUnescape(pattern) - } - - var flags = options.nocase ? 'i' : '' - try { - var regExp = new RegExp('^' + re + '$', flags) - } catch (er) { - // If it was an invalid regular expression, then it can't match - // anything. This trick looks for a character after the end of - // the string, which is of course impossible, except in multi-line - // mode, but it's not a /m regex. - return new RegExp('$.') - } - - regExp._glob = pattern - regExp._src = re - - return regExp -} - -minimatch.makeRe = function (pattern, options) { - return new Minimatch(pattern, options || {}).makeRe() -} - -Minimatch.prototype.makeRe = makeRe -function makeRe () { - if (this.regexp || this.regexp === false) return this.regexp - - // at this point, this.set is a 2d array of partial - // pattern strings, or "**". - // - // It's better to use .match(). This function shouldn't - // be used, really, but it's pretty convenient sometimes, - // when you just want to work with a regex. - var set = this.set - - if (!set.length) { - this.regexp = false - return this.regexp - } - var options = this.options - - var twoStar = options.noglobstar ? star - : options.dot ? twoStarDot - : twoStarNoDot - var flags = options.nocase ? 'i' : '' - - var re = set.map(function (pattern) { - return pattern.map(function (p) { - return (p === GLOBSTAR) ? twoStar - : (typeof p === 'string') ? regExpEscape(p) - : p._src - }).join('\\\/') - }).join('|') - - // must match entire pattern - // ending in a * or ** will make it less strict. - re = '^(?:' + re + ')$' - - // can match anything, as long as it's not this. - if (this.negate) re = '^(?!' + re + ').*$' - - try { - this.regexp = new RegExp(re, flags) - } catch (ex) { - this.regexp = false - } - return this.regexp -} - -minimatch.match = function (list, pattern, options) { - options = options || {} - var mm = new Minimatch(pattern, options) - list = list.filter(function (f) { - return mm.match(f) - }) - if (mm.options.nonull && !list.length) { - list.push(pattern) - } - return list -} - -Minimatch.prototype.match = match -function match (f, partial) { - this.debug('match', f, this.pattern) - // short-circuit in the case of busted things. - // comments, etc. - if (this.comment) return false - if (this.empty) return f === '' - - if (f === '/' && partial) return true - - var options = this.options - - // windows: need to use /, not \ - if (path.sep !== '/') { - f = f.split(path.sep).join('/') - } - - // treat the test path as a set of pathparts. - f = f.split(slashSplit) - this.debug(this.pattern, 'split', f) - - // just ONE of the pattern sets in this.set needs to match - // in order for it to be valid. If negating, then just one - // match means that we have failed. - // Either way, return on the first hit. - - var set = this.set - this.debug(this.pattern, 'set', set) - - // Find the basename of the path by looking for the last non-empty segment - var filename - var i - for (i = f.length - 1; i >= 0; i--) { - filename = f[i] - if (filename) break - } - - for (i = 0; i < set.length; i++) { - var pattern = set[i] - var file = f - if (options.matchBase && pattern.length === 1) { - file = [filename] - } - var hit = this.matchOne(file, pattern, partial) - if (hit) { - if (options.flipNegate) return true - return !this.negate - } - } - - // didn't get any hits. this is success if it's a negative - // pattern, failure otherwise. - if (options.flipNegate) return false - return this.negate -} - -// set partial to true to test if, for example, -// "/a/b" matches the start of "/*/b/*/d" -// Partial means, if you run out of file before you run -// out of pattern, then that's fine, as long as all -// the parts match. -Minimatch.prototype.matchOne = function (file, pattern, partial) { - var options = this.options - - this.debug('matchOne', - { 'this': this, file: file, pattern: pattern }) - - this.debug('matchOne', file.length, pattern.length) - - for (var fi = 0, - pi = 0, - fl = file.length, - pl = pattern.length - ; (fi < fl) && (pi < pl) - ; fi++, pi++) { - this.debug('matchOne loop') - var p = pattern[pi] - var f = file[fi] - - this.debug(pattern, p, f) - - // should be impossible. - // some invalid regexp stuff in the set. - if (p === false) return false - - if (p === GLOBSTAR) { - this.debug('GLOBSTAR', [pattern, p, f]) - - // "**" - // a/**/b/**/c would match the following: - // a/b/x/y/z/c - // a/x/y/z/b/c - // a/b/x/b/x/c - // a/b/c - // To do this, take the rest of the pattern after - // the **, and see if it would match the file remainder. - // If so, return success. - // If not, the ** "swallows" a segment, and try again. - // This is recursively awful. - // - // a/**/b/**/c matching a/b/x/y/z/c - // - a matches a - // - doublestar - // - matchOne(b/x/y/z/c, b/**/c) - // - b matches b - // - doublestar - // - matchOne(x/y/z/c, c) -> no - // - matchOne(y/z/c, c) -> no - // - matchOne(z/c, c) -> no - // - matchOne(c, c) yes, hit - var fr = fi - var pr = pi + 1 - if (pr === pl) { - this.debug('** at the end') - // a ** at the end will just swallow the rest. - // We have found a match. - // however, it will not swallow /.x, unless - // options.dot is set. - // . and .. are *never* matched by **, for explosively - // exponential reasons. - for (; fi < fl; fi++) { - if (file[fi] === '.' || file[fi] === '..' || - (!options.dot && file[fi].charAt(0) === '.')) return false - } - return true - } - - // ok, let's see if we can swallow whatever we can. - while (fr < fl) { - var swallowee = file[fr] - - this.debug('\nglobstar while', file, fr, pattern, pr, swallowee) - - // XXX remove this slice. Just pass the start index. - if (this.matchOne(file.slice(fr), pattern.slice(pr), partial)) { - this.debug('globstar found match!', fr, fl, swallowee) - // found a match. - return true - } else { - // can't swallow "." or ".." ever. - // can only swallow ".foo" when explicitly asked. - if (swallowee === '.' || swallowee === '..' || - (!options.dot && swallowee.charAt(0) === '.')) { - this.debug('dot detected!', file, fr, pattern, pr) - break - } - - // ** swallows a segment, and continue. - this.debug('globstar swallow a segment, and continue') - fr++ - } - } - - // no match was found. - // However, in partial mode, we can't say this is necessarily over. - // If there's more *pattern* left, then - if (partial) { - // ran out of file - this.debug('\n>>> no match, partial?', file, fr, pattern, pr) - if (fr === fl) return true - } - return false - } - - // something other than ** - // non-magic patterns just have to match exactly - // patterns with magic have been turned into regexps. - var hit - if (typeof p === 'string') { - if (options.nocase) { - hit = f.toLowerCase() === p.toLowerCase() - } else { - hit = f === p - } - this.debug('string match', p, f, hit) - } else { - hit = f.match(p) - this.debug('pattern match', p, f, hit) - } - - if (!hit) return false - } - - // Note: ending in / means that we'll get a final "" - // at the end of the pattern. This can only match a - // corresponding "" at the end of the file. - // If the file ends in /, then it can only match a - // a pattern that ends in /, unless the pattern just - // doesn't have any more for it. But, a/b/ should *not* - // match "a/b/*", even though "" matches against the - // [^/]*? pattern, except in partial mode, where it might - // simply not be reached yet. - // However, a/b/ should still satisfy a/* - - // now either we fell off the end of the pattern, or we're done. - if (fi === fl && pi === pl) { - // ran out of pattern and filename at the same time. - // an exact hit! - return true - } else if (fi === fl) { - // ran out of file, but still had pattern left. - // this is ok if we're doing the match as part of - // a glob fs traversal. - return partial - } else if (pi === pl) { - // ran out of pattern, still have file left. - // this is only acceptable if we're on the very last - // empty segment of a file with a trailing slash. - // a/* should match a/b/ - var emptyFileEnd = (fi === fl - 1) && (file[fi] === '') - return emptyFileEnd - } - - // should be unreachable. - throw new Error('wtf?') -} - -// replace stuff like \* with * -function globUnescape (s) { - return s.replace(/\\(.)/g, '$1') -} - -function regExpEscape (s) { - return s.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, '\\$&') -} - - -/***/ }), -/* 23 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -function posix(path) { - return path.charAt(0) === '/'; -} - -function win32(path) { - // https://github.com/nodejs/node/blob/b3fcc245fb25539909ef1d5eaa01dbf92e168633/lib/path.js#L56 - var splitDeviceRe = /^([a-zA-Z]:|[\\\/]{2}[^\\\/]+[\\\/]+[^\\\/]+)?([\\\/])?([\s\S]*?)$/; - var result = splitDeviceRe.exec(path); - var device = result[1] || ''; - var isUnc = Boolean(device && device.charAt(1) !== ':'); - - // UNC paths are always absolute - return Boolean(result[2] || isUnc); -} - -module.exports = process.platform === 'win32' ? win32 : posix; -module.exports.posix = posix; -module.exports.win32 = win32; - - -/***/ }), -/* 24 */ -/***/ (function(module, exports, __webpack_require__) { - -// Unique ID creation requires a high quality random # generator. In node.js -// this is pretty straight-forward - we use the crypto API. - -var crypto = __webpack_require__(8); - -module.exports = function nodeRNG() { - return crypto.randomBytes(16); -}; - - -/***/ }), -/* 25 */ -/***/ (function(module, exports) { - -/** - * Convert array of 16 byte values to UUID string format of the form: - * XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX - */ -var byteToHex = []; -for (var i = 0; i < 256; ++i) { - byteToHex[i] = (i + 0x100).toString(16).substr(1); -} - -function bytesToUuid(buf, offset) { - var i = offset || 0; - var bth = byteToHex; - // join used to fix memory issue caused by concatenation: https://bugs.chromium.org/p/v8/issues/detail?id=3175#c4 - return ([ - bth[buf[i++]], bth[buf[i++]], - bth[buf[i++]], bth[buf[i++]], '-', - bth[buf[i++]], bth[buf[i++]], '-', - bth[buf[i++]], bth[buf[i++]], '-', - bth[buf[i++]], bth[buf[i++]], '-', - bth[buf[i++]], bth[buf[i++]], - bth[buf[i++]], bth[buf[i++]], - bth[buf[i++]], bth[buf[i++]] - ]).join(''); -} - -module.exports = bytesToUuid; - - -/***/ }), -/* 26 */ -/***/ (function(module, exports, __webpack_require__) { - - -/** - * This is the common logic for both the Node.js and web browser - * implementations of `debug()`. - * - * Expose `debug()` as the module. - */ - -exports = module.exports = createDebug.debug = createDebug['default'] = createDebug; -exports.coerce = coerce; -exports.disable = disable; -exports.enable = enable; -exports.enabled = enabled; -exports.humanize = __webpack_require__(66); - -/** - * Active `debug` instances. - */ -exports.instances = []; - -/** - * The currently active debug mode names, and names to skip. - */ - -exports.names = []; -exports.skips = []; - -/** - * Map of special "%n" handling functions, for the debug "format" argument. - * - * Valid key names are a single, lower or upper-case letter, i.e. "n" and "N". - */ - -exports.formatters = {}; - -/** - * Select a color. - * @param {String} namespace - * @return {Number} - * @api private - */ - -function selectColor(namespace) { - var hash = 0, i; - - for (i in namespace) { - hash = ((hash << 5) - hash) + namespace.charCodeAt(i); - hash |= 0; // Convert to 32bit integer - } - - return exports.colors[Math.abs(hash) % exports.colors.length]; -} - -/** - * Create a debugger with the given `namespace`. - * - * @param {String} namespace - * @return {Function} - * @api public - */ - -function createDebug(namespace) { - - var prevTime; - - function debug() { - // disabled? - if (!debug.enabled) return; - - var self = debug; - - // set `diff` timestamp - var curr = +new Date(); - var ms = curr - (prevTime || curr); - self.diff = ms; - self.prev = prevTime; - self.curr = curr; - prevTime = curr; - - // turn the `arguments` into a proper Array - var args = new Array(arguments.length); - for (var i = 0; i < args.length; i++) { - args[i] = arguments[i]; - } - - args[0] = exports.coerce(args[0]); - - if ('string' !== typeof args[0]) { - // anything else let's inspect with %O - args.unshift('%O'); - } - - // apply any `formatters` transformations - var index = 0; - args[0] = args[0].replace(/%([a-zA-Z%])/g, function(match, format) { - // if we encounter an escaped % then don't increase the array index - if (match === '%%') return match; - index++; - var formatter = exports.formatters[format]; - if ('function' === typeof formatter) { - var val = args[index]; - match = formatter.call(self, val); - - // now we need to remove `args[index]` since it's inlined in the `format` - args.splice(index, 1); - index--; - } - return match; - }); - - // apply env-specific formatting (colors, etc.) - exports.formatArgs.call(self, args); - - var logFn = debug.log || exports.log || console.log.bind(console); - logFn.apply(self, args); - } - - debug.namespace = namespace; - debug.enabled = exports.enabled(namespace); - debug.useColors = exports.useColors(); - debug.color = selectColor(namespace); - debug.destroy = destroy; - - // env-specific initialization logic for debug instances - if ('function' === typeof exports.init) { - exports.init(debug); - } - - exports.instances.push(debug); - - return debug; -} - -function destroy () { - var index = exports.instances.indexOf(this); - if (index !== -1) { - exports.instances.splice(index, 1); - return true; - } else { - return false; - } -} - -/** - * Enables a debug mode by namespaces. This can include modes - * separated by a colon and wildcards. - * - * @param {String} namespaces - * @api public - */ - -function enable(namespaces) { - exports.save(namespaces); - - exports.names = []; - exports.skips = []; - - var i; - var split = (typeof namespaces === 'string' ? namespaces : '').split(/[\s,]+/); - var len = split.length; - - for (i = 0; i < len; i++) { - if (!split[i]) continue; // ignore empty strings - namespaces = split[i].replace(/\*/g, '.*?'); - if (namespaces[0] === '-') { - exports.skips.push(new RegExp('^' + namespaces.substr(1) + '$')); - } else { - exports.names.push(new RegExp('^' + namespaces + '$')); - } - } - - for (i = 0; i < exports.instances.length; i++) { - var instance = exports.instances[i]; - instance.enabled = exports.enabled(instance.namespace); - } -} - -/** - * Disable debug output. - * - * @api public - */ - -function disable() { - exports.enable(''); -} - -/** - * Returns true if the given mode name is enabled, false otherwise. - * - * @param {String} name - * @return {Boolean} - * @api public - */ - -function enabled(name) { - if (name[name.length - 1] === '*') { - return true; - } - var i, len; - for (i = 0, len = exports.skips.length; i < len; i++) { - if (exports.skips[i].test(name)) { - return false; - } - } - for (i = 0, len = exports.names.length; i < len; i++) { - if (exports.names[i].test(name)) { - return true; - } - } - return false; -} - -/** - * Coerce `val`. - * - * @param {Mixed} val - * @return {Mixed} - * @api private - */ - -function coerce(val) { - if (val instanceof Error) return val.stack || val.message; - return val; -} - - -/***/ }), -/* 27 */ -/***/ (function(module, exports) { - -module.exports = require("tty"); - -/***/ }), -/* 28 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -const os = __webpack_require__(29); -const hasFlag = __webpack_require__(68); - -const {env} = process; - -let forceColor; -if (hasFlag('no-color') || - hasFlag('no-colors') || - hasFlag('color=false') || - hasFlag('color=never')) { - forceColor = 0; -} else if (hasFlag('color') || - hasFlag('colors') || - hasFlag('color=true') || - hasFlag('color=always')) { - forceColor = 1; -} -if ('FORCE_COLOR' in env) { - if (env.FORCE_COLOR === true || env.FORCE_COLOR === 'true') { - forceColor = 1; - } else if (env.FORCE_COLOR === false || env.FORCE_COLOR === 'false') { - forceColor = 0; - } else { - forceColor = env.FORCE_COLOR.length === 0 ? 1 : Math.min(parseInt(env.FORCE_COLOR, 10), 3); - } -} - -function translateLevel(level) { - if (level === 0) { - return false; - } - - return { - level, - hasBasic: true, - has256: level >= 2, - has16m: level >= 3 - }; -} - -function supportsColor(stream) { - if (forceColor === 0) { - return 0; - } - - if (hasFlag('color=16m') || - hasFlag('color=full') || - hasFlag('color=truecolor')) { - return 3; - } - - if (hasFlag('color=256')) { - return 2; - } - - if (stream && !stream.isTTY && forceColor === undefined) { - return 0; - } - - const min = forceColor || 0; - - if (env.TERM === 'dumb') { - return min; - } - - if (process.platform === 'win32') { - // Node.js 7.5.0 is the first version of Node.js to include a patch to - // libuv that enables 256 color output on Windows. Anything earlier and it - // won't work. However, here we target Node.js 8 at minimum as it is an LTS - // release, and Node.js 7 is not. Windows 10 build 10586 is the first Windows - // release that supports 256 colors. Windows 10 build 14931 is the first release - // that supports 16m/TrueColor. - const osRelease = os.release().split('.'); - if ( - Number(process.versions.node.split('.')[0]) >= 8 && - Number(osRelease[0]) >= 10 && - Number(osRelease[2]) >= 10586 - ) { - return Number(osRelease[2]) >= 14931 ? 3 : 2; - } - - return 1; - } - - if ('CI' in env) { - if (['TRAVIS', 'CIRCLECI', 'APPVEYOR', 'GITLAB_CI'].some(sign => sign in env) || env.CI_NAME === 'codeship') { - return 1; - } - - return min; - } - - if ('TEAMCITY_VERSION' in env) { - return /^(9\.(0*[1-9]\d*)\.|\d{2,}\.)/.test(env.TEAMCITY_VERSION) ? 1 : 0; - } - - if (env.COLORTERM === 'truecolor') { - return 3; - } - - if ('TERM_PROGRAM' in env) { - const version = parseInt((env.TERM_PROGRAM_VERSION || '').split('.')[0], 10); - - switch (env.TERM_PROGRAM) { - case 'iTerm.app': - return version >= 3 ? 3 : 2; - case 'Apple_Terminal': - return 2; - // No default - } - } - - if (/-256(color)?$/i.test(env.TERM)) { - return 2; - } - - if (/^screen|^xterm|^vt100|^vt220|^rxvt|color|ansi|cygwin|linux/i.test(env.TERM)) { - return 1; - } - - if ('COLORTERM' in env) { - return 1; - } - - return min; -} - -function getSupportLevel(stream) { - const level = supportsColor(stream); - return translateLevel(level); -} - -module.exports = { - supportsColor: getSupportLevel, - stdout: getSupportLevel(process.stdout), - stderr: getSupportLevel(process.stderr) -}; - - -/***/ }), -/* 29 */ -/***/ (function(module, exports) { - -module.exports = require("os"); - -/***/ }), -/* 30 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * on-finished - * Copyright(c) 2013 Jonathan Ong - * Copyright(c) 2014 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = onFinished -module.exports.isFinished = isFinished - -/** - * Module dependencies. - * @private - */ - -var first = __webpack_require__(69) - -/** - * Variables. - * @private - */ - -/* istanbul ignore next */ -var defer = typeof setImmediate === 'function' - ? setImmediate - : function(fn){ process.nextTick(fn.bind.apply(fn, arguments)) } - -/** - * Invoke callback when the response has finished, useful for - * cleaning up resources afterwards. - * - * @param {object} msg - * @param {function} listener - * @return {object} - * @public - */ - -function onFinished(msg, listener) { - if (isFinished(msg) !== false) { - defer(listener, null, msg) - return msg - } - - // attach the listener to the message - attachListener(msg, listener) - - return msg -} - -/** - * Determine if message is already finished. - * - * @param {object} msg - * @return {boolean} - * @public - */ - -function isFinished(msg) { - var socket = msg.socket - - if (typeof msg.finished === 'boolean') { - // OutgoingMessage - return Boolean(msg.finished || (socket && !socket.writable)) - } - - if (typeof msg.complete === 'boolean') { - // IncomingMessage - return Boolean(msg.upgrade || !socket || !socket.readable || (msg.complete && !msg.readable)) - } - - // don't know - return undefined -} - -/** - * Attach a finished listener to the message. - * - * @param {object} msg - * @param {function} callback - * @private - */ - -function attachFinishedListener(msg, callback) { - var eeMsg - var eeSocket - var finished = false - - function onFinish(error) { - eeMsg.cancel() - eeSocket.cancel() - - finished = true - callback(error) - } - - // finished on first message event - eeMsg = eeSocket = first([[msg, 'end', 'finish']], onFinish) - - function onSocket(socket) { - // remove listener - msg.removeListener('socket', onSocket) - - if (finished) return - if (eeMsg !== eeSocket) return - - // finished on first socket event - eeSocket = first([[socket, 'error', 'close']], onFinish) - } - - if (msg.socket) { - // socket already assigned - onSocket(msg.socket) - return - } - - // wait for socket to be assigned - msg.on('socket', onSocket) - - if (msg.socket === undefined) { - // node.js 0.8 patch - patchAssignSocket(msg, onSocket) - } -} - -/** - * Attach the listener to the message. - * - * @param {object} msg - * @return {function} - * @private - */ - -function attachListener(msg, listener) { - var attached = msg.__onFinished - - // create a private single listener with queue - if (!attached || !attached.queue) { - attached = msg.__onFinished = createListener(msg) - attachFinishedListener(msg, attached) - } - - attached.queue.push(listener) -} - -/** - * Create listener on message. - * - * @param {object} msg - * @return {function} - * @private - */ - -function createListener(msg) { - function listener(err) { - if (msg.__onFinished === listener) msg.__onFinished = null - if (!listener.queue) return - - var queue = listener.queue - listener.queue = null - - for (var i = 0; i < queue.length; i++) { - queue[i](err, msg) - } - } - - listener.queue = [] - - return listener -} - -/** - * Patch ServerResponse.prototype.assignSocket for node.js 0.8. - * - * @param {ServerResponse} res - * @param {function} callback - * @private - */ - -function patchAssignSocket(res, callback) { - var assignSocket = res.assignSocket - - if (typeof assignSocket !== 'function') return - - // res.on('socket', callback) is broken in 0.8 - res.assignSocket = function _assignSocket(socket) { - assignSocket.call(this, socket) - callback(socket) - } -} - - -/***/ }), -/* 31 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * http-errors - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var deprecate = __webpack_require__(85)('http-errors') -var setPrototypeOf = __webpack_require__(88) -var statuses = __webpack_require__(6) -var inherits = __webpack_require__(11) -var toIdentifier = __webpack_require__(15) - -/** - * Module exports. - * @public - */ - -module.exports = createError -module.exports.HttpError = createHttpErrorConstructor() -module.exports.isHttpError = createIsHttpErrorFunction(module.exports.HttpError) - -// Populate exports for all constructors -populateConstructorExports(module.exports, statuses.codes, module.exports.HttpError) - -/** - * Get the code class of a status code. - * @private - */ - -function codeClass (status) { - return Number(String(status).charAt(0) + '00') -} - -/** - * Create a new HTTP Error. - * - * @returns {Error} - * @public - */ - -function createError () { - // so much arity going on ~_~ - var err - var msg - var status = 500 - var props = {} - for (var i = 0; i < arguments.length; i++) { - var arg = arguments[i] - if (arg instanceof Error) { - err = arg - status = err.status || err.statusCode || status - continue - } - switch (typeof arg) { - case 'string': - msg = arg - break - case 'number': - status = arg - if (i !== 0) { - deprecate('non-first-argument status code; replace with createError(' + arg + ', ...)') - } - break - case 'object': - props = arg - break - } - } - - if (typeof status === 'number' && (status < 400 || status >= 600)) { - deprecate('non-error status code; use only 4xx or 5xx status codes') - } - - if (typeof status !== 'number' || - (!statuses[status] && (status < 400 || status >= 600))) { - status = 500 - } - - // constructor - var HttpError = createError[status] || createError[codeClass(status)] - - if (!err) { - // create error - err = HttpError - ? new HttpError(msg) - : new Error(msg || statuses[status]) - Error.captureStackTrace(err, createError) - } - - if (!HttpError || !(err instanceof HttpError) || err.status !== status) { - // add properties to generic error - err.expose = status < 500 - err.status = err.statusCode = status - } - - for (var key in props) { - if (key !== 'status' && key !== 'statusCode') { - err[key] = props[key] - } - } - - return err -} - -/** - * Create HTTP error abstract base class. - * @private - */ - -function createHttpErrorConstructor () { - function HttpError () { - throw new TypeError('cannot construct abstract class') - } - - inherits(HttpError, Error) - - return HttpError -} - -/** - * Create a constructor for a client error. - * @private - */ - -function createClientErrorConstructor (HttpError, name, code) { - var className = toClassName(name) - - function ClientError (message) { - // create the error object - var msg = message != null ? message : statuses[code] - var err = new Error(msg) - - // capture a stack trace to the construction point - Error.captureStackTrace(err, ClientError) - - // adjust the [[Prototype]] - setPrototypeOf(err, ClientError.prototype) - - // redefine the error message - Object.defineProperty(err, 'message', { - enumerable: true, - configurable: true, - value: msg, - writable: true - }) - - // redefine the error name - Object.defineProperty(err, 'name', { - enumerable: false, - configurable: true, - value: className, - writable: true - }) - - return err - } - - inherits(ClientError, HttpError) - nameFunc(ClientError, className) - - ClientError.prototype.status = code - ClientError.prototype.statusCode = code - ClientError.prototype.expose = true - - return ClientError -} - -/** - * Create function to test is a value is a HttpError. - * @private - */ - -function createIsHttpErrorFunction (HttpError) { - return function isHttpError (val) { - if (!val || typeof val !== 'object') { - return false - } - - if (val instanceof HttpError) { - return true - } - - return val instanceof Error && - typeof val.expose === 'boolean' && - typeof val.statusCode === 'number' && val.status === val.statusCode - } -} - -/** - * Create a constructor for a server error. - * @private - */ - -function createServerErrorConstructor (HttpError, name, code) { - var className = toClassName(name) - - function ServerError (message) { - // create the error object - var msg = message != null ? message : statuses[code] - var err = new Error(msg) - - // capture a stack trace to the construction point - Error.captureStackTrace(err, ServerError) - - // adjust the [[Prototype]] - setPrototypeOf(err, ServerError.prototype) - - // redefine the error message - Object.defineProperty(err, 'message', { - enumerable: true, - configurable: true, - value: msg, - writable: true - }) - - // redefine the error name - Object.defineProperty(err, 'name', { - enumerable: false, - configurable: true, - value: className, - writable: true - }) - - return err - } - - inherits(ServerError, HttpError) - nameFunc(ServerError, className) - - ServerError.prototype.status = code - ServerError.prototype.statusCode = code - ServerError.prototype.expose = false - - return ServerError -} - -/** - * Set the name of a function, if possible. - * @private - */ - -function nameFunc (func, name) { - var desc = Object.getOwnPropertyDescriptor(func, 'name') - - if (desc && desc.configurable) { - desc.value = name - Object.defineProperty(func, 'name', desc) - } -} - -/** - * Populate the exports object with constructors for every error class. - * @private - */ - -function populateConstructorExports (exports, codes, HttpError) { - codes.forEach(function forEachCode (code) { - var CodeError - var name = toIdentifier(statuses[code]) - - switch (codeClass(code)) { - case 400: - CodeError = createClientErrorConstructor(HttpError, name, code) - break - case 500: - CodeError = createServerErrorConstructor(HttpError, name, code) - break - } - - if (CodeError) { - // export the constructor - exports[code] = CodeError - exports[name] = CodeError - } - }) - - // backwards-compatibility - exports["I'mateapot"] = deprecate.function(exports.ImATeapot, - '"I\'mateapot"; use "ImATeapot" instead') -} - -/** - * Get a class name from a name identifier. - * @private - */ - -function toClassName (name) { - return name.substr(-5) !== 'Error' - ? name + 'Error' - : name -} - - -/***/ }), -/* 32 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * depd - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var EventEmitter = __webpack_require__(5).EventEmitter - -/** - * Module exports. - * @public - */ - -lazyProperty(module.exports, 'callSiteToString', function callSiteToString () { - var limit = Error.stackTraceLimit - var obj = {} - var prep = Error.prepareStackTrace - - function prepareObjectStackTrace (obj, stack) { - return stack - } - - Error.prepareStackTrace = prepareObjectStackTrace - Error.stackTraceLimit = 2 - - // capture the stack - Error.captureStackTrace(obj) - - // slice the stack - var stack = obj.stack.slice() - - Error.prepareStackTrace = prep - Error.stackTraceLimit = limit - - return stack[0].toString ? toString : __webpack_require__(86) -}) - -lazyProperty(module.exports, 'eventListenerCount', function eventListenerCount () { - return EventEmitter.listenerCount || __webpack_require__(87) -}) - -/** - * Define a lazy property. - */ - -function lazyProperty (obj, prop, getter) { - function get () { - var val = getter() - - Object.defineProperty(obj, prop, { - configurable: true, - enumerable: true, - value: val - }) - - return val - } - - Object.defineProperty(obj, prop, { - configurable: true, - enumerable: true, - get: get - }) -} - -/** - * Call toString() on the obj - */ - -function toString (obj) { - return obj.toString() -} - - -/***/ }), -/* 33 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * http-errors - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var deprecate = __webpack_require__(34)('http-errors') -var setPrototypeOf = __webpack_require__(93) -var statuses = __webpack_require__(6) -var inherits = __webpack_require__(11) -var toIdentifier = __webpack_require__(15) - -/** - * Module exports. - * @public - */ - -module.exports = createError -module.exports.HttpError = createHttpErrorConstructor() - -// Populate exports for all constructors -populateConstructorExports(module.exports, statuses.codes, module.exports.HttpError) - -/** - * Get the code class of a status code. - * @private - */ - -function codeClass (status) { - return Number(String(status).charAt(0) + '00') -} - -/** - * Create a new HTTP Error. - * - * @returns {Error} - * @public - */ - -function createError () { - // so much arity going on ~_~ - var err - var msg - var status = 500 - var props = {} - for (var i = 0; i < arguments.length; i++) { - var arg = arguments[i] - if (arg instanceof Error) { - err = arg - status = err.status || err.statusCode || status - continue - } - switch (typeof arg) { - case 'string': - msg = arg - break - case 'number': - status = arg - if (i !== 0) { - deprecate('non-first-argument status code; replace with createError(' + arg + ', ...)') - } - break - case 'object': - props = arg - break - } - } - - if (typeof status === 'number' && (status < 400 || status >= 600)) { - deprecate('non-error status code; use only 4xx or 5xx status codes') - } - - if (typeof status !== 'number' || - (!statuses[status] && (status < 400 || status >= 600))) { - status = 500 - } - - // constructor - var HttpError = createError[status] || createError[codeClass(status)] - - if (!err) { - // create error - err = HttpError - ? new HttpError(msg) - : new Error(msg || statuses[status]) - Error.captureStackTrace(err, createError) - } - - if (!HttpError || !(err instanceof HttpError) || err.status !== status) { - // add properties to generic error - err.expose = status < 500 - err.status = err.statusCode = status - } - - for (var key in props) { - if (key !== 'status' && key !== 'statusCode') { - err[key] = props[key] - } - } - - return err -} - -/** - * Create HTTP error abstract base class. - * @private - */ - -function createHttpErrorConstructor () { - function HttpError () { - throw new TypeError('cannot construct abstract class') - } - - inherits(HttpError, Error) - - return HttpError -} - -/** - * Create a constructor for a client error. - * @private - */ - -function createClientErrorConstructor (HttpError, name, code) { - var className = name.match(/Error$/) ? name : name + 'Error' - - function ClientError (message) { - // create the error object - var msg = message != null ? message : statuses[code] - var err = new Error(msg) - - // capture a stack trace to the construction point - Error.captureStackTrace(err, ClientError) - - // adjust the [[Prototype]] - setPrototypeOf(err, ClientError.prototype) - - // redefine the error message - Object.defineProperty(err, 'message', { - enumerable: true, - configurable: true, - value: msg, - writable: true - }) - - // redefine the error name - Object.defineProperty(err, 'name', { - enumerable: false, - configurable: true, - value: className, - writable: true - }) - - return err - } - - inherits(ClientError, HttpError) - nameFunc(ClientError, className) - - ClientError.prototype.status = code - ClientError.prototype.statusCode = code - ClientError.prototype.expose = true - - return ClientError -} - -/** - * Create a constructor for a server error. - * @private - */ - -function createServerErrorConstructor (HttpError, name, code) { - var className = name.match(/Error$/) ? name : name + 'Error' - - function ServerError (message) { - // create the error object - var msg = message != null ? message : statuses[code] - var err = new Error(msg) - - // capture a stack trace to the construction point - Error.captureStackTrace(err, ServerError) - - // adjust the [[Prototype]] - setPrototypeOf(err, ServerError.prototype) - - // redefine the error message - Object.defineProperty(err, 'message', { - enumerable: true, - configurable: true, - value: msg, - writable: true - }) - - // redefine the error name - Object.defineProperty(err, 'name', { - enumerable: false, - configurable: true, - value: className, - writable: true - }) - - return err - } - - inherits(ServerError, HttpError) - nameFunc(ServerError, className) - - ServerError.prototype.status = code - ServerError.prototype.statusCode = code - ServerError.prototype.expose = false - - return ServerError -} - -/** - * Set the name of a function, if possible. - * @private - */ - -function nameFunc (func, name) { - var desc = Object.getOwnPropertyDescriptor(func, 'name') - - if (desc && desc.configurable) { - desc.value = name - Object.defineProperty(func, 'name', desc) - } -} - -/** - * Populate the exports object with constructors for every error class. - * @private - */ - -function populateConstructorExports (exports, codes, HttpError) { - codes.forEach(function forEachCode (code) { - var CodeError - var name = toIdentifier(statuses[code]) - - switch (codeClass(code)) { - case 400: - CodeError = createClientErrorConstructor(HttpError, name, code) - break - case 500: - CodeError = createServerErrorConstructor(HttpError, name, code) - break - } - - if (CodeError) { - // export the constructor - exports[code] = CodeError - exports[name] = CodeError - } - }) - - // backwards-compatibility - exports["I'mateapot"] = deprecate.function(exports.ImATeapot, - '"I\'mateapot"; use "ImATeapot" instead') -} - - -/***/ }), -/* 34 */ -/***/ (function(module, exports, __webpack_require__) { - -/*! - * depd - * Copyright(c) 2014-2017 Douglas Christopher Wilson - * MIT Licensed - */ - -/** - * Module dependencies. - */ - -var callSiteToString = __webpack_require__(35).callSiteToString -var eventListenerCount = __webpack_require__(35).eventListenerCount -var relative = __webpack_require__(0).relative - -/** - * Module exports. - */ - -module.exports = depd - -/** - * Get the path to base files on. - */ - -var basePath = process.cwd() - -/** - * Determine if namespace is contained in the string. - */ - -function containsNamespace (str, namespace) { - var vals = str.split(/[ ,]+/) - var ns = String(namespace).toLowerCase() - - for (var i = 0; i < vals.length; i++) { - var val = vals[i] - - // namespace contained - if (val && (val === '*' || val.toLowerCase() === ns)) { - return true - } - } - - return false -} - -/** - * Convert a data descriptor to accessor descriptor. - */ - -function convertDataDescriptorToAccessor (obj, prop, message) { - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - var value = descriptor.value - - descriptor.get = function getter () { return value } - - if (descriptor.writable) { - descriptor.set = function setter (val) { return (value = val) } - } - - delete descriptor.value - delete descriptor.writable - - Object.defineProperty(obj, prop, descriptor) - - return descriptor -} - -/** - * Create arguments string to keep arity. - */ - -function createArgumentsString (arity) { - var str = '' - - for (var i = 0; i < arity; i++) { - str += ', arg' + i - } - - return str.substr(2) -} - -/** - * Create stack string from stack. - */ - -function createStackString (stack) { - var str = this.name + ': ' + this.namespace - - if (this.message) { - str += ' deprecated ' + this.message - } - - for (var i = 0; i < stack.length; i++) { - str += '\n at ' + callSiteToString(stack[i]) - } - - return str -} - -/** - * Create deprecate for namespace in caller. - */ - -function depd (namespace) { - if (!namespace) { - throw new TypeError('argument namespace is required') - } - - var stack = getStack() - var site = callSiteLocation(stack[1]) - var file = site[0] - - function deprecate (message) { - // call to self as log - log.call(deprecate, message) - } - - deprecate._file = file - deprecate._ignored = isignored(namespace) - deprecate._namespace = namespace - deprecate._traced = istraced(namespace) - deprecate._warned = Object.create(null) - - deprecate.function = wrapfunction - deprecate.property = wrapproperty - - return deprecate -} - -/** - * Determine if namespace is ignored. - */ - -function isignored (namespace) { - /* istanbul ignore next: tested in a child processs */ - if (process.noDeprecation) { - // --no-deprecation support - return true - } - - var str = process.env.NO_DEPRECATION || '' - - // namespace ignored - return containsNamespace(str, namespace) -} - -/** - * Determine if namespace is traced. - */ - -function istraced (namespace) { - /* istanbul ignore next: tested in a child processs */ - if (process.traceDeprecation) { - // --trace-deprecation support - return true - } - - var str = process.env.TRACE_DEPRECATION || '' - - // namespace traced - return containsNamespace(str, namespace) -} - -/** - * Display deprecation message. - */ - -function log (message, site) { - var haslisteners = eventListenerCount(process, 'deprecation') !== 0 - - // abort early if no destination - if (!haslisteners && this._ignored) { - return - } - - var caller - var callFile - var callSite - var depSite - var i = 0 - var seen = false - var stack = getStack() - var file = this._file - - if (site) { - // provided site - depSite = site - callSite = callSiteLocation(stack[1]) - callSite.name = depSite.name - file = callSite[0] - } else { - // get call site - i = 2 - depSite = callSiteLocation(stack[i]) - callSite = depSite - } - - // get caller of deprecated thing in relation to file - for (; i < stack.length; i++) { - caller = callSiteLocation(stack[i]) - callFile = caller[0] - - if (callFile === file) { - seen = true - } else if (callFile === this._file) { - file = this._file - } else if (seen) { - break - } - } - - var key = caller - ? depSite.join(':') + '__' + caller.join(':') - : undefined - - if (key !== undefined && key in this._warned) { - // already warned - return - } - - this._warned[key] = true - - // generate automatic message from call site - var msg = message - if (!msg) { - msg = callSite === depSite || !callSite.name - ? defaultMessage(depSite) - : defaultMessage(callSite) - } - - // emit deprecation if listeners exist - if (haslisteners) { - var err = DeprecationError(this._namespace, msg, stack.slice(i)) - process.emit('deprecation', err) - return - } - - // format and write message - var format = process.stderr.isTTY - ? formatColor - : formatPlain - var output = format.call(this, msg, caller, stack.slice(i)) - process.stderr.write(output + '\n', 'utf8') -} - -/** - * Get call site location as array. - */ - -function callSiteLocation (callSite) { - var file = callSite.getFileName() || '' - var line = callSite.getLineNumber() - var colm = callSite.getColumnNumber() - - if (callSite.isEval()) { - file = callSite.getEvalOrigin() + ', ' + file - } - - var site = [file, line, colm] - - site.callSite = callSite - site.name = callSite.getFunctionName() - - return site -} - -/** - * Generate a default message from the site. - */ - -function defaultMessage (site) { - var callSite = site.callSite - var funcName = site.name - - // make useful anonymous name - if (!funcName) { - funcName = '' - } - - var context = callSite.getThis() - var typeName = context && callSite.getTypeName() - - // ignore useless type name - if (typeName === 'Object') { - typeName = undefined - } - - // make useful type name - if (typeName === 'Function') { - typeName = context.name || typeName - } - - return typeName && callSite.getMethodName() - ? typeName + '.' + funcName - : funcName -} - -/** - * Format deprecation message without color. - */ - -function formatPlain (msg, caller, stack) { - var timestamp = new Date().toUTCString() - - var formatted = timestamp + - ' ' + this._namespace + - ' deprecated ' + msg - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n at ' + callSiteToString(stack[i]) - } - - return formatted - } - - if (caller) { - formatted += ' at ' + formatLocation(caller) - } - - return formatted -} - -/** - * Format deprecation message with color. - */ - -function formatColor (msg, caller, stack) { - var formatted = '\x1b[36;1m' + this._namespace + '\x1b[22;39m' + // bold cyan - ' \x1b[33;1mdeprecated\x1b[22;39m' + // bold yellow - ' \x1b[0m' + msg + '\x1b[39m' // reset - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n \x1b[36mat ' + callSiteToString(stack[i]) + '\x1b[39m' // cyan - } - - return formatted - } - - if (caller) { - formatted += ' \x1b[36m' + formatLocation(caller) + '\x1b[39m' // cyan - } - - return formatted -} - -/** - * Format call site location. - */ - -function formatLocation (callSite) { - return relative(basePath, callSite[0]) + - ':' + callSite[1] + - ':' + callSite[2] -} - -/** - * Get the stack as array of call sites. - */ - -function getStack () { - var limit = Error.stackTraceLimit - var obj = {} - var prep = Error.prepareStackTrace - - Error.prepareStackTrace = prepareObjectStackTrace - Error.stackTraceLimit = Math.max(10, limit) - - // capture the stack - Error.captureStackTrace(obj) - - // slice this function off the top - var stack = obj.stack.slice(1) - - Error.prepareStackTrace = prep - Error.stackTraceLimit = limit - - return stack -} - -/** - * Capture call site stack from v8. - */ - -function prepareObjectStackTrace (obj, stack) { - return stack -} - -/** - * Return a wrapped function in a deprecation message. - */ - -function wrapfunction (fn, message) { - if (typeof fn !== 'function') { - throw new TypeError('argument fn must be a function') - } - - var args = createArgumentsString(fn.length) - var deprecate = this // eslint-disable-line no-unused-vars - var stack = getStack() - var site = callSiteLocation(stack[1]) - - site.name = fn.name - - // eslint-disable-next-line no-eval - var deprecatedfn = eval('(function (' + args + ') {\n' + - '"use strict"\n' + - 'log.call(deprecate, message, site)\n' + - 'return fn.apply(this, arguments)\n' + - '})') - - return deprecatedfn -} - -/** - * Wrap property in a deprecation message. - */ - -function wrapproperty (obj, prop, message) { - if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { - throw new TypeError('argument obj must be object') - } - - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - - if (!descriptor) { - throw new TypeError('must call property on owner object') - } - - if (!descriptor.configurable) { - throw new TypeError('property must be configurable') - } - - var deprecate = this - var stack = getStack() - var site = callSiteLocation(stack[1]) - - // set site name - site.name = prop - - // convert data descriptor - if ('value' in descriptor) { - descriptor = convertDataDescriptorToAccessor(obj, prop, message) - } - - var get = descriptor.get - var set = descriptor.set - - // wrap getter - if (typeof get === 'function') { - descriptor.get = function getter () { - log.call(deprecate, message, site) - return get.apply(this, arguments) - } - } - - // wrap setter - if (typeof set === 'function') { - descriptor.set = function setter () { - log.call(deprecate, message, site) - return set.apply(this, arguments) - } - } - - Object.defineProperty(obj, prop, descriptor) -} - -/** - * Create DeprecationError for deprecation - */ - -function DeprecationError (namespace, message, stack) { - var error = new Error() - var stackString - - Object.defineProperty(error, 'constructor', { - value: DeprecationError - }) - - Object.defineProperty(error, 'message', { - configurable: true, - enumerable: false, - value: message, - writable: true - }) - - Object.defineProperty(error, 'name', { - enumerable: false, - configurable: true, - value: 'DeprecationError', - writable: true - }) - - Object.defineProperty(error, 'namespace', { - configurable: true, - enumerable: false, - value: namespace, - writable: true - }) - - Object.defineProperty(error, 'stack', { - configurable: true, - enumerable: false, - get: function () { - if (stackString !== undefined) { - return stackString - } - - // prepare stack trace - return (stackString = createStackString.call(this, stack)) - }, - set: function setter (val) { - stackString = val - } - }) - - return error -} - - -/***/ }), -/* 35 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * depd - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var EventEmitter = __webpack_require__(5).EventEmitter - -/** - * Module exports. - * @public - */ - -lazyProperty(module.exports, 'callSiteToString', function callSiteToString () { - var limit = Error.stackTraceLimit - var obj = {} - var prep = Error.prepareStackTrace - - function prepareObjectStackTrace (obj, stack) { - return stack - } - - Error.prepareStackTrace = prepareObjectStackTrace - Error.stackTraceLimit = 2 - - // capture the stack - Error.captureStackTrace(obj) - - // slice the stack - var stack = obj.stack.slice() - - Error.prepareStackTrace = prep - Error.stackTraceLimit = limit - - return stack[0].toString ? toString : __webpack_require__(91) -}) - -lazyProperty(module.exports, 'eventListenerCount', function eventListenerCount () { - return EventEmitter.listenerCount || __webpack_require__(92) -}) - -/** - * Define a lazy property. - */ - -function lazyProperty (obj, prop, getter) { - function get () { - var val = getter() - - Object.defineProperty(obj, prop, { - configurable: true, - enumerable: true, - value: val - }) - - return val - } - - Object.defineProperty(obj, prop, { - configurable: true, - enumerable: true, - get: get - }) -} - -/** - * Call toString() on the obj - */ - -function toString (obj) { - return obj.toString() -} - - -/***/ }), -/* 36 */ -/***/ (function(module, exports) { - -module.exports = require("querystring"); - -/***/ }), -/* 37 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -const Promise = __webpack_require__(115) - -/** - * Expose compositor. - */ - -module.exports = compose - -/** - * Compose `middleware` returning - * a fully valid middleware comprised - * of all those which are passed. - * - * @param {Array} middleware - * @return {Function} - * @api public - */ - -function compose (middleware) { - if (!Array.isArray(middleware)) throw new TypeError('Middleware stack must be an array!') - for (const fn of middleware) { - if (typeof fn !== 'function') throw new TypeError('Middleware must be composed of functions!') - } - - /** - * @param {Object} context - * @return {Promise} - * @api public - */ - - return function (context, next) { - // last called middleware # - let index = -1 - return dispatch(0) - function dispatch (i) { - if (i <= index) return Promise.reject(new Error('next() called multiple times')) - index = i - let fn = middleware[i] - if (i === middleware.length) fn = next - if (!fn) return Promise.resolve() - try { - return Promise.resolve(fn(context, function next () { - return dispatch(i + 1) - })) - } catch (err) { - return Promise.reject(err) - } - } - } -} - - -/***/ }), -/* 38 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -/** - * Detect Electron renderer / nwjs process, which is node, but we should - * treat as a browser. - */ -if (typeof process === 'undefined' || process.type === 'renderer' || process.browser === true || process.__nwjs) { - module.exports = __webpack_require__(120); -} else { - module.exports = __webpack_require__(122); -} - - - -/***/ }), -/* 39 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -/** - * This is the common logic for both the Node.js and web browser - * implementations of `debug()`. - */ -function setup(env) { - createDebug.debug = createDebug; - createDebug.default = createDebug; - createDebug.coerce = coerce; - createDebug.disable = disable; - createDebug.enable = enable; - createDebug.enabled = enabled; - createDebug.humanize = __webpack_require__(121); - Object.keys(env).forEach(function (key) { - createDebug[key] = env[key]; - }); - /** - * Active `debug` instances. - */ - - createDebug.instances = []; - /** - * The currently active debug mode names, and names to skip. - */ - - createDebug.names = []; - createDebug.skips = []; - /** - * Map of special "%n" handling functions, for the debug "format" argument. - * - * Valid key names are a single, lower or upper-case letter, i.e. "n" and "N". - */ - - createDebug.formatters = {}; - /** - * Selects a color for a debug namespace - * @param {String} namespace The namespace string for the for the debug instance to be colored - * @return {Number|String} An ANSI color code for the given namespace - * @api private - */ - - function selectColor(namespace) { - var hash = 0; - - for (var i = 0; i < namespace.length; i++) { - hash = (hash << 5) - hash + namespace.charCodeAt(i); - hash |= 0; // Convert to 32bit integer - } - - return createDebug.colors[Math.abs(hash) % createDebug.colors.length]; - } - - createDebug.selectColor = selectColor; - /** - * Create a debugger with the given `namespace`. - * - * @param {String} namespace - * @return {Function} - * @api public - */ - - function createDebug(namespace) { - var prevTime; - - function debug() { - // Disabled? - if (!debug.enabled) { - return; - } - - for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) { - args[_key] = arguments[_key]; - } - - var self = debug; // Set `diff` timestamp - - var curr = Number(new Date()); - var ms = curr - (prevTime || curr); - self.diff = ms; - self.prev = prevTime; - self.curr = curr; - prevTime = curr; - args[0] = createDebug.coerce(args[0]); - - if (typeof args[0] !== 'string') { - // Anything else let's inspect with %O - args.unshift('%O'); - } // Apply any `formatters` transformations - - - var index = 0; - args[0] = args[0].replace(/%([a-zA-Z%])/g, function (match, format) { - // If we encounter an escaped % then don't increase the array index - if (match === '%%') { - return match; - } - - index++; - var formatter = createDebug.formatters[format]; - - if (typeof formatter === 'function') { - var val = args[index]; - match = formatter.call(self, val); // Now we need to remove `args[index]` since it's inlined in the `format` - - args.splice(index, 1); - index--; - } - - return match; - }); // Apply env-specific formatting (colors, etc.) - - createDebug.formatArgs.call(self, args); - var logFn = self.log || createDebug.log; - logFn.apply(self, args); - } - - debug.namespace = namespace; - debug.enabled = createDebug.enabled(namespace); - debug.useColors = createDebug.useColors(); - debug.color = selectColor(namespace); - debug.destroy = destroy; - debug.extend = extend; // Debug.formatArgs = formatArgs; - // debug.rawLog = rawLog; - // env-specific initialization logic for debug instances - - if (typeof createDebug.init === 'function') { - createDebug.init(debug); - } - - createDebug.instances.push(debug); - return debug; - } - - function destroy() { - var index = createDebug.instances.indexOf(this); - - if (index !== -1) { - createDebug.instances.splice(index, 1); - return true; - } - - return false; - } - - function extend(namespace, delimiter) { - return createDebug(this.namespace + (typeof delimiter === 'undefined' ? ':' : delimiter) + namespace); - } - /** - * Enables a debug mode by namespaces. This can include modes - * separated by a colon and wildcards. - * - * @param {String} namespaces - * @api public - */ - - - function enable(namespaces) { - createDebug.save(namespaces); - createDebug.names = []; - createDebug.skips = []; - var i; - var split = (typeof namespaces === 'string' ? namespaces : '').split(/[\s,]+/); - var len = split.length; - - for (i = 0; i < len; i++) { - if (!split[i]) { - // ignore empty strings - continue; - } - - namespaces = split[i].replace(/\*/g, '.*?'); - - if (namespaces[0] === '-') { - createDebug.skips.push(new RegExp('^' + namespaces.substr(1) + '$')); - } else { - createDebug.names.push(new RegExp('^' + namespaces + '$')); - } - } - - for (i = 0; i < createDebug.instances.length; i++) { - var instance = createDebug.instances[i]; - instance.enabled = createDebug.enabled(instance.namespace); - } - } - /** - * Disable debug output. - * - * @api public - */ - - - function disable() { - createDebug.enable(''); - } - /** - * Returns true if the given mode name is enabled, false otherwise. - * - * @param {String} name - * @return {Boolean} - * @api public - */ - - - function enabled(name) { - if (name[name.length - 1] === '*') { - return true; - } - - var i; - var len; - - for (i = 0, len = createDebug.skips.length; i < len; i++) { - if (createDebug.skips[i].test(name)) { - return false; - } - } - - for (i = 0, len = createDebug.names.length; i < len; i++) { - if (createDebug.names[i].test(name)) { - return true; - } - } - - return false; - } - /** - * Coerce `val`. - * - * @param {Mixed} val - * @return {Mixed} - * @api private - */ - - - function coerce(val) { - if (val instanceof Error) { - return val.stack || val.message; - } - - return val; - } - - createDebug.enable(createDebug.load()); - return createDebug; -} - -module.exports = setup; - - - -/***/ }), -/* 40 */ -/***/ (function(module, exports, __webpack_require__) { - -/* WEBPACK VAR INJECTION */(function(module) {var __WEBPACK_AMD_DEFINE_RESULT__;/*! https://mths.be/punycode v1.4.0 by @mathias */ -;(function(root) { - - /** Detect free variables */ - var freeExports = true && exports && - !exports.nodeType && exports; - var freeModule = true && module && - !module.nodeType && module; - var freeGlobal = typeof global == 'object' && global; - if ( - freeGlobal.global === freeGlobal || - freeGlobal.window === freeGlobal || - freeGlobal.self === freeGlobal - ) { - root = freeGlobal; - } - - /** - * The `punycode` object. - * @name punycode - * @type Object - */ - var punycode, - - /** Highest positive signed 32-bit float value */ - maxInt = 2147483647, // aka. 0x7FFFFFFF or 2^31-1 - - /** Bootstring parameters */ - base = 36, - tMin = 1, - tMax = 26, - skew = 38, - damp = 700, - initialBias = 72, - initialN = 128, // 0x80 - delimiter = '-', // '\x2D' - - /** Regular expressions */ - regexPunycode = /^xn--/, - regexNonASCII = /[^\x20-\x7E]/, // unprintable ASCII chars + non-ASCII chars - regexSeparators = /[\x2E\u3002\uFF0E\uFF61]/g, // RFC 3490 separators - - /** Error messages */ - errors = { - 'overflow': 'Overflow: input needs wider integers to process', - 'not-basic': 'Illegal input >= 0x80 (not a basic code point)', - 'invalid-input': 'Invalid input' - }, - - /** Convenience shortcuts */ - baseMinusTMin = base - tMin, - floor = Math.floor, - stringFromCharCode = String.fromCharCode, - - /** Temporary variable */ - key; - - /*--------------------------------------------------------------------------*/ - - /** - * A generic error utility function. - * @private - * @param {String} type The error type. - * @returns {Error} Throws a `RangeError` with the applicable error message. - */ - function error(type) { - throw new RangeError(errors[type]); - } - - /** - * A generic `Array#map` utility function. - * @private - * @param {Array} array The array to iterate over. - * @param {Function} callback The function that gets called for every array - * item. - * @returns {Array} A new array of values returned by the callback function. - */ - function map(array, fn) { - var length = array.length; - var result = []; - while (length--) { - result[length] = fn(array[length]); - } - return result; - } - - /** - * A simple `Array#map`-like wrapper to work with domain name strings or email - * addresses. - * @private - * @param {String} domain The domain name or email address. - * @param {Function} callback The function that gets called for every - * character. - * @returns {Array} A new string of characters returned by the callback - * function. - */ - function mapDomain(string, fn) { - var parts = string.split('@'); - var result = ''; - if (parts.length > 1) { - // In email addresses, only the domain name should be punycoded. Leave - // the local part (i.e. everything up to `@`) intact. - result = parts[0] + '@'; - string = parts[1]; - } - // Avoid `split(regex)` for IE8 compatibility. See #17. - string = string.replace(regexSeparators, '\x2E'); - var labels = string.split('.'); - var encoded = map(labels, fn).join('.'); - return result + encoded; - } - - /** - * Creates an array containing the numeric code points of each Unicode - * character in the string. While JavaScript uses UCS-2 internally, - * this function will convert a pair of surrogate halves (each of which - * UCS-2 exposes as separate characters) into a single code point, - * matching UTF-16. - * @see `punycode.ucs2.encode` - * @see - * @memberOf punycode.ucs2 - * @name decode - * @param {String} string The Unicode input string (UCS-2). - * @returns {Array} The new array of code points. - */ - function ucs2decode(string) { - var output = [], - counter = 0, - length = string.length, - value, - extra; - while (counter < length) { - value = string.charCodeAt(counter++); - if (value >= 0xD800 && value <= 0xDBFF && counter < length) { - // high surrogate, and there is a next character - extra = string.charCodeAt(counter++); - if ((extra & 0xFC00) == 0xDC00) { // low surrogate - output.push(((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000); - } else { - // unmatched surrogate; only append this code unit, in case the next - // code unit is the high surrogate of a surrogate pair - output.push(value); - counter--; - } - } else { - output.push(value); - } - } - return output; - } - - /** - * Creates a string based on an array of numeric code points. - * @see `punycode.ucs2.decode` - * @memberOf punycode.ucs2 - * @name encode - * @param {Array} codePoints The array of numeric code points. - * @returns {String} The new Unicode string (UCS-2). - */ - function ucs2encode(array) { - return map(array, function(value) { - var output = ''; - if (value > 0xFFFF) { - value -= 0x10000; - output += stringFromCharCode(value >>> 10 & 0x3FF | 0xD800); - value = 0xDC00 | value & 0x3FF; - } - output += stringFromCharCode(value); - return output; - }).join(''); - } - - /** - * Converts a basic code point into a digit/integer. - * @see `digitToBasic()` - * @private - * @param {Number} codePoint The basic numeric code point value. - * @returns {Number} The numeric value of a basic code point (for use in - * representing integers) in the range `0` to `base - 1`, or `base` if - * the code point does not represent a value. - */ - function basicToDigit(codePoint) { - if (codePoint - 48 < 10) { - return codePoint - 22; - } - if (codePoint - 65 < 26) { - return codePoint - 65; - } - if (codePoint - 97 < 26) { - return codePoint - 97; - } - return base; - } - - /** - * Converts a digit/integer into a basic code point. - * @see `basicToDigit()` - * @private - * @param {Number} digit The numeric value of a basic code point. - * @returns {Number} The basic code point whose value (when used for - * representing integers) is `digit`, which needs to be in the range - * `0` to `base - 1`. If `flag` is non-zero, the uppercase form is - * used; else, the lowercase form is used. The behavior is undefined - * if `flag` is non-zero and `digit` has no uppercase form. - */ - function digitToBasic(digit, flag) { - // 0..25 map to ASCII a..z or A..Z - // 26..35 map to ASCII 0..9 - return digit + 22 + 75 * (digit < 26) - ((flag != 0) << 5); - } - - /** - * Bias adaptation function as per section 3.4 of RFC 3492. - * https://tools.ietf.org/html/rfc3492#section-3.4 - * @private - */ - function adapt(delta, numPoints, firstTime) { - var k = 0; - delta = firstTime ? floor(delta / damp) : delta >> 1; - delta += floor(delta / numPoints); - for (/* no initialization */; delta > baseMinusTMin * tMax >> 1; k += base) { - delta = floor(delta / baseMinusTMin); - } - return floor(k + (baseMinusTMin + 1) * delta / (delta + skew)); - } - - /** - * Converts a Punycode string of ASCII-only symbols to a string of Unicode - * symbols. - * @memberOf punycode - * @param {String} input The Punycode string of ASCII-only symbols. - * @returns {String} The resulting string of Unicode symbols. - */ - function decode(input) { - // Don't use UCS-2 - var output = [], - inputLength = input.length, - out, - i = 0, - n = initialN, - bias = initialBias, - basic, - j, - index, - oldi, - w, - k, - digit, - t, - /** Cached calculation results */ - baseMinusT; - - // Handle the basic code points: let `basic` be the number of input code - // points before the last delimiter, or `0` if there is none, then copy - // the first basic code points to the output. - - basic = input.lastIndexOf(delimiter); - if (basic < 0) { - basic = 0; - } - - for (j = 0; j < basic; ++j) { - // if it's not a basic code point - if (input.charCodeAt(j) >= 0x80) { - error('not-basic'); - } - output.push(input.charCodeAt(j)); - } - - // Main decoding loop: start just after the last delimiter if any basic code - // points were copied; start at the beginning otherwise. - - for (index = basic > 0 ? basic + 1 : 0; index < inputLength; /* no final expression */) { - - // `index` is the index of the next character to be consumed. - // Decode a generalized variable-length integer into `delta`, - // which gets added to `i`. The overflow checking is easier - // if we increase `i` as we go, then subtract off its starting - // value at the end to obtain `delta`. - for (oldi = i, w = 1, k = base; /* no condition */; k += base) { - - if (index >= inputLength) { - error('invalid-input'); - } - - digit = basicToDigit(input.charCodeAt(index++)); - - if (digit >= base || digit > floor((maxInt - i) / w)) { - error('overflow'); - } - - i += digit * w; - t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias); - - if (digit < t) { - break; - } - - baseMinusT = base - t; - if (w > floor(maxInt / baseMinusT)) { - error('overflow'); - } - - w *= baseMinusT; - - } - - out = output.length + 1; - bias = adapt(i - oldi, out, oldi == 0); - - // `i` was supposed to wrap around from `out` to `0`, - // incrementing `n` each time, so we'll fix that now: - if (floor(i / out) > maxInt - n) { - error('overflow'); - } - - n += floor(i / out); - i %= out; - - // Insert `n` at position `i` of the output - output.splice(i++, 0, n); - - } - - return ucs2encode(output); - } - - /** - * Converts a string of Unicode symbols (e.g. a domain name label) to a - * Punycode string of ASCII-only symbols. - * @memberOf punycode - * @param {String} input The string of Unicode symbols. - * @returns {String} The resulting Punycode string of ASCII-only symbols. - */ - function encode(input) { - var n, - delta, - handledCPCount, - basicLength, - bias, - j, - m, - q, - k, - t, - currentValue, - output = [], - /** `inputLength` will hold the number of code points in `input`. */ - inputLength, - /** Cached calculation results */ - handledCPCountPlusOne, - baseMinusT, - qMinusT; - - // Convert the input in UCS-2 to Unicode - input = ucs2decode(input); - - // Cache the length - inputLength = input.length; - - // Initialize the state - n = initialN; - delta = 0; - bias = initialBias; - - // Handle the basic code points - for (j = 0; j < inputLength; ++j) { - currentValue = input[j]; - if (currentValue < 0x80) { - output.push(stringFromCharCode(currentValue)); - } - } - - handledCPCount = basicLength = output.length; - - // `handledCPCount` is the number of code points that have been handled; - // `basicLength` is the number of basic code points. - - // Finish the basic string - if it is not empty - with a delimiter - if (basicLength) { - output.push(delimiter); - } - - // Main encoding loop: - while (handledCPCount < inputLength) { - - // All non-basic code points < n have been handled already. Find the next - // larger one: - for (m = maxInt, j = 0; j < inputLength; ++j) { - currentValue = input[j]; - if (currentValue >= n && currentValue < m) { - m = currentValue; - } - } - - // Increase `delta` enough to advance the decoder's state to , - // but guard against overflow - handledCPCountPlusOne = handledCPCount + 1; - if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) { - error('overflow'); - } - - delta += (m - n) * handledCPCountPlusOne; - n = m; - - for (j = 0; j < inputLength; ++j) { - currentValue = input[j]; - - if (currentValue < n && ++delta > maxInt) { - error('overflow'); - } - - if (currentValue == n) { - // Represent delta as a generalized variable-length integer - for (q = delta, k = base; /* no condition */; k += base) { - t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias); - if (q < t) { - break; - } - qMinusT = q - t; - baseMinusT = base - t; - output.push( - stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT, 0)) - ); - q = floor(qMinusT / baseMinusT); - } - - output.push(stringFromCharCode(digitToBasic(q, 0))); - bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength); - delta = 0; - ++handledCPCount; - } - } - - ++delta; - ++n; - - } - return output.join(''); - } - - /** - * Converts a Punycode string representing a domain name or an email address - * to Unicode. Only the Punycoded parts of the input will be converted, i.e. - * it doesn't matter if you call it on a string that has already been - * converted to Unicode. - * @memberOf punycode - * @param {String} input The Punycoded domain name or email address to - * convert to Unicode. - * @returns {String} The Unicode representation of the given Punycode - * string. - */ - function toUnicode(input) { - return mapDomain(input, function(string) { - return regexPunycode.test(string) - ? decode(string.slice(4).toLowerCase()) - : string; - }); - } - - /** - * Converts a Unicode string representing a domain name or an email address to - * Punycode. Only the non-ASCII parts of the domain name will be converted, - * i.e. it doesn't matter if you call it with a domain that's already in - * ASCII. - * @memberOf punycode - * @param {String} input The domain name or email address to convert, as a - * Unicode string. - * @returns {String} The Punycode representation of the given domain name or - * email address. - */ - function toASCII(input) { - return mapDomain(input, function(string) { - return regexNonASCII.test(string) - ? 'xn--' + encode(string) - : string; - }); - } - - /*--------------------------------------------------------------------------*/ - - /** Define the public API */ - punycode = { - /** - * A string representing the current Punycode.js version number. - * @memberOf punycode - * @type String - */ - 'version': '1.3.2', - /** - * An object of methods to convert from JavaScript's internal character - * representation (UCS-2) to Unicode code points, and back. - * @see - * @memberOf punycode - * @type Object - */ - 'ucs2': { - 'decode': ucs2decode, - 'encode': ucs2encode - }, - 'decode': decode, - 'encode': encode, - 'toASCII': toASCII, - 'toUnicode': toUnicode - }; - - /** Expose `punycode` */ - // Some AMD build optimizers, like r.js, check for specific condition patterns - // like the following: - if ( - true - ) { - !(__WEBPACK_AMD_DEFINE_RESULT__ = (function() { - return punycode; - }).call(exports, __webpack_require__, exports, module), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - } else {} - -}(this)); - -/* WEBPACK VAR INJECTION */}.call(this, __webpack_require__(130)(module))) - -/***/ }), -/* 41 */ -/***/ (function(module, exports, __webpack_require__) { - -var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_RESULT__;/*! - * URI.js - Mutating URLs - * IPv6 Support - * - * Version: 1.19.5 - * - * Author: Rodney Rehm - * Web: http://medialize.github.io/URI.js/ - * - * Licensed under - * MIT License http://www.opensource.org/licenses/mit-license - * - */ - -(function (root, factory) { - 'use strict'; - // https://github.com/umdjs/umd/blob/master/returnExports.js - if ( true && module.exports) { - // Node - module.exports = factory(); - } else if (true) { - // AMD. Register as an anonymous module. - !(__WEBPACK_AMD_DEFINE_FACTORY__ = (factory), - __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? - (__WEBPACK_AMD_DEFINE_FACTORY__.call(exports, __webpack_require__, exports, module)) : - __WEBPACK_AMD_DEFINE_FACTORY__), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - } else {} -}(this, function (root) { - 'use strict'; - - /* - var _in = "fe80:0000:0000:0000:0204:61ff:fe9d:f156"; - var _out = IPv6.best(_in); - var _expected = "fe80::204:61ff:fe9d:f156"; - - console.log(_in, _out, _expected, _out === _expected); - */ - - // save current IPv6 variable, if any - var _IPv6 = root && root.IPv6; - - function bestPresentation(address) { - // based on: - // Javascript to test an IPv6 address for proper format, and to - // present the "best text representation" according to IETF Draft RFC at - // http://tools.ietf.org/html/draft-ietf-6man-text-addr-representation-04 - // 8 Feb 2010 Rich Brown, Dartware, LLC - // Please feel free to use this code as long as you provide a link to - // http://www.intermapper.com - // http://intermapper.com/support/tools/IPV6-Validator.aspx - // http://download.dartware.com/thirdparty/ipv6validator.js - - var _address = address.toLowerCase(); - var segments = _address.split(':'); - var length = segments.length; - var total = 8; - - // trim colons (:: or ::a:b:c… or …a:b:c::) - if (segments[0] === '' && segments[1] === '' && segments[2] === '') { - // must have been :: - // remove first two items - segments.shift(); - segments.shift(); - } else if (segments[0] === '' && segments[1] === '') { - // must have been ::xxxx - // remove the first item - segments.shift(); - } else if (segments[length - 1] === '' && segments[length - 2] === '') { - // must have been xxxx:: - segments.pop(); - } - - length = segments.length; - - // adjust total segments for IPv4 trailer - if (segments[length - 1].indexOf('.') !== -1) { - // found a "." which means IPv4 - total = 7; - } - - // fill empty segments them with "0000" - var pos; - for (pos = 0; pos < length; pos++) { - if (segments[pos] === '') { - break; - } - } - - if (pos < total) { - segments.splice(pos, 1, '0000'); - while (segments.length < total) { - segments.splice(pos, 0, '0000'); - } - } - - // strip leading zeros - var _segments; - for (var i = 0; i < total; i++) { - _segments = segments[i].split(''); - for (var j = 0; j < 3 ; j++) { - if (_segments[0] === '0' && _segments.length > 1) { - _segments.splice(0,1); - } else { - break; - } - } - - segments[i] = _segments.join(''); - } - - // find longest sequence of zeroes and coalesce them into one segment - var best = -1; - var _best = 0; - var _current = 0; - var current = -1; - var inzeroes = false; - // i; already declared - - for (i = 0; i < total; i++) { - if (inzeroes) { - if (segments[i] === '0') { - _current += 1; - } else { - inzeroes = false; - if (_current > _best) { - best = current; - _best = _current; - } - } - } else { - if (segments[i] === '0') { - inzeroes = true; - current = i; - _current = 1; - } - } - } - - if (_current > _best) { - best = current; - _best = _current; - } - - if (_best > 1) { - segments.splice(best, _best, ''); - } - - length = segments.length; - - // assemble remaining segments - var result = ''; - if (segments[0] === '') { - result = ':'; - } - - for (i = 0; i < length; i++) { - result += segments[i]; - if (i === length - 1) { - break; - } - - result += ':'; - } - - if (segments[length - 1] === '') { - result += ':'; - } - - return result; - } - - function noConflict() { - /*jshint validthis: true */ - if (root.IPv6 === this) { - root.IPv6 = _IPv6; - } - - return this; - } - - return { - best: bestPresentation, - noConflict: noConflict - }; -})); - - -/***/ }), -/* 42 */ -/***/ (function(module, exports, __webpack_require__) { - -var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_RESULT__;/*! - * URI.js - Mutating URLs - * Second Level Domain (SLD) Support - * - * Version: 1.19.5 - * - * Author: Rodney Rehm - * Web: http://medialize.github.io/URI.js/ - * - * Licensed under - * MIT License http://www.opensource.org/licenses/mit-license - * - */ - -(function (root, factory) { - 'use strict'; - // https://github.com/umdjs/umd/blob/master/returnExports.js - if ( true && module.exports) { - // Node - module.exports = factory(); - } else if (true) { - // AMD. Register as an anonymous module. - !(__WEBPACK_AMD_DEFINE_FACTORY__ = (factory), - __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? - (__WEBPACK_AMD_DEFINE_FACTORY__.call(exports, __webpack_require__, exports, module)) : - __WEBPACK_AMD_DEFINE_FACTORY__), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - } else {} -}(this, function (root) { - 'use strict'; - - // save current SecondLevelDomains variable, if any - var _SecondLevelDomains = root && root.SecondLevelDomains; - - var SLD = { - // list of known Second Level Domains - // converted list of SLDs from https://github.com/gavingmiller/second-level-domains - // ---- - // publicsuffix.org is more current and actually used by a couple of browsers internally. - // downside is it also contains domains like "dyndns.org" - which is fine for the security - // issues browser have to deal with (SOP for cookies, etc) - but is way overboard for URI.js - // ---- - list: { - 'ac':' com gov mil net org ', - 'ae':' ac co gov mil name net org pro sch ', - 'af':' com edu gov net org ', - 'al':' com edu gov mil net org ', - 'ao':' co ed gv it og pb ', - 'ar':' com edu gob gov int mil net org tur ', - 'at':' ac co gv or ', - 'au':' asn com csiro edu gov id net org ', - 'ba':' co com edu gov mil net org rs unbi unmo unsa untz unze ', - 'bb':' biz co com edu gov info net org store tv ', - 'bh':' biz cc com edu gov info net org ', - 'bn':' com edu gov net org ', - 'bo':' com edu gob gov int mil net org tv ', - 'br':' adm adv agr am arq art ato b bio blog bmd cim cng cnt com coop ecn edu eng esp etc eti far flog fm fnd fot fst g12 ggf gov imb ind inf jor jus lel mat med mil mus net nom not ntr odo org ppg pro psc psi qsl rec slg srv tmp trd tur tv vet vlog wiki zlg ', - 'bs':' com edu gov net org ', - 'bz':' du et om ov rg ', - 'ca':' ab bc mb nb nf nl ns nt nu on pe qc sk yk ', - 'ck':' biz co edu gen gov info net org ', - 'cn':' ac ah bj com cq edu fj gd gov gs gx gz ha hb he hi hl hn jl js jx ln mil net nm nx org qh sc sd sh sn sx tj tw xj xz yn zj ', - 'co':' com edu gov mil net nom org ', - 'cr':' ac c co ed fi go or sa ', - 'cy':' ac biz com ekloges gov ltd name net org parliament press pro tm ', - 'do':' art com edu gob gov mil net org sld web ', - 'dz':' art asso com edu gov net org pol ', - 'ec':' com edu fin gov info med mil net org pro ', - 'eg':' com edu eun gov mil name net org sci ', - 'er':' com edu gov ind mil net org rochest w ', - 'es':' com edu gob nom org ', - 'et':' biz com edu gov info name net org ', - 'fj':' ac biz com info mil name net org pro ', - 'fk':' ac co gov net nom org ', - 'fr':' asso com f gouv nom prd presse tm ', - 'gg':' co net org ', - 'gh':' com edu gov mil org ', - 'gn':' ac com gov net org ', - 'gr':' com edu gov mil net org ', - 'gt':' com edu gob ind mil net org ', - 'gu':' com edu gov net org ', - 'hk':' com edu gov idv net org ', - 'hu':' 2000 agrar bolt casino city co erotica erotika film forum games hotel info ingatlan jogasz konyvelo lakas media news org priv reklam sex shop sport suli szex tm tozsde utazas video ', - 'id':' ac co go mil net or sch web ', - 'il':' ac co gov idf k12 muni net org ', - 'in':' ac co edu ernet firm gen gov i ind mil net nic org res ', - 'iq':' com edu gov i mil net org ', - 'ir':' ac co dnssec gov i id net org sch ', - 'it':' edu gov ', - 'je':' co net org ', - 'jo':' com edu gov mil name net org sch ', - 'jp':' ac ad co ed go gr lg ne or ', - 'ke':' ac co go info me mobi ne or sc ', - 'kh':' com edu gov mil net org per ', - 'ki':' biz com de edu gov info mob net org tel ', - 'km':' asso com coop edu gouv k medecin mil nom notaires pharmaciens presse tm veterinaire ', - 'kn':' edu gov net org ', - 'kr':' ac busan chungbuk chungnam co daegu daejeon es gangwon go gwangju gyeongbuk gyeonggi gyeongnam hs incheon jeju jeonbuk jeonnam k kg mil ms ne or pe re sc seoul ulsan ', - 'kw':' com edu gov net org ', - 'ky':' com edu gov net org ', - 'kz':' com edu gov mil net org ', - 'lb':' com edu gov net org ', - 'lk':' assn com edu gov grp hotel int ltd net ngo org sch soc web ', - 'lr':' com edu gov net org ', - 'lv':' asn com conf edu gov id mil net org ', - 'ly':' com edu gov id med net org plc sch ', - 'ma':' ac co gov m net org press ', - 'mc':' asso tm ', - 'me':' ac co edu gov its net org priv ', - 'mg':' com edu gov mil nom org prd tm ', - 'mk':' com edu gov inf name net org pro ', - 'ml':' com edu gov net org presse ', - 'mn':' edu gov org ', - 'mo':' com edu gov net org ', - 'mt':' com edu gov net org ', - 'mv':' aero biz com coop edu gov info int mil museum name net org pro ', - 'mw':' ac co com coop edu gov int museum net org ', - 'mx':' com edu gob net org ', - 'my':' com edu gov mil name net org sch ', - 'nf':' arts com firm info net other per rec store web ', - 'ng':' biz com edu gov mil mobi name net org sch ', - 'ni':' ac co com edu gob mil net nom org ', - 'np':' com edu gov mil net org ', - 'nr':' biz com edu gov info net org ', - 'om':' ac biz co com edu gov med mil museum net org pro sch ', - 'pe':' com edu gob mil net nom org sld ', - 'ph':' com edu gov i mil net ngo org ', - 'pk':' biz com edu fam gob gok gon gop gos gov net org web ', - 'pl':' art bialystok biz com edu gda gdansk gorzow gov info katowice krakow lodz lublin mil net ngo olsztyn org poznan pwr radom slupsk szczecin torun warszawa waw wroc wroclaw zgora ', - 'pr':' ac biz com edu est gov info isla name net org pro prof ', - 'ps':' com edu gov net org plo sec ', - 'pw':' belau co ed go ne or ', - 'ro':' arts com firm info nom nt org rec store tm www ', - 'rs':' ac co edu gov in org ', - 'sb':' com edu gov net org ', - 'sc':' com edu gov net org ', - 'sh':' co com edu gov net nom org ', - 'sl':' com edu gov net org ', - 'st':' co com consulado edu embaixada gov mil net org principe saotome store ', - 'sv':' com edu gob org red ', - 'sz':' ac co org ', - 'tr':' av bbs bel biz com dr edu gen gov info k12 name net org pol tel tsk tv web ', - 'tt':' aero biz cat co com coop edu gov info int jobs mil mobi museum name net org pro tel travel ', - 'tw':' club com ebiz edu game gov idv mil net org ', - 'mu':' ac co com gov net or org ', - 'mz':' ac co edu gov org ', - 'na':' co com ', - 'nz':' ac co cri geek gen govt health iwi maori mil net org parliament school ', - 'pa':' abo ac com edu gob ing med net nom org sld ', - 'pt':' com edu gov int net nome org publ ', - 'py':' com edu gov mil net org ', - 'qa':' com edu gov mil net org ', - 're':' asso com nom ', - 'ru':' ac adygeya altai amur arkhangelsk astrakhan bashkiria belgorod bir bryansk buryatia cbg chel chelyabinsk chita chukotka chuvashia com dagestan e-burg edu gov grozny int irkutsk ivanovo izhevsk jar joshkar-ola kalmykia kaluga kamchatka karelia kazan kchr kemerovo khabarovsk khakassia khv kirov koenig komi kostroma kranoyarsk kuban kurgan kursk lipetsk magadan mari mari-el marine mil mordovia mosreg msk murmansk nalchik net nnov nov novosibirsk nsk omsk orenburg org oryol penza perm pp pskov ptz rnd ryazan sakhalin samara saratov simbirsk smolensk spb stavropol stv surgut tambov tatarstan tom tomsk tsaritsyn tsk tula tuva tver tyumen udm udmurtia ulan-ude vladikavkaz vladimir vladivostok volgograd vologda voronezh vrn vyatka yakutia yamal yekaterinburg yuzhno-sakhalinsk ', - 'rw':' ac co com edu gouv gov int mil net ', - 'sa':' com edu gov med net org pub sch ', - 'sd':' com edu gov info med net org tv ', - 'se':' a ac b bd c d e f g h i k l m n o org p parti pp press r s t tm u w x y z ', - 'sg':' com edu gov idn net org per ', - 'sn':' art com edu gouv org perso univ ', - 'sy':' com edu gov mil net news org ', - 'th':' ac co go in mi net or ', - 'tj':' ac biz co com edu go gov info int mil name net nic org test web ', - 'tn':' agrinet com defense edunet ens fin gov ind info intl mincom nat net org perso rnrt rns rnu tourism ', - 'tz':' ac co go ne or ', - 'ua':' biz cherkassy chernigov chernovtsy ck cn co com crimea cv dn dnepropetrovsk donetsk dp edu gov if in ivano-frankivsk kh kharkov kherson khmelnitskiy kiev kirovograd km kr ks kv lg lugansk lutsk lviv me mk net nikolaev od odessa org pl poltava pp rovno rv sebastopol sumy te ternopil uzhgorod vinnica vn zaporizhzhe zhitomir zp zt ', - 'ug':' ac co go ne or org sc ', - 'uk':' ac bl british-library co cym gov govt icnet jet lea ltd me mil mod national-library-scotland nel net nhs nic nls org orgn parliament plc police sch scot soc ', - 'us':' dni fed isa kids nsn ', - 'uy':' com edu gub mil net org ', - 've':' co com edu gob info mil net org web ', - 'vi':' co com k12 net org ', - 'vn':' ac biz com edu gov health info int name net org pro ', - 'ye':' co com gov ltd me net org plc ', - 'yu':' ac co edu gov org ', - 'za':' ac agric alt bourse city co cybernet db edu gov grondar iaccess imt inca landesign law mil net ngo nis nom olivetti org pix school tm web ', - 'zm':' ac co com edu gov net org sch ', - // https://en.wikipedia.org/wiki/CentralNic#Second-level_domains - 'com': 'ar br cn de eu gb gr hu jpn kr no qc ru sa se uk us uy za ', - 'net': 'gb jp se uk ', - 'org': 'ae', - 'de': 'com ' - }, - // gorhill 2013-10-25: Using indexOf() instead Regexp(). Significant boost - // in both performance and memory footprint. No initialization required. - // http://jsperf.com/uri-js-sld-regex-vs-binary-search/4 - // Following methods use lastIndexOf() rather than array.split() in order - // to avoid any memory allocations. - has: function(domain) { - var tldOffset = domain.lastIndexOf('.'); - if (tldOffset <= 0 || tldOffset >= (domain.length-1)) { - return false; - } - var sldOffset = domain.lastIndexOf('.', tldOffset-1); - if (sldOffset <= 0 || sldOffset >= (tldOffset-1)) { - return false; - } - var sldList = SLD.list[domain.slice(tldOffset+1)]; - if (!sldList) { - return false; - } - return sldList.indexOf(' ' + domain.slice(sldOffset+1, tldOffset) + ' ') >= 0; - }, - is: function(domain) { - var tldOffset = domain.lastIndexOf('.'); - if (tldOffset <= 0 || tldOffset >= (domain.length-1)) { - return false; - } - var sldOffset = domain.lastIndexOf('.', tldOffset-1); - if (sldOffset >= 0) { - return false; - } - var sldList = SLD.list[domain.slice(tldOffset+1)]; - if (!sldList) { - return false; - } - return sldList.indexOf(' ' + domain.slice(0, tldOffset) + ' ') >= 0; - }, - get: function(domain) { - var tldOffset = domain.lastIndexOf('.'); - if (tldOffset <= 0 || tldOffset >= (domain.length-1)) { - return null; - } - var sldOffset = domain.lastIndexOf('.', tldOffset-1); - if (sldOffset <= 0 || sldOffset >= (tldOffset-1)) { - return null; - } - var sldList = SLD.list[domain.slice(tldOffset+1)]; - if (!sldList) { - return null; - } - if (sldList.indexOf(' ' + domain.slice(sldOffset+1, tldOffset) + ' ') < 0) { - return null; - } - return domain.slice(sldOffset+1); - }, - noConflict: function(){ - if (root.SecondLevelDomains === this) { - root.SecondLevelDomains = _SecondLevelDomains; - } - return this; - } - }; - - return SLD; -})); - - -/***/ }), -/* 43 */ -/***/ (function(module, exports, __webpack_require__) { - - -/** - * Module dependencies. - */ - -var raw = __webpack_require__(17); -var inflate = __webpack_require__(19); -var utils = __webpack_require__(20); - -// Allowed whitespace is defined in RFC 7159 -// http://www.rfc-editor.org/rfc/rfc7159.txt -var strictJSONReg = /^[\x20\x09\x0a\x0d]*(\[|\{)/; - -/** - * Return a Promise which parses json requests. - * - * Pass a node request or an object with `.req`, - * such as a koa Context. - * - * @param {Request} req - * @param {Options} [opts] - * @return {Function} - * @api public - */ - -module.exports = function(req, opts){ - req = req.req || req; - opts = utils.clone(opts); - - // defaults - var len = req.headers['content-length']; - var encoding = req.headers['content-encoding'] || 'identity'; - if (len && encoding === 'identity') opts.length = len = ~~len; - opts.encoding = opts.encoding || 'utf8'; - opts.limit = opts.limit || '1mb'; - var strict = opts.strict !== false; - - // raw-body returns a promise when no callback is specified - return Promise.resolve() - .then(function() { - return raw(inflate(req), opts); - }) - .then(function(str) { - try { - var parsed = parse(str); - return opts.returnRawBody ? { parsed: parsed, raw: str } : parsed; - } catch (err) { - err.status = 400; - err.body = str; - throw err; - } - }); - - function parse(str){ - if (!strict) return str ? JSON.parse(str) : str; - // strict mode always return object - if (!str) return {}; - // strict JSON test - if (!strictJSONReg.test(str)) { - throw new Error('invalid JSON, only supports object and array'); - } - return JSON.parse(str); - } -}; - - -/***/ }), -/* 44 */ -/***/ (function(module, exports) { - -module.exports = require("string_decoder"); - -/***/ }), -/* 45 */ -/***/ (function(module) { - -module.exports = [["a140","",62],["a180","",32],["a240","",62],["a280","",32],["a2ab","",5],["a2e3","€"],["a2ef",""],["a2fd",""],["a340","",62],["a380","",31," "],["a440","",62],["a480","",32],["a4f4","",10],["a540","",62],["a580","",32],["a5f7","",7],["a640","",62],["a680","",32],["a6b9","",7],["a6d9","",6],["a6ec",""],["a6f3",""],["a6f6","",8],["a740","",62],["a780","",32],["a7c2","",14],["a7f2","",12],["a896","",10],["a8bc",""],["a8bf","ǹ"],["a8c1",""],["a8ea","",20],["a958",""],["a95b",""],["a95d",""],["a989","〾⿰",11],["a997","",12],["a9f0","",14],["aaa1","",93],["aba1","",93],["aca1","",93],["ada1","",93],["aea1","",93],["afa1","",93],["d7fa","",4],["f8a1","",93],["f9a1","",93],["faa1","",93],["fba1","",93],["fca1","",93],["fda1","",93],["fe50","⺁⺄㑳㑇⺈⺋㖞㘚㘎⺌⺗㥮㤘㧏㧟㩳㧐㭎㱮㳠⺧⺪䁖䅟⺮䌷⺳⺶⺷䎱䎬⺻䏝䓖䙡䙌"],["fe80","䜣䜩䝼䞍⻊䥇䥺䥽䦂䦃䦅䦆䦟䦛䦷䦶䲣䲟䲠䲡䱷䲢䴓",6,"䶮",93]]; - -/***/ }), -/* 46 */ -/***/ (function(module) { - -module.exports = [["0","\u0000",127],["a140"," ,、。.‧;:?!︰…‥﹐﹑﹒·﹔﹕﹖﹗|–︱—︳╴︴﹏()︵︶{}︷︸〔〕︹︺【】︻︼《》︽︾〈〉︿﹀「」﹁﹂『』﹃﹄﹙﹚"],["a1a1","﹛﹜﹝﹞‘’“”〝〞‵′#&*※§〃○●△▲◎☆★◇◆□■▽▼㊣℅¯ ̄_ˍ﹉﹊﹍﹎﹋﹌﹟﹠﹡+-×÷±√<>=≦≧≠∞≒≡﹢",4,"~∩∪⊥∠∟⊿㏒㏑∫∮∵∴♀♂⊕⊙↑↓←→↖↗↙↘∥∣/"],["a240","\∕﹨$¥〒¢£%@℃℉﹩﹪﹫㏕㎜㎝㎞㏎㎡㎎㎏㏄°兙兛兞兝兡兣嗧瓩糎▁",7,"▏▎▍▌▋▊▉┼┴┬┤├▔─│▕┌┐└┘╭"],["a2a1","╮╰╯═╞╪╡◢◣◥◤╱╲╳0",9,"Ⅰ",9,"〡",8,"十卄卅A",25,"a",21],["a340","wxyzΑ",16,"Σ",6,"α",16,"σ",6,"ㄅ",10],["a3a1","ㄐ",25,"˙ˉˊˇˋ"],["a3e1","€"],["a440","一乙丁七乃九了二人儿入八几刀刁力匕十卜又三下丈上丫丸凡久么也乞于亡兀刃勺千叉口土士夕大女子孑孓寸小尢尸山川工己已巳巾干廾弋弓才"],["a4a1","丑丐不中丰丹之尹予云井互五亢仁什仃仆仇仍今介仄元允內六兮公冗凶分切刈勻勾勿化匹午升卅卞厄友及反壬天夫太夭孔少尤尺屯巴幻廿弔引心戈戶手扎支文斗斤方日曰月木欠止歹毋比毛氏水火爪父爻片牙牛犬王丙"],["a540","世丕且丘主乍乏乎以付仔仕他仗代令仙仞充兄冉冊冬凹出凸刊加功包匆北匝仟半卉卡占卯卮去可古右召叮叩叨叼司叵叫另只史叱台句叭叻四囚外"],["a5a1","央失奴奶孕它尼巨巧左市布平幼弁弘弗必戊打扔扒扑斥旦朮本未末札正母民氐永汁汀氾犯玄玉瓜瓦甘生用甩田由甲申疋白皮皿目矛矢石示禾穴立丞丟乒乓乩亙交亦亥仿伉伙伊伕伍伐休伏仲件任仰仳份企伋光兇兆先全"],["a640","共再冰列刑划刎刖劣匈匡匠印危吉吏同吊吐吁吋各向名合吃后吆吒因回囝圳地在圭圬圯圩夙多夷夸妄奸妃好她如妁字存宇守宅安寺尖屹州帆并年"],["a6a1","式弛忙忖戎戌戍成扣扛托收早旨旬旭曲曳有朽朴朱朵次此死氖汝汗汙江池汐汕污汛汍汎灰牟牝百竹米糸缶羊羽老考而耒耳聿肉肋肌臣自至臼舌舛舟艮色艾虫血行衣西阡串亨位住佇佗佞伴佛何估佐佑伽伺伸佃佔似但佣"],["a740","作你伯低伶余佝佈佚兌克免兵冶冷別判利刪刨劫助努劬匣即卵吝吭吞吾否呎吧呆呃吳呈呂君吩告吹吻吸吮吵吶吠吼呀吱含吟听囪困囤囫坊坑址坍"],["a7a1","均坎圾坐坏圻壯夾妝妒妨妞妣妙妖妍妤妓妊妥孝孜孚孛完宋宏尬局屁尿尾岐岑岔岌巫希序庇床廷弄弟彤形彷役忘忌志忍忱快忸忪戒我抄抗抖技扶抉扭把扼找批扳抒扯折扮投抓抑抆改攻攸旱更束李杏材村杜杖杞杉杆杠"],["a840","杓杗步每求汞沙沁沈沉沅沛汪決沐汰沌汨沖沒汽沃汲汾汴沆汶沍沔沘沂灶灼災灸牢牡牠狄狂玖甬甫男甸皂盯矣私秀禿究系罕肖肓肝肘肛肚育良芒"],["a8a1","芋芍見角言谷豆豕貝赤走足身車辛辰迂迆迅迄巡邑邢邪邦那酉釆里防阮阱阪阬並乖乳事些亞享京佯依侍佳使佬供例來侃佰併侈佩佻侖佾侏侑佺兔兒兕兩具其典冽函刻券刷刺到刮制剁劾劻卒協卓卑卦卷卸卹取叔受味呵"],["a940","咖呸咕咀呻呷咄咒咆呼咐呱呶和咚呢周咋命咎固垃坷坪坩坡坦坤坼夜奉奇奈奄奔妾妻委妹妮姑姆姐姍始姓姊妯妳姒姅孟孤季宗定官宜宙宛尚屈居"],["a9a1","屆岷岡岸岩岫岱岳帘帚帖帕帛帑幸庚店府底庖延弦弧弩往征彿彼忝忠忽念忿怏怔怯怵怖怪怕怡性怩怫怛或戕房戾所承拉拌拄抿拂抹拒招披拓拔拋拈抨抽押拐拙拇拍抵拚抱拘拖拗拆抬拎放斧於旺昔易昌昆昂明昀昏昕昊"],["aa40","昇服朋杭枋枕東果杳杷枇枝林杯杰板枉松析杵枚枓杼杪杲欣武歧歿氓氛泣注泳沱泌泥河沽沾沼波沫法泓沸泄油況沮泗泅泱沿治泡泛泊沬泯泜泖泠"],["aaa1","炕炎炒炊炙爬爭爸版牧物狀狎狙狗狐玩玨玟玫玥甽疝疙疚的盂盲直知矽社祀祁秉秈空穹竺糾罔羌羋者肺肥肢肱股肫肩肴肪肯臥臾舍芳芝芙芭芽芟芹花芬芥芯芸芣芰芾芷虎虱初表軋迎返近邵邸邱邶采金長門阜陀阿阻附"],["ab40","陂隹雨青非亟亭亮信侵侯便俠俑俏保促侶俘俟俊俗侮俐俄係俚俎俞侷兗冒冑冠剎剃削前剌剋則勇勉勃勁匍南卻厚叛咬哀咨哎哉咸咦咳哇哂咽咪品"],["aba1","哄哈咯咫咱咻咩咧咿囿垂型垠垣垢城垮垓奕契奏奎奐姜姘姿姣姨娃姥姪姚姦威姻孩宣宦室客宥封屎屏屍屋峙峒巷帝帥帟幽庠度建弈弭彥很待徊律徇後徉怒思怠急怎怨恍恰恨恢恆恃恬恫恪恤扁拜挖按拼拭持拮拽指拱拷"],["ac40","拯括拾拴挑挂政故斫施既春昭映昧是星昨昱昤曷柿染柱柔某柬架枯柵柩柯柄柑枴柚查枸柏柞柳枰柙柢柝柒歪殃殆段毒毗氟泉洋洲洪流津洌洱洞洗"],["aca1","活洽派洶洛泵洹洧洸洩洮洵洎洫炫為炳炬炯炭炸炮炤爰牲牯牴狩狠狡玷珊玻玲珍珀玳甚甭畏界畎畋疫疤疥疢疣癸皆皇皈盈盆盃盅省盹相眉看盾盼眇矜砂研砌砍祆祉祈祇禹禺科秒秋穿突竿竽籽紂紅紀紉紇約紆缸美羿耄"],["ad40","耐耍耑耶胖胥胚胃胄背胡胛胎胞胤胝致舢苧范茅苣苛苦茄若茂茉苒苗英茁苜苔苑苞苓苟苯茆虐虹虻虺衍衫要觔計訂訃貞負赴赳趴軍軌述迦迢迪迥"],["ada1","迭迫迤迨郊郎郁郃酋酊重閂限陋陌降面革韋韭音頁風飛食首香乘亳倌倍倣俯倦倥俸倩倖倆值借倚倒們俺倀倔倨俱倡個候倘俳修倭倪俾倫倉兼冤冥冢凍凌准凋剖剜剔剛剝匪卿原厝叟哨唐唁唷哼哥哲唆哺唔哩哭員唉哮哪"],["ae40","哦唧唇哽唏圃圄埂埔埋埃堉夏套奘奚娑娘娜娟娛娓姬娠娣娩娥娌娉孫屘宰害家宴宮宵容宸射屑展屐峭峽峻峪峨峰島崁峴差席師庫庭座弱徒徑徐恙"],["aea1","恣恥恐恕恭恩息悄悟悚悍悔悌悅悖扇拳挈拿捎挾振捕捂捆捏捉挺捐挽挪挫挨捍捌效敉料旁旅時晉晏晃晒晌晅晁書朔朕朗校核案框桓根桂桔栩梳栗桌桑栽柴桐桀格桃株桅栓栘桁殊殉殷氣氧氨氦氤泰浪涕消涇浦浸海浙涓"],["af40","浬涉浮浚浴浩涌涊浹涅浥涔烊烘烤烙烈烏爹特狼狹狽狸狷玆班琉珮珠珪珞畔畝畜畚留疾病症疲疳疽疼疹痂疸皋皰益盍盎眩真眠眨矩砰砧砸砝破砷"],["afa1","砥砭砠砟砲祕祐祠祟祖神祝祗祚秤秣秧租秦秩秘窄窈站笆笑粉紡紗紋紊素索純紐紕級紜納紙紛缺罟羔翅翁耆耘耕耙耗耽耿胱脂胰脅胭胴脆胸胳脈能脊胼胯臭臬舀舐航舫舨般芻茫荒荔荊茸荐草茵茴荏茲茹茶茗荀茱茨荃"],["b040","虔蚊蚪蚓蚤蚩蚌蚣蚜衰衷袁袂衽衹記訐討訌訕訊託訓訖訏訑豈豺豹財貢起躬軒軔軏辱送逆迷退迺迴逃追逅迸邕郡郝郢酒配酌釘針釗釜釙閃院陣陡"],["b0a1","陛陝除陘陞隻飢馬骨高鬥鬲鬼乾偺偽停假偃偌做偉健偶偎偕偵側偷偏倏偯偭兜冕凰剪副勒務勘動匐匏匙匿區匾參曼商啪啦啄啞啡啃啊唱啖問啕唯啤唸售啜唬啣唳啁啗圈國圉域堅堊堆埠埤基堂堵執培夠奢娶婁婉婦婪婀"],["b140","娼婢婚婆婊孰寇寅寄寂宿密尉專將屠屜屝崇崆崎崛崖崢崑崩崔崙崤崧崗巢常帶帳帷康庸庶庵庾張強彗彬彩彫得徙從徘御徠徜恿患悉悠您惋悴惦悽"],["b1a1","情悻悵惜悼惘惕惆惟悸惚惇戚戛扈掠控捲掖探接捷捧掘措捱掩掉掃掛捫推掄授掙採掬排掏掀捻捩捨捺敝敖救教敗啟敏敘敕敔斜斛斬族旋旌旎晝晚晤晨晦晞曹勗望梁梯梢梓梵桿桶梱梧梗械梃棄梭梆梅梔條梨梟梡梂欲殺"],["b240","毫毬氫涎涼淳淙液淡淌淤添淺清淇淋涯淑涮淞淹涸混淵淅淒渚涵淚淫淘淪深淮淨淆淄涪淬涿淦烹焉焊烽烯爽牽犁猜猛猖猓猙率琅琊球理現琍瓠瓶"],["b2a1","瓷甜產略畦畢異疏痔痕疵痊痍皎盔盒盛眷眾眼眶眸眺硫硃硎祥票祭移窒窕笠笨笛第符笙笞笮粒粗粕絆絃統紮紹紼絀細紳組累終紲紱缽羞羚翌翎習耜聊聆脯脖脣脫脩脰脤舂舵舷舶船莎莞莘荸莢莖莽莫莒莊莓莉莠荷荻荼"],["b340","莆莧處彪蛇蛀蚶蛄蚵蛆蛋蚱蚯蛉術袞袈被袒袖袍袋覓規訪訝訣訥許設訟訛訢豉豚販責貫貨貪貧赧赦趾趺軛軟這逍通逗連速逝逐逕逞造透逢逖逛途"],["b3a1","部郭都酗野釵釦釣釧釭釩閉陪陵陳陸陰陴陶陷陬雀雪雩章竟頂頃魚鳥鹵鹿麥麻傢傍傅備傑傀傖傘傚最凱割剴創剩勞勝勛博厥啻喀喧啼喊喝喘喂喜喪喔喇喋喃喳單喟唾喲喚喻喬喱啾喉喫喙圍堯堪場堤堰報堡堝堠壹壺奠"],["b440","婷媚婿媒媛媧孳孱寒富寓寐尊尋就嵌嵐崴嵇巽幅帽幀幃幾廊廁廂廄弼彭復循徨惑惡悲悶惠愜愣惺愕惰惻惴慨惱愎惶愉愀愒戟扉掣掌描揀揩揉揆揍"],["b4a1","插揣提握揖揭揮捶援揪換摒揚揹敞敦敢散斑斐斯普晰晴晶景暑智晾晷曾替期朝棺棕棠棘棗椅棟棵森棧棹棒棲棣棋棍植椒椎棉棚楮棻款欺欽殘殖殼毯氮氯氬港游湔渡渲湧湊渠渥渣減湛湘渤湖湮渭渦湯渴湍渺測湃渝渾滋"],["b540","溉渙湎湣湄湲湩湟焙焚焦焰無然煮焜牌犄犀猶猥猴猩琺琪琳琢琥琵琶琴琯琛琦琨甥甦畫番痢痛痣痙痘痞痠登發皖皓皴盜睏短硝硬硯稍稈程稅稀窘"],["b5a1","窗窖童竣等策筆筐筒答筍筋筏筑粟粥絞結絨絕紫絮絲絡給絢絰絳善翔翕耋聒肅腕腔腋腑腎脹腆脾腌腓腴舒舜菩萃菸萍菠菅萋菁華菱菴著萊菰萌菌菽菲菊萸萎萄菜萇菔菟虛蛟蛙蛭蛔蛛蛤蛐蛞街裁裂袱覃視註詠評詞証詁"],["b640","詔詛詐詆訴診訶詖象貂貯貼貳貽賁費賀貴買貶貿貸越超趁跎距跋跚跑跌跛跆軻軸軼辜逮逵週逸進逶鄂郵鄉郾酣酥量鈔鈕鈣鈉鈞鈍鈐鈇鈑閔閏開閑"],["b6a1","間閒閎隊階隋陽隅隆隍陲隄雁雅雄集雇雯雲韌項順須飧飪飯飩飲飭馮馭黃黍黑亂傭債傲傳僅傾催傷傻傯僇剿剷剽募勦勤勢勣匯嗟嗨嗓嗦嗎嗜嗇嗑嗣嗤嗯嗚嗡嗅嗆嗥嗉園圓塞塑塘塗塚塔填塌塭塊塢塒塋奧嫁嫉嫌媾媽媼"],["b740","媳嫂媲嵩嵯幌幹廉廈弒彙徬微愚意慈感想愛惹愁愈慎慌慄慍愾愴愧愍愆愷戡戢搓搾搞搪搭搽搬搏搜搔損搶搖搗搆敬斟新暗暉暇暈暖暄暘暍會榔業"],["b7a1","楚楷楠楔極椰概楊楨楫楞楓楹榆楝楣楛歇歲毀殿毓毽溢溯滓溶滂源溝滇滅溥溘溼溺溫滑準溜滄滔溪溧溴煎煙煩煤煉照煜煬煦煌煥煞煆煨煖爺牒猷獅猿猾瑯瑚瑕瑟瑞瑁琿瑙瑛瑜當畸瘀痰瘁痲痱痺痿痴痳盞盟睛睫睦睞督"],["b840","睹睪睬睜睥睨睢矮碎碰碗碘碌碉硼碑碓硿祺祿禁萬禽稜稚稠稔稟稞窟窠筷節筠筮筧粱粳粵經絹綑綁綏絛置罩罪署義羨群聖聘肆肄腱腰腸腥腮腳腫"],["b8a1","腹腺腦舅艇蒂葷落萱葵葦葫葉葬葛萼萵葡董葩葭葆虞虜號蛹蜓蜈蜇蜀蛾蛻蜂蜃蜆蜊衙裟裔裙補裘裝裡裊裕裒覜解詫該詳試詩詰誇詼詣誠話誅詭詢詮詬詹詻訾詨豢貊貉賊資賈賄貲賃賂賅跡跟跨路跳跺跪跤跦躲較載軾輊"],["b940","辟農運遊道遂達逼違遐遇遏過遍遑逾遁鄒鄗酬酪酩釉鈷鉗鈸鈽鉀鈾鉛鉋鉤鉑鈴鉉鉍鉅鈹鈿鉚閘隘隔隕雍雋雉雊雷電雹零靖靴靶預頑頓頊頒頌飼飴"],["b9a1","飽飾馳馱馴髡鳩麂鼎鼓鼠僧僮僥僖僭僚僕像僑僱僎僩兢凳劃劂匱厭嗾嘀嘛嘗嗽嘔嘆嘉嘍嘎嗷嘖嘟嘈嘐嗶團圖塵塾境墓墊塹墅塽壽夥夢夤奪奩嫡嫦嫩嫗嫖嫘嫣孵寞寧寡寥實寨寢寤察對屢嶄嶇幛幣幕幗幔廓廖弊彆彰徹慇"],["ba40","愿態慷慢慣慟慚慘慵截撇摘摔撤摸摟摺摑摧搴摭摻敲斡旗旖暢暨暝榜榨榕槁榮槓構榛榷榻榫榴槐槍榭槌榦槃榣歉歌氳漳演滾漓滴漩漾漠漬漏漂漢"],["baa1","滿滯漆漱漸漲漣漕漫漯澈漪滬漁滲滌滷熔熙煽熊熄熒爾犒犖獄獐瑤瑣瑪瑰瑭甄疑瘧瘍瘋瘉瘓盡監瞄睽睿睡磁碟碧碳碩碣禎福禍種稱窪窩竭端管箕箋筵算箝箔箏箸箇箄粹粽精綻綰綜綽綾綠緊綴網綱綺綢綿綵綸維緒緇綬"],["bb40","罰翠翡翟聞聚肇腐膀膏膈膊腿膂臧臺與舔舞艋蓉蒿蓆蓄蒙蒞蒲蒜蓋蒸蓀蓓蒐蒼蓑蓊蜿蜜蜻蜢蜥蜴蜘蝕蜷蜩裳褂裴裹裸製裨褚裯誦誌語誣認誡誓誤"],["bba1","說誥誨誘誑誚誧豪貍貌賓賑賒赫趙趕跼輔輒輕輓辣遠遘遜遣遙遞遢遝遛鄙鄘鄞酵酸酷酴鉸銀銅銘銖鉻銓銜銨鉼銑閡閨閩閣閥閤隙障際雌雒需靼鞅韶頗領颯颱餃餅餌餉駁骯骰髦魁魂鳴鳶鳳麼鼻齊億儀僻僵價儂儈儉儅凜"],["bc40","劇劈劉劍劊勰厲嘮嘻嘹嘲嘿嘴嘩噓噎噗噴嘶嘯嘰墀墟增墳墜墮墩墦奭嬉嫻嬋嫵嬌嬈寮寬審寫層履嶝嶔幢幟幡廢廚廟廝廣廠彈影德徵慶慧慮慝慕憂"],["bca1","慼慰慫慾憧憐憫憎憬憚憤憔憮戮摩摯摹撞撲撈撐撰撥撓撕撩撒撮播撫撚撬撙撢撳敵敷數暮暫暴暱樣樟槨樁樞標槽模樓樊槳樂樅槭樑歐歎殤毅毆漿潼澄潑潦潔澆潭潛潸潮澎潺潰潤澗潘滕潯潠潟熟熬熱熨牖犛獎獗瑩璋璃"],["bd40","瑾璀畿瘠瘩瘟瘤瘦瘡瘢皚皺盤瞎瞇瞌瞑瞋磋磅確磊碾磕碼磐稿稼穀稽稷稻窯窮箭箱範箴篆篇篁箠篌糊締練緯緻緘緬緝編緣線緞緩綞緙緲緹罵罷羯"],["bda1","翩耦膛膜膝膠膚膘蔗蔽蔚蓮蔬蔭蔓蔑蔣蔡蔔蓬蔥蓿蔆螂蝴蝶蝠蝦蝸蝨蝙蝗蝌蝓衛衝褐複褒褓褕褊誼諒談諄誕請諸課諉諂調誰論諍誶誹諛豌豎豬賠賞賦賤賬賭賢賣賜質賡赭趟趣踫踐踝踢踏踩踟踡踞躺輝輛輟輩輦輪輜輞"],["be40","輥適遮遨遭遷鄰鄭鄧鄱醇醉醋醃鋅銻銷鋪銬鋤鋁銳銼鋒鋇鋰銲閭閱霄霆震霉靠鞍鞋鞏頡頫頜颳養餓餒餘駝駐駟駛駑駕駒駙骷髮髯鬧魅魄魷魯鴆鴉"],["bea1","鴃麩麾黎墨齒儒儘儔儐儕冀冪凝劑劓勳噙噫噹噩噤噸噪器噥噱噯噬噢噶壁墾壇壅奮嬝嬴學寰導彊憲憑憩憊懍憶憾懊懈戰擅擁擋撻撼據擄擇擂操撿擒擔撾整曆曉暹曄曇暸樽樸樺橙橫橘樹橄橢橡橋橇樵機橈歙歷氅濂澱澡"],["bf40","濃澤濁澧澳激澹澶澦澠澴熾燉燐燒燈燕熹燎燙燜燃燄獨璜璣璘璟璞瓢甌甍瘴瘸瘺盧盥瞠瞞瞟瞥磨磚磬磧禦積穎穆穌穋窺篙簑築篤篛篡篩篦糕糖縊"],["bfa1","縑縈縛縣縞縝縉縐罹羲翰翱翮耨膳膩膨臻興艘艙蕊蕙蕈蕨蕩蕃蕉蕭蕪蕞螃螟螞螢融衡褪褲褥褫褡親覦諦諺諫諱謀諜諧諮諾謁謂諷諭諳諶諼豫豭貓賴蹄踱踴蹂踹踵輻輯輸輳辨辦遵遴選遲遼遺鄴醒錠錶鋸錳錯錢鋼錫錄錚"],["c040","錐錦錡錕錮錙閻隧隨險雕霎霑霖霍霓霏靛靜靦鞘頰頸頻頷頭頹頤餐館餞餛餡餚駭駢駱骸骼髻髭鬨鮑鴕鴣鴦鴨鴒鴛默黔龍龜優償儡儲勵嚎嚀嚐嚅嚇"],["c0a1","嚏壕壓壑壎嬰嬪嬤孺尷屨嶼嶺嶽嶸幫彌徽應懂懇懦懋戲戴擎擊擘擠擰擦擬擱擢擭斂斃曙曖檀檔檄檢檜櫛檣橾檗檐檠歜殮毚氈濘濱濟濠濛濤濫濯澀濬濡濩濕濮濰燧營燮燦燥燭燬燴燠爵牆獰獲璩環璦璨癆療癌盪瞳瞪瞰瞬"],["c140","瞧瞭矯磷磺磴磯礁禧禪穗窿簇簍篾篷簌篠糠糜糞糢糟糙糝縮績繆縷縲繃縫總縱繅繁縴縹繈縵縿縯罄翳翼聱聲聰聯聳臆臃膺臂臀膿膽臉膾臨舉艱薪"],["c1a1","薄蕾薜薑薔薯薛薇薨薊虧蟀蟑螳蟒蟆螫螻螺蟈蟋褻褶襄褸褽覬謎謗謙講謊謠謝謄謐豁谿豳賺賽購賸賻趨蹉蹋蹈蹊轄輾轂轅輿避遽還邁邂邀鄹醣醞醜鍍鎂錨鍵鍊鍥鍋錘鍾鍬鍛鍰鍚鍔闊闋闌闈闆隱隸雖霜霞鞠韓顆颶餵騁"],["c240","駿鮮鮫鮪鮭鴻鴿麋黏點黜黝黛鼾齋叢嚕嚮壙壘嬸彝懣戳擴擲擾攆擺擻擷斷曜朦檳檬櫃檻檸櫂檮檯歟歸殯瀉瀋濾瀆濺瀑瀏燻燼燾燸獷獵璧璿甕癖癘"],["c2a1","癒瞽瞿瞻瞼礎禮穡穢穠竄竅簫簧簪簞簣簡糧織繕繞繚繡繒繙罈翹翻職聶臍臏舊藏薩藍藐藉薰薺薹薦蟯蟬蟲蟠覆覲觴謨謹謬謫豐贅蹙蹣蹦蹤蹟蹕軀轉轍邇邃邈醫醬釐鎔鎊鎖鎢鎳鎮鎬鎰鎘鎚鎗闔闖闐闕離雜雙雛雞霤鞣鞦"],["c340","鞭韹額顏題顎顓颺餾餿餽餮馥騎髁鬃鬆魏魎魍鯊鯉鯽鯈鯀鵑鵝鵠黠鼕鼬儳嚥壞壟壢寵龐廬懲懷懶懵攀攏曠曝櫥櫝櫚櫓瀛瀟瀨瀚瀝瀕瀘爆爍牘犢獸"],["c3a1","獺璽瓊瓣疇疆癟癡矇礙禱穫穩簾簿簸簽簷籀繫繭繹繩繪羅繳羶羹羸臘藩藝藪藕藤藥藷蟻蠅蠍蟹蟾襠襟襖襞譁譜識證譚譎譏譆譙贈贊蹼蹲躇蹶蹬蹺蹴轔轎辭邊邋醱醮鏡鏑鏟鏃鏈鏜鏝鏖鏢鏍鏘鏤鏗鏨關隴難霪霧靡韜韻類"],["c440","願顛颼饅饉騖騙鬍鯨鯧鯖鯛鶉鵡鵲鵪鵬麒麗麓麴勸嚨嚷嚶嚴嚼壤孀孃孽寶巉懸懺攘攔攙曦朧櫬瀾瀰瀲爐獻瓏癢癥礦礪礬礫竇競籌籃籍糯糰辮繽繼"],["c4a1","纂罌耀臚艦藻藹蘑藺蘆蘋蘇蘊蠔蠕襤覺觸議譬警譯譟譫贏贍躉躁躅躂醴釋鐘鐃鏽闡霰飄饒饑馨騫騰騷騵鰓鰍鹹麵黨鼯齟齣齡儷儸囁囀囂夔屬巍懼懾攝攜斕曩櫻欄櫺殲灌爛犧瓖瓔癩矓籐纏續羼蘗蘭蘚蠣蠢蠡蠟襪襬覽譴"],["c540","護譽贓躊躍躋轟辯醺鐮鐳鐵鐺鐸鐲鐫闢霸霹露響顧顥饗驅驃驀騾髏魔魑鰭鰥鶯鶴鷂鶸麝黯鼙齜齦齧儼儻囈囊囉孿巔巒彎懿攤權歡灑灘玀瓤疊癮癬"],["c5a1","禳籠籟聾聽臟襲襯觼讀贖贗躑躓轡酈鑄鑑鑒霽霾韃韁顫饕驕驍髒鬚鱉鰱鰾鰻鷓鷗鼴齬齪龔囌巖戀攣攫攪曬欐瓚竊籤籣籥纓纖纔臢蘸蘿蠱變邐邏鑣鑠鑤靨顯饜驚驛驗髓體髑鱔鱗鱖鷥麟黴囑壩攬灞癱癲矗罐羈蠶蠹衢讓讒"],["c640","讖艷贛釀鑪靂靈靄韆顰驟鬢魘鱟鷹鷺鹼鹽鼇齷齲廳欖灣籬籮蠻觀躡釁鑲鑰顱饞髖鬣黌灤矚讚鑷韉驢驥纜讜躪釅鑽鑾鑼鱷鱸黷豔鑿鸚爨驪鬱鸛鸞籲"],["c940","乂乜凵匚厂万丌乇亍囗兀屮彳丏冇与丮亓仂仉仈冘勼卬厹圠夃夬尐巿旡殳毌气爿丱丼仨仜仩仡仝仚刌匜卌圢圣夗夯宁宄尒尻屴屳帄庀庂忉戉扐氕"],["c9a1","氶汃氿氻犮犰玊禸肊阞伎优伬仵伔仱伀价伈伝伂伅伢伓伄仴伒冱刓刉刐劦匢匟卍厊吇囡囟圮圪圴夼妀奼妅奻奾奷奿孖尕尥屼屺屻屾巟幵庄异弚彴忕忔忏扜扞扤扡扦扢扙扠扚扥旯旮朾朹朸朻机朿朼朳氘汆汒汜汏汊汔汋"],["ca40","汌灱牞犴犵玎甪癿穵网艸艼芀艽艿虍襾邙邗邘邛邔阢阤阠阣佖伻佢佉体佤伾佧佒佟佁佘伭伳伿佡冏冹刜刞刡劭劮匉卣卲厎厏吰吷吪呔呅吙吜吥吘"],["caa1","吽呏呁吨吤呇囮囧囥坁坅坌坉坋坒夆奀妦妘妠妗妎妢妐妏妧妡宎宒尨尪岍岏岈岋岉岒岊岆岓岕巠帊帎庋庉庌庈庍弅弝彸彶忒忑忐忭忨忮忳忡忤忣忺忯忷忻怀忴戺抃抌抎抏抔抇扱扻扺扰抁抈扷扽扲扴攷旰旴旳旲旵杅杇"],["cb40","杙杕杌杈杝杍杚杋毐氙氚汸汧汫沄沋沏汱汯汩沚汭沇沕沜汦汳汥汻沎灴灺牣犿犽狃狆狁犺狅玕玗玓玔玒町甹疔疕皁礽耴肕肙肐肒肜芐芏芅芎芑芓"],["cba1","芊芃芄豸迉辿邟邡邥邞邧邠阰阨阯阭丳侘佼侅佽侀侇佶佴侉侄佷佌侗佪侚佹侁佸侐侜侔侞侒侂侕佫佮冞冼冾刵刲刳剆刱劼匊匋匼厒厔咇呿咁咑咂咈呫呺呾呥呬呴呦咍呯呡呠咘呣呧呤囷囹坯坲坭坫坱坰坶垀坵坻坳坴坢"],["cc40","坨坽夌奅妵妺姏姎妲姌姁妶妼姃姖妱妽姀姈妴姇孢孥宓宕屄屇岮岤岠岵岯岨岬岟岣岭岢岪岧岝岥岶岰岦帗帔帙弨弢弣弤彔徂彾彽忞忥怭怦怙怲怋"],["cca1","怴怊怗怳怚怞怬怢怍怐怮怓怑怌怉怜戔戽抭抴拑抾抪抶拊抮抳抯抻抩抰抸攽斨斻昉旼昄昒昈旻昃昋昍昅旽昑昐曶朊枅杬枎枒杶杻枘枆构杴枍枌杺枟枑枙枃杽极杸杹枔欥殀歾毞氝沓泬泫泮泙沶泔沭泧沷泐泂沺泃泆泭泲"],["cd40","泒泝沴沊沝沀泞泀洰泍泇沰泹泏泩泑炔炘炅炓炆炄炑炖炂炚炃牪狖狋狘狉狜狒狔狚狌狑玤玡玭玦玢玠玬玝瓝瓨甿畀甾疌疘皯盳盱盰盵矸矼矹矻矺"],["cda1","矷祂礿秅穸穻竻籵糽耵肏肮肣肸肵肭舠芠苀芫芚芘芛芵芧芮芼芞芺芴芨芡芩苂芤苃芶芢虰虯虭虮豖迒迋迓迍迖迕迗邲邴邯邳邰阹阽阼阺陃俍俅俓侲俉俋俁俔俜俙侻侳俛俇俖侺俀侹俬剄剉勀勂匽卼厗厖厙厘咺咡咭咥哏"],["ce40","哃茍咷咮哖咶哅哆咠呰咼咢咾呲哞咰垵垞垟垤垌垗垝垛垔垘垏垙垥垚垕壴复奓姡姞姮娀姱姝姺姽姼姶姤姲姷姛姩姳姵姠姾姴姭宨屌峐峘峌峗峋峛"],["cea1","峞峚峉峇峊峖峓峔峏峈峆峎峟峸巹帡帢帣帠帤庰庤庢庛庣庥弇弮彖徆怷怹恔恲恞恅恓恇恉恛恌恀恂恟怤恄恘恦恮扂扃拏挍挋拵挎挃拫拹挏挌拸拶挀挓挔拺挕拻拰敁敃斪斿昶昡昲昵昜昦昢昳昫昺昝昴昹昮朏朐柁柲柈枺"],["cf40","柜枻柸柘柀枷柅柫柤柟枵柍枳柷柶柮柣柂枹柎柧柰枲柼柆柭柌枮柦柛柺柉柊柃柪柋欨殂殄殶毖毘毠氠氡洨洴洭洟洼洿洒洊泚洳洄洙洺洚洑洀洝浂"],["cfa1","洁洘洷洃洏浀洇洠洬洈洢洉洐炷炟炾炱炰炡炴炵炩牁牉牊牬牰牳牮狊狤狨狫狟狪狦狣玅珌珂珈珅玹玶玵玴珫玿珇玾珃珆玸珋瓬瓮甮畇畈疧疪癹盄眈眃眄眅眊盷盻盺矧矨砆砑砒砅砐砏砎砉砃砓祊祌祋祅祄秕种秏秖秎窀"],["d040","穾竑笀笁籺籸籹籿粀粁紃紈紁罘羑羍羾耇耎耏耔耷胘胇胠胑胈胂胐胅胣胙胜胊胕胉胏胗胦胍臿舡芔苙苾苹茇苨茀苕茺苫苖苴苬苡苲苵茌苻苶苰苪"],["d0a1","苤苠苺苳苭虷虴虼虳衁衎衧衪衩觓訄訇赲迣迡迮迠郱邽邿郕郅邾郇郋郈釔釓陔陏陑陓陊陎倞倅倇倓倢倰倛俵俴倳倷倬俶俷倗倜倠倧倵倯倱倎党冔冓凊凄凅凈凎剡剚剒剞剟剕剢勍匎厞唦哢唗唒哧哳哤唚哿唄唈哫唑唅哱"],["d140","唊哻哷哸哠唎唃唋圁圂埌堲埕埒垺埆垽垼垸垶垿埇埐垹埁夎奊娙娖娭娮娕娏娗娊娞娳孬宧宭宬尃屖屔峬峿峮峱峷崀峹帩帨庨庮庪庬弳弰彧恝恚恧"],["d1a1","恁悢悈悀悒悁悝悃悕悛悗悇悜悎戙扆拲挐捖挬捄捅挶捃揤挹捋捊挼挩捁挴捘捔捙挭捇挳捚捑挸捗捀捈敊敆旆旃旄旂晊晟晇晑朒朓栟栚桉栲栳栻桋桏栖栱栜栵栫栭栯桎桄栴栝栒栔栦栨栮桍栺栥栠欬欯欭欱欴歭肂殈毦毤"],["d240","毨毣毢毧氥浺浣浤浶洍浡涒浘浢浭浯涑涍淯浿涆浞浧浠涗浰浼浟涂涘洯浨涋浾涀涄洖涃浻浽浵涐烜烓烑烝烋缹烢烗烒烞烠烔烍烅烆烇烚烎烡牂牸"],["d2a1","牷牶猀狺狴狾狶狳狻猁珓珙珥珖玼珧珣珩珜珒珛珔珝珚珗珘珨瓞瓟瓴瓵甡畛畟疰痁疻痄痀疿疶疺皊盉眝眛眐眓眒眣眑眕眙眚眢眧砣砬砢砵砯砨砮砫砡砩砳砪砱祔祛祏祜祓祒祑秫秬秠秮秭秪秜秞秝窆窉窅窋窌窊窇竘笐"],["d340","笄笓笅笏笈笊笎笉笒粄粑粊粌粈粍粅紞紝紑紎紘紖紓紟紒紏紌罜罡罞罠罝罛羖羒翃翂翀耖耾耹胺胲胹胵脁胻脀舁舯舥茳茭荄茙荑茥荖茿荁茦茜茢"],["d3a1","荂荎茛茪茈茼荍茖茤茠茷茯茩荇荅荌荓茞茬荋茧荈虓虒蚢蚨蚖蚍蚑蚞蚇蚗蚆蚋蚚蚅蚥蚙蚡蚧蚕蚘蚎蚝蚐蚔衃衄衭衵衶衲袀衱衿衯袃衾衴衼訒豇豗豻貤貣赶赸趵趷趶軑軓迾迵适迿迻逄迼迶郖郠郙郚郣郟郥郘郛郗郜郤酐"],["d440","酎酏釕釢釚陜陟隼飣髟鬯乿偰偪偡偞偠偓偋偝偲偈偍偁偛偊偢倕偅偟偩偫偣偤偆偀偮偳偗偑凐剫剭剬剮勖勓匭厜啵啶唼啍啐唴唪啑啢唶唵唰啒啅"],["d4a1","唌唲啥啎唹啈唭唻啀啋圊圇埻堔埢埶埜埴堀埭埽堈埸堋埳埏堇埮埣埲埥埬埡堎埼堐埧堁堌埱埩埰堍堄奜婠婘婕婧婞娸娵婭婐婟婥婬婓婤婗婃婝婒婄婛婈媎娾婍娹婌婰婩婇婑婖婂婜孲孮寁寀屙崞崋崝崚崠崌崨崍崦崥崏"],["d540","崰崒崣崟崮帾帴庱庴庹庲庳弶弸徛徖徟悊悐悆悾悰悺惓惔惏惤惙惝惈悱惛悷惊悿惃惍惀挲捥掊掂捽掽掞掭掝掗掫掎捯掇掐据掯捵掜捭掮捼掤挻掟"],["d5a1","捸掅掁掑掍捰敓旍晥晡晛晙晜晢朘桹梇梐梜桭桮梮梫楖桯梣梬梩桵桴梲梏桷梒桼桫桲梪梀桱桾梛梖梋梠梉梤桸桻梑梌梊桽欶欳欷欸殑殏殍殎殌氪淀涫涴涳湴涬淩淢涷淶淔渀淈淠淟淖涾淥淜淝淛淴淊涽淭淰涺淕淂淏淉"],["d640","淐淲淓淽淗淍淣涻烺焍烷焗烴焌烰焄烳焐烼烿焆焓焀烸烶焋焂焎牾牻牼牿猝猗猇猑猘猊猈狿猏猞玈珶珸珵琄琁珽琇琀珺珼珿琌琋珴琈畤畣痎痒痏"],["d6a1","痋痌痑痐皏皉盓眹眯眭眱眲眴眳眽眥眻眵硈硒硉硍硊硌砦硅硐祤祧祩祪祣祫祡离秺秸秶秷窏窔窐笵筇笴笥笰笢笤笳笘笪笝笱笫笭笯笲笸笚笣粔粘粖粣紵紽紸紶紺絅紬紩絁絇紾紿絊紻紨罣羕羜羝羛翊翋翍翐翑翇翏翉耟"],["d740","耞耛聇聃聈脘脥脙脛脭脟脬脞脡脕脧脝脢舑舸舳舺舴舲艴莐莣莨莍荺荳莤荴莏莁莕莙荵莔莩荽莃莌莝莛莪莋荾莥莯莈莗莰荿莦莇莮荶莚虙虖蚿蚷"],["d7a1","蛂蛁蛅蚺蚰蛈蚹蚳蚸蛌蚴蚻蚼蛃蚽蚾衒袉袕袨袢袪袚袑袡袟袘袧袙袛袗袤袬袌袓袎覂觖觙觕訰訧訬訞谹谻豜豝豽貥赽赻赹趼跂趹趿跁軘軞軝軜軗軠軡逤逋逑逜逌逡郯郪郰郴郲郳郔郫郬郩酖酘酚酓酕釬釴釱釳釸釤釹釪"],["d840","釫釷釨釮镺閆閈陼陭陫陱陯隿靪頄飥馗傛傕傔傞傋傣傃傌傎傝偨傜傒傂傇兟凔匒匑厤厧喑喨喥喭啷噅喢喓喈喏喵喁喣喒喤啽喌喦啿喕喡喎圌堩堷"],["d8a1","堙堞堧堣堨埵塈堥堜堛堳堿堶堮堹堸堭堬堻奡媯媔媟婺媢媞婸媦婼媥媬媕媮娷媄媊媗媃媋媩婻婽媌媜媏媓媝寪寍寋寔寑寊寎尌尰崷嵃嵫嵁嵋崿崵嵑嵎嵕崳崺嵒崽崱嵙嵂崹嵉崸崼崲崶嵀嵅幄幁彘徦徥徫惉悹惌惢惎惄愔"],["d940","惲愊愖愅惵愓惸惼惾惁愃愘愝愐惿愄愋扊掔掱掰揎揥揨揯揃撝揳揊揠揶揕揲揵摡揟掾揝揜揄揘揓揂揇揌揋揈揰揗揙攲敧敪敤敜敨敥斌斝斞斮旐旒"],["d9a1","晼晬晻暀晱晹晪晲朁椌棓椄棜椪棬棪棱椏棖棷棫棤棶椓椐棳棡椇棌椈楰梴椑棯棆椔棸棐棽棼棨椋椊椗棎棈棝棞棦棴棑椆棔棩椕椥棇欹欻欿欼殔殗殙殕殽毰毲毳氰淼湆湇渟湉溈渼渽湅湢渫渿湁湝湳渜渳湋湀湑渻渃渮湞"],["da40","湨湜湡渱渨湠湱湫渹渢渰湓湥渧湸湤湷湕湹湒湦渵渶湚焠焞焯烻焮焱焣焥焢焲焟焨焺焛牋牚犈犉犆犅犋猒猋猰猢猱猳猧猲猭猦猣猵猌琮琬琰琫琖"],["daa1","琚琡琭琱琤琣琝琩琠琲瓻甯畯畬痧痚痡痦痝痟痤痗皕皒盚睆睇睄睍睅睊睎睋睌矞矬硠硤硥硜硭硱硪确硰硩硨硞硢祴祳祲祰稂稊稃稌稄窙竦竤筊笻筄筈筌筎筀筘筅粢粞粨粡絘絯絣絓絖絧絪絏絭絜絫絒絔絩絑絟絎缾缿罥"],["db40","罦羢羠羡翗聑聏聐胾胔腃腊腒腏腇脽腍脺臦臮臷臸臹舄舼舽舿艵茻菏菹萣菀菨萒菧菤菼菶萐菆菈菫菣莿萁菝菥菘菿菡菋菎菖菵菉萉萏菞萑萆菂菳"],["dba1","菕菺菇菑菪萓菃菬菮菄菻菗菢萛菛菾蛘蛢蛦蛓蛣蛚蛪蛝蛫蛜蛬蛩蛗蛨蛑衈衖衕袺裗袹袸裀袾袶袼袷袽袲褁裉覕覘覗觝觚觛詎詍訹詙詀詗詘詄詅詒詈詑詊詌詏豟貁貀貺貾貰貹貵趄趀趉跘跓跍跇跖跜跏跕跙跈跗跅軯軷軺"],["dc40","軹軦軮軥軵軧軨軶軫軱軬軴軩逭逴逯鄆鄬鄄郿郼鄈郹郻鄁鄀鄇鄅鄃酡酤酟酢酠鈁鈊鈥鈃鈚鈦鈏鈌鈀鈒釿釽鈆鈄鈧鈂鈜鈤鈙鈗鈅鈖镻閍閌閐隇陾隈"],["dca1","隉隃隀雂雈雃雱雰靬靰靮頇颩飫鳦黹亃亄亶傽傿僆傮僄僊傴僈僂傰僁傺傱僋僉傶傸凗剺剸剻剼嗃嗛嗌嗐嗋嗊嗝嗀嗔嗄嗩喿嗒喍嗏嗕嗢嗖嗈嗲嗍嗙嗂圔塓塨塤塏塍塉塯塕塎塝塙塥塛堽塣塱壼嫇嫄嫋媺媸媱媵媰媿嫈媻嫆"],["dd40","媷嫀嫊媴媶嫍媹媐寖寘寙尟尳嵱嵣嵊嵥嵲嵬嵞嵨嵧嵢巰幏幎幊幍幋廅廌廆廋廇彀徯徭惷慉慊愫慅愶愲愮慆愯慏愩慀戠酨戣戥戤揅揱揫搐搒搉搠搤"],["dda1","搳摃搟搕搘搹搷搢搣搌搦搰搨摁搵搯搊搚摀搥搧搋揧搛搮搡搎敯斒旓暆暌暕暐暋暊暙暔晸朠楦楟椸楎楢楱椿楅楪椹楂楗楙楺楈楉椵楬椳椽楥棰楸椴楩楀楯楄楶楘楁楴楌椻楋椷楜楏楑椲楒椯楻椼歆歅歃歂歈歁殛嗀毻毼"],["de40","毹毷毸溛滖滈溏滀溟溓溔溠溱溹滆滒溽滁溞滉溷溰滍溦滏溲溾滃滜滘溙溒溎溍溤溡溿溳滐滊溗溮溣煇煔煒煣煠煁煝煢煲煸煪煡煂煘煃煋煰煟煐煓"],["dea1","煄煍煚牏犍犌犑犐犎猼獂猻猺獀獊獉瑄瑊瑋瑒瑑瑗瑀瑏瑐瑎瑂瑆瑍瑔瓡瓿瓾瓽甝畹畷榃痯瘏瘃痷痾痼痹痸瘐痻痶痭痵痽皙皵盝睕睟睠睒睖睚睩睧睔睙睭矠碇碚碔碏碄碕碅碆碡碃硹碙碀碖硻祼禂祽祹稑稘稙稒稗稕稢稓"],["df40","稛稐窣窢窞竫筦筤筭筴筩筲筥筳筱筰筡筸筶筣粲粴粯綈綆綀綍絿綅絺綎絻綃絼綌綔綄絽綒罭罫罧罨罬羦羥羧翛翜耡腤腠腷腜腩腛腢腲朡腞腶腧腯"],["dfa1","腄腡舝艉艄艀艂艅蓱萿葖葶葹蒏蒍葥葑葀蒆葧萰葍葽葚葙葴葳葝蔇葞萷萺萴葺葃葸萲葅萩菙葋萯葂萭葟葰萹葎葌葒葯蓅蒎萻葇萶萳葨葾葄萫葠葔葮葐蜋蜄蛷蜌蛺蛖蛵蝍蛸蜎蜉蜁蛶蜍蜅裖裋裍裎裞裛裚裌裐覅覛觟觥觤"],["e040","觡觠觢觜触詶誆詿詡訿詷誂誄詵誃誁詴詺谼豋豊豥豤豦貆貄貅賌赨赩趑趌趎趏趍趓趔趐趒跰跠跬跱跮跐跩跣跢跧跲跫跴輆軿輁輀輅輇輈輂輋遒逿"],["e0a1","遄遉逽鄐鄍鄏鄑鄖鄔鄋鄎酮酯鉈鉒鈰鈺鉦鈳鉥鉞銃鈮鉊鉆鉭鉬鉏鉠鉧鉯鈶鉡鉰鈱鉔鉣鉐鉲鉎鉓鉌鉖鈲閟閜閞閛隒隓隑隗雎雺雽雸雵靳靷靸靲頏頍頎颬飶飹馯馲馰馵骭骫魛鳪鳭鳧麀黽僦僔僗僨僳僛僪僝僤僓僬僰僯僣僠"],["e140","凘劀劁勩勫匰厬嘧嘕嘌嘒嗼嘏嘜嘁嘓嘂嗺嘝嘄嗿嗹墉塼墐墘墆墁塿塴墋塺墇墑墎塶墂墈塻墔墏壾奫嫜嫮嫥嫕嫪嫚嫭嫫嫳嫢嫠嫛嫬嫞嫝嫙嫨嫟孷寠"],["e1a1","寣屣嶂嶀嵽嶆嵺嶁嵷嶊嶉嶈嵾嵼嶍嵹嵿幘幙幓廘廑廗廎廜廕廙廒廔彄彃彯徶愬愨慁慞慱慳慒慓慲慬憀慴慔慺慛慥愻慪慡慖戩戧戫搫摍摛摝摴摶摲摳摽摵摦撦摎撂摞摜摋摓摠摐摿搿摬摫摙摥摷敳斠暡暠暟朅朄朢榱榶槉"],["e240","榠槎榖榰榬榼榑榙榎榧榍榩榾榯榿槄榽榤槔榹槊榚槏榳榓榪榡榞槙榗榐槂榵榥槆歊歍歋殞殟殠毃毄毾滎滵滱漃漥滸漷滻漮漉潎漙漚漧漘漻漒滭漊"],["e2a1","漶潳滹滮漭潀漰漼漵滫漇漎潃漅滽滶漹漜滼漺漟漍漞漈漡熇熐熉熀熅熂熏煻熆熁熗牄牓犗犕犓獃獍獑獌瑢瑳瑱瑵瑲瑧瑮甀甂甃畽疐瘖瘈瘌瘕瘑瘊瘔皸瞁睼瞅瞂睮瞀睯睾瞃碲碪碴碭碨硾碫碞碥碠碬碢碤禘禊禋禖禕禔禓"],["e340","禗禈禒禐稫穊稰稯稨稦窨窫窬竮箈箜箊箑箐箖箍箌箛箎箅箘劄箙箤箂粻粿粼粺綧綷緂綣綪緁緀緅綝緎緄緆緋緌綯綹綖綼綟綦綮綩綡緉罳翢翣翥翞"],["e3a1","耤聝聜膉膆膃膇膍膌膋舕蒗蒤蒡蒟蒺蓎蓂蒬蒮蒫蒹蒴蓁蓍蒪蒚蒱蓐蒝蒧蒻蒢蒔蓇蓌蒛蒩蒯蒨蓖蒘蒶蓏蒠蓗蓔蓒蓛蒰蒑虡蜳蜣蜨蝫蝀蜮蜞蜡蜙蜛蝃蜬蝁蜾蝆蜠蜲蜪蜭蜼蜒蜺蜱蜵蝂蜦蜧蜸蜤蜚蜰蜑裷裧裱裲裺裾裮裼裶裻"],["e440","裰裬裫覝覡覟覞觩觫觨誫誙誋誒誏誖谽豨豩賕賏賗趖踉踂跿踍跽踊踃踇踆踅跾踀踄輐輑輎輍鄣鄜鄠鄢鄟鄝鄚鄤鄡鄛酺酲酹酳銥銤鉶銛鉺銠銔銪銍"],["e4a1","銦銚銫鉹銗鉿銣鋮銎銂銕銢鉽銈銡銊銆銌銙銧鉾銇銩銝銋鈭隞隡雿靘靽靺靾鞃鞀鞂靻鞄鞁靿韎韍頖颭颮餂餀餇馝馜駃馹馻馺駂馽駇骱髣髧鬾鬿魠魡魟鳱鳲鳵麧僿儃儰僸儆儇僶僾儋儌僽儊劋劌勱勯噈噂噌嘵噁噊噉噆噘"],["e540","噚噀嘳嘽嘬嘾嘸嘪嘺圚墫墝墱墠墣墯墬墥墡壿嫿嫴嫽嫷嫶嬃嫸嬂嫹嬁嬇嬅嬏屧嶙嶗嶟嶒嶢嶓嶕嶠嶜嶡嶚嶞幩幝幠幜緳廛廞廡彉徲憋憃慹憱憰憢憉"],["e5a1","憛憓憯憭憟憒憪憡憍慦憳戭摮摰撖撠撅撗撜撏撋撊撌撣撟摨撱撘敶敺敹敻斲斳暵暰暩暲暷暪暯樀樆樗槥槸樕槱槤樠槿槬槢樛樝槾樧槲槮樔槷槧橀樈槦槻樍槼槫樉樄樘樥樏槶樦樇槴樖歑殥殣殢殦氁氀毿氂潁漦潾澇濆澒"],["e640","澍澉澌潢潏澅潚澖潶潬澂潕潲潒潐潗澔澓潝漀潡潫潽潧澐潓澋潩潿澕潣潷潪潻熲熯熛熰熠熚熩熵熝熥熞熤熡熪熜熧熳犘犚獘獒獞獟獠獝獛獡獚獙"],["e6a1","獢璇璉璊璆璁瑽璅璈瑼瑹甈甇畾瘥瘞瘙瘝瘜瘣瘚瘨瘛皜皝皞皛瞍瞏瞉瞈磍碻磏磌磑磎磔磈磃磄磉禚禡禠禜禢禛歶稹窲窴窳箷篋箾箬篎箯箹篊箵糅糈糌糋緷緛緪緧緗緡縃緺緦緶緱緰緮緟罶羬羰羭翭翫翪翬翦翨聤聧膣膟"],["e740","膞膕膢膙膗舖艏艓艒艐艎艑蔤蔻蔏蔀蔩蔎蔉蔍蔟蔊蔧蔜蓻蔫蓺蔈蔌蓴蔪蓲蔕蓷蓫蓳蓼蔒蓪蓩蔖蓾蔨蔝蔮蔂蓽蔞蓶蔱蔦蓧蓨蓰蓯蓹蔘蔠蔰蔋蔙蔯虢"],["e7a1","蝖蝣蝤蝷蟡蝳蝘蝔蝛蝒蝡蝚蝑蝞蝭蝪蝐蝎蝟蝝蝯蝬蝺蝮蝜蝥蝏蝻蝵蝢蝧蝩衚褅褌褔褋褗褘褙褆褖褑褎褉覢覤覣觭觰觬諏諆誸諓諑諔諕誻諗誾諀諅諘諃誺誽諙谾豍貏賥賟賙賨賚賝賧趠趜趡趛踠踣踥踤踮踕踛踖踑踙踦踧"],["e840","踔踒踘踓踜踗踚輬輤輘輚輠輣輖輗遳遰遯遧遫鄯鄫鄩鄪鄲鄦鄮醅醆醊醁醂醄醀鋐鋃鋄鋀鋙銶鋏鋱鋟鋘鋩鋗鋝鋌鋯鋂鋨鋊鋈鋎鋦鋍鋕鋉鋠鋞鋧鋑鋓"],["e8a1","銵鋡鋆銴镼閬閫閮閰隤隢雓霅霈霂靚鞊鞎鞈韐韏頞頝頦頩頨頠頛頧颲餈飺餑餔餖餗餕駜駍駏駓駔駎駉駖駘駋駗駌骳髬髫髳髲髱魆魃魧魴魱魦魶魵魰魨魤魬鳼鳺鳽鳿鳷鴇鴀鳹鳻鴈鴅鴄麃黓鼏鼐儜儓儗儚儑凞匴叡噰噠噮"],["e940","噳噦噣噭噲噞噷圜圛壈墽壉墿墺壂墼壆嬗嬙嬛嬡嬔嬓嬐嬖嬨嬚嬠嬞寯嶬嶱嶩嶧嶵嶰嶮嶪嶨嶲嶭嶯嶴幧幨幦幯廩廧廦廨廥彋徼憝憨憖懅憴懆懁懌憺"],["e9a1","憿憸憌擗擖擐擏擉撽撉擃擛擳擙攳敿敼斢曈暾曀曊曋曏暽暻暺曌朣樴橦橉橧樲橨樾橝橭橶橛橑樨橚樻樿橁橪橤橐橏橔橯橩橠樼橞橖橕橍橎橆歕歔歖殧殪殫毈毇氄氃氆澭濋澣濇澼濎濈潞濄澽澞濊澨瀄澥澮澺澬澪濏澿澸"],["ea40","澢濉澫濍澯澲澰燅燂熿熸燖燀燁燋燔燊燇燏熽燘熼燆燚燛犝犞獩獦獧獬獥獫獪瑿璚璠璔璒璕璡甋疀瘯瘭瘱瘽瘳瘼瘵瘲瘰皻盦瞚瞝瞡瞜瞛瞢瞣瞕瞙"],["eaa1","瞗磝磩磥磪磞磣磛磡磢磭磟磠禤穄穈穇窶窸窵窱窷篞篣篧篝篕篥篚篨篹篔篪篢篜篫篘篟糒糔糗糐糑縒縡縗縌縟縠縓縎縜縕縚縢縋縏縖縍縔縥縤罃罻罼罺羱翯耪耩聬膱膦膮膹膵膫膰膬膴膲膷膧臲艕艖艗蕖蕅蕫蕍蕓蕡蕘"],["eb40","蕀蕆蕤蕁蕢蕄蕑蕇蕣蔾蕛蕱蕎蕮蕵蕕蕧蕠薌蕦蕝蕔蕥蕬虣虥虤螛螏螗螓螒螈螁螖螘蝹螇螣螅螐螑螝螄螔螜螚螉褞褦褰褭褮褧褱褢褩褣褯褬褟觱諠"],["eba1","諢諲諴諵諝謔諤諟諰諈諞諡諨諿諯諻貑貒貐賵賮賱賰賳赬赮趥趧踳踾踸蹀蹅踶踼踽蹁踰踿躽輶輮輵輲輹輷輴遶遹遻邆郺鄳鄵鄶醓醐醑醍醏錧錞錈錟錆錏鍺錸錼錛錣錒錁鍆錭錎錍鋋錝鋺錥錓鋹鋷錴錂錤鋿錩錹錵錪錔錌"],["ec40","錋鋾錉錀鋻錖閼闍閾閹閺閶閿閵閽隩雔霋霒霐鞙鞗鞔韰韸頵頯頲餤餟餧餩馞駮駬駥駤駰駣駪駩駧骹骿骴骻髶髺髹髷鬳鮀鮅鮇魼魾魻鮂鮓鮒鮐魺鮕"],["eca1","魽鮈鴥鴗鴠鴞鴔鴩鴝鴘鴢鴐鴙鴟麈麆麇麮麭黕黖黺鼒鼽儦儥儢儤儠儩勴嚓嚌嚍嚆嚄嚃噾嚂噿嚁壖壔壏壒嬭嬥嬲嬣嬬嬧嬦嬯嬮孻寱寲嶷幬幪徾徻懃憵憼懧懠懥懤懨懞擯擩擣擫擤擨斁斀斶旚曒檍檖檁檥檉檟檛檡檞檇檓檎"],["ed40","檕檃檨檤檑橿檦檚檅檌檒歛殭氉濌澩濴濔濣濜濭濧濦濞濲濝濢濨燡燱燨燲燤燰燢獳獮獯璗璲璫璐璪璭璱璥璯甐甑甒甏疄癃癈癉癇皤盩瞵瞫瞲瞷瞶"],["eda1","瞴瞱瞨矰磳磽礂磻磼磲礅磹磾礄禫禨穜穛穖穘穔穚窾竀竁簅簏篲簀篿篻簎篴簋篳簂簉簃簁篸篽簆篰篱簐簊糨縭縼繂縳顈縸縪繉繀繇縩繌縰縻縶繄縺罅罿罾罽翴翲耬膻臄臌臊臅臇膼臩艛艚艜薃薀薏薧薕薠薋薣蕻薤薚薞"],["ee40","蕷蕼薉薡蕺蕸蕗薎薖薆薍薙薝薁薢薂薈薅蕹蕶薘薐薟虨螾螪螭蟅螰螬螹螵螼螮蟉蟃蟂蟌螷螯蟄蟊螴螶螿螸螽蟞螲褵褳褼褾襁襒褷襂覭覯覮觲觳謞"],["eea1","謘謖謑謅謋謢謏謒謕謇謍謈謆謜謓謚豏豰豲豱豯貕貔賹赯蹎蹍蹓蹐蹌蹇轃轀邅遾鄸醚醢醛醙醟醡醝醠鎡鎃鎯鍤鍖鍇鍼鍘鍜鍶鍉鍐鍑鍠鍭鎏鍌鍪鍹鍗鍕鍒鍏鍱鍷鍻鍡鍞鍣鍧鎀鍎鍙闇闀闉闃闅閷隮隰隬霠霟霘霝霙鞚鞡鞜"],["ef40","鞞鞝韕韔韱顁顄顊顉顅顃餥餫餬餪餳餲餯餭餱餰馘馣馡騂駺駴駷駹駸駶駻駽駾駼騃骾髾髽鬁髼魈鮚鮨鮞鮛鮦鮡鮥鮤鮆鮢鮠鮯鴳鵁鵧鴶鴮鴯鴱鴸鴰"],["efa1","鵅鵂鵃鴾鴷鵀鴽翵鴭麊麉麍麰黈黚黻黿鼤鼣鼢齔龠儱儭儮嚘嚜嚗嚚嚝嚙奰嬼屩屪巀幭幮懘懟懭懮懱懪懰懫懖懩擿攄擽擸攁攃擼斔旛曚曛曘櫅檹檽櫡櫆檺檶檷櫇檴檭歞毉氋瀇瀌瀍瀁瀅瀔瀎濿瀀濻瀦濼濷瀊爁燿燹爃燽獶"],["f040","璸瓀璵瓁璾璶璻瓂甔甓癜癤癙癐癓癗癚皦皽盬矂瞺磿礌礓礔礉礐礒礑禭禬穟簜簩簙簠簟簭簝簦簨簢簥簰繜繐繖繣繘繢繟繑繠繗繓羵羳翷翸聵臑臒"],["f0a1","臐艟艞薴藆藀藃藂薳薵薽藇藄薿藋藎藈藅薱薶藒蘤薸薷薾虩蟧蟦蟢蟛蟫蟪蟥蟟蟳蟤蟔蟜蟓蟭蟘蟣螤蟗蟙蠁蟴蟨蟝襓襋襏襌襆襐襑襉謪謧謣謳謰謵譇謯謼謾謱謥謷謦謶謮謤謻謽謺豂豵貙貘貗賾贄贂贀蹜蹢蹠蹗蹖蹞蹥蹧"],["f140","蹛蹚蹡蹝蹩蹔轆轇轈轋鄨鄺鄻鄾醨醥醧醯醪鎵鎌鎒鎷鎛鎝鎉鎧鎎鎪鎞鎦鎕鎈鎙鎟鎍鎱鎑鎲鎤鎨鎴鎣鎥闒闓闑隳雗雚巂雟雘雝霣霢霥鞬鞮鞨鞫鞤鞪"],["f1a1","鞢鞥韗韙韖韘韺顐顑顒颸饁餼餺騏騋騉騍騄騑騊騅騇騆髀髜鬈鬄鬅鬩鬵魊魌魋鯇鯆鯃鮿鯁鮵鮸鯓鮶鯄鮹鮽鵜鵓鵏鵊鵛鵋鵙鵖鵌鵗鵒鵔鵟鵘鵚麎麌黟鼁鼀鼖鼥鼫鼪鼩鼨齌齕儴儵劖勷厴嚫嚭嚦嚧嚪嚬壚壝壛夒嬽嬾嬿巃幰"],["f240","徿懻攇攐攍攉攌攎斄旞旝曞櫧櫠櫌櫑櫙櫋櫟櫜櫐櫫櫏櫍櫞歠殰氌瀙瀧瀠瀖瀫瀡瀢瀣瀩瀗瀤瀜瀪爌爊爇爂爅犥犦犤犣犡瓋瓅璷瓃甖癠矉矊矄矱礝礛"],["f2a1","礡礜礗礞禰穧穨簳簼簹簬簻糬糪繶繵繸繰繷繯繺繲繴繨罋罊羃羆羷翽翾聸臗臕艤艡艣藫藱藭藙藡藨藚藗藬藲藸藘藟藣藜藑藰藦藯藞藢蠀蟺蠃蟶蟷蠉蠌蠋蠆蟼蠈蟿蠊蠂襢襚襛襗襡襜襘襝襙覈覷覶觶譐譈譊譀譓譖譔譋譕"],["f340","譑譂譒譗豃豷豶貚贆贇贉趬趪趭趫蹭蹸蹳蹪蹯蹻軂轒轑轏轐轓辴酀鄿醰醭鏞鏇鏏鏂鏚鏐鏹鏬鏌鏙鎩鏦鏊鏔鏮鏣鏕鏄鏎鏀鏒鏧镽闚闛雡霩霫霬霨霦"],["f3a1","鞳鞷鞶韝韞韟顜顙顝顗颿颽颻颾饈饇饃馦馧騚騕騥騝騤騛騢騠騧騣騞騜騔髂鬋鬊鬎鬌鬷鯪鯫鯠鯞鯤鯦鯢鯰鯔鯗鯬鯜鯙鯥鯕鯡鯚鵷鶁鶊鶄鶈鵱鶀鵸鶆鶋鶌鵽鵫鵴鵵鵰鵩鶅鵳鵻鶂鵯鵹鵿鶇鵨麔麑黀黼鼭齀齁齍齖齗齘匷嚲"],["f440","嚵嚳壣孅巆巇廮廯忀忁懹攗攖攕攓旟曨曣曤櫳櫰櫪櫨櫹櫱櫮櫯瀼瀵瀯瀷瀴瀱灂瀸瀿瀺瀹灀瀻瀳灁爓爔犨獽獼璺皫皪皾盭矌矎矏矍矲礥礣礧礨礤礩"],["f4a1","禲穮穬穭竷籉籈籊籇籅糮繻繾纁纀羺翿聹臛臙舋艨艩蘢藿蘁藾蘛蘀藶蘄蘉蘅蘌藽蠙蠐蠑蠗蠓蠖襣襦覹觷譠譪譝譨譣譥譧譭趮躆躈躄轙轖轗轕轘轚邍酃酁醷醵醲醳鐋鐓鏻鐠鐏鐔鏾鐕鐐鐨鐙鐍鏵鐀鏷鐇鐎鐖鐒鏺鐉鏸鐊鏿"],["f540","鏼鐌鏶鐑鐆闞闠闟霮霯鞹鞻韽韾顠顢顣顟飁飂饐饎饙饌饋饓騲騴騱騬騪騶騩騮騸騭髇髊髆鬐鬒鬑鰋鰈鯷鰅鰒鯸鱀鰇鰎鰆鰗鰔鰉鶟鶙鶤鶝鶒鶘鶐鶛"],["f5a1","鶠鶔鶜鶪鶗鶡鶚鶢鶨鶞鶣鶿鶩鶖鶦鶧麙麛麚黥黤黧黦鼰鼮齛齠齞齝齙龑儺儹劘劗囃嚽嚾孈孇巋巏廱懽攛欂櫼欃櫸欀灃灄灊灈灉灅灆爝爚爙獾甗癪矐礭礱礯籔籓糲纊纇纈纋纆纍罍羻耰臝蘘蘪蘦蘟蘣蘜蘙蘧蘮蘡蘠蘩蘞蘥"],["f640","蠩蠝蠛蠠蠤蠜蠫衊襭襩襮襫觺譹譸譅譺譻贐贔趯躎躌轞轛轝酆酄酅醹鐿鐻鐶鐩鐽鐼鐰鐹鐪鐷鐬鑀鐱闥闤闣霵霺鞿韡顤飉飆飀饘饖騹騽驆驄驂驁騺"],["f6a1","騿髍鬕鬗鬘鬖鬺魒鰫鰝鰜鰬鰣鰨鰩鰤鰡鶷鶶鶼鷁鷇鷊鷏鶾鷅鷃鶻鶵鷎鶹鶺鶬鷈鶱鶭鷌鶳鷍鶲鹺麜黫黮黭鼛鼘鼚鼱齎齥齤龒亹囆囅囋奱孋孌巕巑廲攡攠攦攢欋欈欉氍灕灖灗灒爞爟犩獿瓘瓕瓙瓗癭皭礵禴穰穱籗籜籙籛籚"],["f740","糴糱纑罏羇臞艫蘴蘵蘳蘬蘲蘶蠬蠨蠦蠪蠥襱覿覾觻譾讄讂讆讅譿贕躕躔躚躒躐躖躗轠轢酇鑌鑐鑊鑋鑏鑇鑅鑈鑉鑆霿韣顪顩飋饔饛驎驓驔驌驏驈驊"],["f7a1","驉驒驐髐鬙鬫鬻魖魕鱆鱈鰿鱄鰹鰳鱁鰼鰷鰴鰲鰽鰶鷛鷒鷞鷚鷋鷐鷜鷑鷟鷩鷙鷘鷖鷵鷕鷝麶黰鼵鼳鼲齂齫龕龢儽劙壨壧奲孍巘蠯彏戁戃戄攩攥斖曫欑欒欏毊灛灚爢玂玁玃癰矔籧籦纕艬蘺虀蘹蘼蘱蘻蘾蠰蠲蠮蠳襶襴襳觾"],["f840","讌讎讋讈豅贙躘轤轣醼鑢鑕鑝鑗鑞韄韅頀驖驙鬞鬟鬠鱒鱘鱐鱊鱍鱋鱕鱙鱌鱎鷻鷷鷯鷣鷫鷸鷤鷶鷡鷮鷦鷲鷰鷢鷬鷴鷳鷨鷭黂黐黲黳鼆鼜鼸鼷鼶齃齏"],["f8a1","齱齰齮齯囓囍孎屭攭曭曮欓灟灡灝灠爣瓛瓥矕礸禷禶籪纗羉艭虃蠸蠷蠵衋讔讕躞躟躠躝醾醽釂鑫鑨鑩雥靆靃靇韇韥驞髕魙鱣鱧鱦鱢鱞鱠鸂鷾鸇鸃鸆鸅鸀鸁鸉鷿鷽鸄麠鼞齆齴齵齶囔攮斸欘欙欗欚灢爦犪矘矙礹籩籫糶纚"],["f940","纘纛纙臠臡虆虇虈襹襺襼襻觿讘讙躥躤躣鑮鑭鑯鑱鑳靉顲饟鱨鱮鱭鸋鸍鸐鸏鸒鸑麡黵鼉齇齸齻齺齹圞灦籯蠼趲躦釃鑴鑸鑶鑵驠鱴鱳鱱鱵鸔鸓黶鼊"],["f9a1","龤灨灥糷虪蠾蠽蠿讞貜躩軉靋顳顴飌饡馫驤驦驧鬤鸕鸗齈戇欞爧虌躨钂钀钁驩驨鬮鸙爩虋讟钃鱹麷癵驫鱺鸝灩灪麤齾齉龘碁銹裏墻恒粧嫺╔╦╗╠╬╣╚╩╝╒╤╕╞╪╡╘╧╛╓╥╖╟╫╢╙╨╜║═╭╮╰╯▓"]]; - -/***/ }), -/* 47 */ -/***/ (function(module, exports, __webpack_require__) { - - -/** - * Module dependencies. - */ - -var raw = __webpack_require__(17); -var inflate = __webpack_require__(19); -var qs = __webpack_require__(154); -var utils = __webpack_require__(20); - -/** - * Return a Promise which parses x-www-form-urlencoded requests. - * - * Pass a node request or an object with `.req`, - * such as a koa Context. - * - * @param {Request} req - * @param {Options} [opts] - * @return {Function} - * @api public - */ - -module.exports = function(req, opts){ - req = req.req || req; - opts = utils.clone(opts); - var queryString = opts.queryString || {}; - - // keep compatibility with qs@4 - if (queryString.allowDots === undefined) queryString.allowDots = true; - - // defaults - var len = req.headers['content-length']; - var encoding = req.headers['content-encoding'] || 'identity'; - if (len && encoding === 'identity') opts.length = ~~len; - opts.encoding = opts.encoding || 'utf8'; - opts.limit = opts.limit || '56kb'; - opts.qs = opts.qs || qs; - - // raw-body returns a Promise when no callback is specified - return Promise.resolve() - .then(function() { - return raw(inflate(req), opts); - }) - .then(function(str){ - try { - var parsed = opts.qs.parse(str, queryString); - return opts.returnRawBody ? { parsed: parsed, raw: str } : parsed; - } catch (err) { - err.status = 400; - err.body = str; - throw err; - } - }); -}; - - -/***/ }), -/* 48 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var replace = String.prototype.replace; -var percentTwenties = /%20/g; - -var util = __webpack_require__(21); - -var Format = { - RFC1738: 'RFC1738', - RFC3986: 'RFC3986' -}; - -module.exports = util.assign( - { - 'default': Format.RFC3986, - formatters: { - RFC1738: function (value) { - return replace.call(value, percentTwenties, '+'); - }, - RFC3986: function (value) { - return String(value); - } - } - }, - Format -); - - -/***/ }), -/* 49 */ -/***/ (function(module, exports, __webpack_require__) { - -/** - * Module dependencies. - */ - -var raw = __webpack_require__(17); -var inflate = __webpack_require__(19); -var utils = __webpack_require__(20); - -/** - * Return a Promise which parses text/plain requests. - * - * Pass a node request or an object with `.req`, - * such as a koa Context. - * - * @param {Request} req - * @param {Options} [opts] - * @return {Function} - * @api public - */ - -module.exports = function(req, opts){ - req = req.req || req; - opts = utils.clone(opts); - - // defaults - var len = req.headers['content-length']; - var encoding = req.headers['content-encoding'] || 'identity'; - if (len && encoding === 'identity') opts.length = ~~len; - opts.encoding = opts.encoding === undefined ? 'utf8': opts.encoding; - opts.limit = opts.limit || '1mb'; - - // raw-body returns a Promise when no callback is specified - return Promise.resolve() - .then(function() { - return raw(inflate(req), opts); - }) - .then(str => { - // ensure return the same format with json / form - return opts.returnRawBody ? { parsed: str, raw: str } : str; - }); -}; - - -/***/ }), -/* 50 */ -/***/ (function(module, exports, __webpack_require__) { - -// Approach: -// -// 1. Get the minimatch set -// 2. For each pattern in the set, PROCESS(pattern, false) -// 3. Store matches per-set, then uniq them -// -// PROCESS(pattern, inGlobStar) -// Get the first [n] items from pattern that are all strings -// Join these together. This is PREFIX. -// If there is no more remaining, then stat(PREFIX) and -// add to matches if it succeeds. END. -// -// If inGlobStar and PREFIX is symlink and points to dir -// set ENTRIES = [] -// else readdir(PREFIX) as ENTRIES -// If fail, END -// -// with ENTRIES -// If pattern[n] is GLOBSTAR -// // handle the case where the globstar match is empty -// // by pruning it out, and testing the resulting pattern -// PROCESS(pattern[0..n] + pattern[n+1 .. $], false) -// // handle other cases. -// for ENTRY in ENTRIES (not dotfiles) -// // attach globstar + tail onto the entry -// // Mark that this entry is a globstar match -// PROCESS(pattern[0..n] + ENTRY + pattern[n .. $], true) -// -// else // not globstar -// for ENTRY in ENTRIES (not dotfiles, unless pattern[n] is dot) -// Test ENTRY against pattern[n] -// If fails, continue -// If passes, PROCESS(pattern[0..n] + item + pattern[n+1 .. $]) -// -// Caveat: -// Cache all stats and readdirs results to minimize syscall. Since all -// we ever care about is existence and directory-ness, we can just keep -// `true` for files, and [children,...] for directories, or `false` for -// things that don't exist. - -module.exports = glob - -var fs = __webpack_require__(2) -var minimatch = __webpack_require__(22) -var Minimatch = minimatch.Minimatch -var inherits = __webpack_require__(11) -var EE = __webpack_require__(5).EventEmitter -var path = __webpack_require__(0) -var assert = __webpack_require__(10) -var isAbsolute = __webpack_require__(23) -var globSync = __webpack_require__(170) -var common = __webpack_require__(51) -var alphasort = common.alphasort -var alphasorti = common.alphasorti -var setopts = common.setopts -var ownProp = common.ownProp -var inflight = __webpack_require__(171) -var util = __webpack_require__(1) -var childrenIgnored = common.childrenIgnored -var isIgnored = common.isIgnored - -var once = __webpack_require__(53) - -function glob (pattern, options, cb) { - if (typeof options === 'function') cb = options, options = {} - if (!options) options = {} - - if (options.sync) { - if (cb) - throw new TypeError('callback provided to sync glob') - return globSync(pattern, options) - } - - return new Glob(pattern, options, cb) -} - -glob.sync = globSync -var GlobSync = glob.GlobSync = globSync.GlobSync - -// old api surface -glob.glob = glob - -function extend (origin, add) { - if (add === null || typeof add !== 'object') { - return origin - } - - var keys = Object.keys(add) - var i = keys.length - while (i--) { - origin[keys[i]] = add[keys[i]] - } - return origin -} - -glob.hasMagic = function (pattern, options_) { - var options = extend({}, options_) - options.noprocess = true - - var g = new Glob(pattern, options) - var set = g.minimatch.set - if (set.length > 1) - return true - - for (var j = 0; j < set[0].length; j++) { - if (typeof set[0][j] !== 'string') - return true - } - - return false -} - -glob.Glob = Glob -inherits(Glob, EE) -function Glob (pattern, options, cb) { - if (typeof options === 'function') { - cb = options - options = null - } - - if (options && options.sync) { - if (cb) - throw new TypeError('callback provided to sync glob') - return new GlobSync(pattern, options) - } - - if (!(this instanceof Glob)) - return new Glob(pattern, options, cb) - - setopts(this, pattern, options) - this._didRealPath = false - - // process each pattern in the minimatch set - var n = this.minimatch.set.length - - // The matches are stored as {: true,...} so that - // duplicates are automagically pruned. - // Later, we do an Object.keys() on these. - // Keep them as a list so we can fill in when nonull is set. - this.matches = new Array(n) - - if (typeof cb === 'function') { - cb = once(cb) - this.on('error', cb) - this.on('end', function (matches) { - cb(null, matches) - }) - } - - var self = this - var n = this.minimatch.set.length - this._processing = 0 - this.matches = new Array(n) - - this._emitQueue = [] - this._processQueue = [] - this.paused = false - - if (this.noprocess) - return this - - if (n === 0) - return done() - - for (var i = 0; i < n; i ++) { - this._process(this.minimatch.set[i], i, false, done) - } - - function done () { - --self._processing - if (self._processing <= 0) - self._finish() - } -} - -Glob.prototype._finish = function () { - assert(this instanceof Glob) - if (this.aborted) - return - - if (this.realpath && !this._didRealpath) - return this._realpath() - - common.finish(this) - this.emit('end', this.found) -} - -Glob.prototype._realpath = function () { - if (this._didRealpath) - return - - this._didRealpath = true - - var n = this.matches.length - if (n === 0) - return this._finish() - - var self = this - for (var i = 0; i < this.matches.length; i++) - this._realpathSet(i, next) - - function next () { - if (--n === 0) - self._finish() - } -} - -Glob.prototype._realpathSet = function (index, cb) { - var matchset = this.matches[index] - if (!matchset) - return cb() - - var found = Object.keys(matchset) - var self = this - var n = found.length - - if (n === 0) - return cb() - - var set = this.matches[index] = Object.create(null) - found.forEach(function (p, i) { - // If there's a problem with the stat, then it means that - // one or more of the links in the realpath couldn't be - // resolved. just return the abs value in that case. - p = self._makeAbs(p) - fs.realpath(p, self.realpathCache, function (er, real) { - if (!er) - set[real] = true - else if (er.syscall === 'stat') - set[p] = true - else - self.emit('error', er) // srsly wtf right here - - if (--n === 0) { - self.matches[index] = set - cb() - } - }) - }) -} - -Glob.prototype._mark = function (p) { - return common.mark(this, p) -} - -Glob.prototype._makeAbs = function (f) { - return common.makeAbs(this, f) -} - -Glob.prototype.abort = function () { - this.aborted = true - this.emit('abort') -} - -Glob.prototype.pause = function () { - if (!this.paused) { - this.paused = true - this.emit('pause') - } -} - -Glob.prototype.resume = function () { - if (this.paused) { - this.emit('resume') - this.paused = false - if (this._emitQueue.length) { - var eq = this._emitQueue.slice(0) - this._emitQueue.length = 0 - for (var i = 0; i < eq.length; i ++) { - var e = eq[i] - this._emitMatch(e[0], e[1]) - } - } - if (this._processQueue.length) { - var pq = this._processQueue.slice(0) - this._processQueue.length = 0 - for (var i = 0; i < pq.length; i ++) { - var p = pq[i] - this._processing-- - this._process(p[0], p[1], p[2], p[3]) - } - } - } -} - -Glob.prototype._process = function (pattern, index, inGlobStar, cb) { - assert(this instanceof Glob) - assert(typeof cb === 'function') - - if (this.aborted) - return - - this._processing++ - if (this.paused) { - this._processQueue.push([pattern, index, inGlobStar, cb]) - return - } - - //console.error('PROCESS %d', this._processing, pattern) - - // Get the first [n] parts of pattern that are all strings. - var n = 0 - while (typeof pattern[n] === 'string') { - n ++ - } - // now n is the index of the first one that is *not* a string. - - // see if there's anything else - var prefix - switch (n) { - // if not, then this is rather simple - case pattern.length: - this._processSimple(pattern.join('/'), index, cb) - return - - case 0: - // pattern *starts* with some non-trivial item. - // going to readdir(cwd), but not include the prefix in matches. - prefix = null - break - - default: - // pattern has some string bits in the front. - // whatever it starts with, whether that's 'absolute' like /foo/bar, - // or 'relative' like '../baz' - prefix = pattern.slice(0, n).join('/') - break - } - - var remain = pattern.slice(n) - - // get the list of entries. - var read - if (prefix === null) - read = '.' - else if (isAbsolute(prefix) || isAbsolute(pattern.join('/'))) { - if (!prefix || !isAbsolute(prefix)) - prefix = '/' + prefix - read = prefix - } else - read = prefix - - var abs = this._makeAbs(read) - - //if ignored, skip _processing - if (childrenIgnored(this, read)) - return cb() - - var isGlobStar = remain[0] === minimatch.GLOBSTAR - if (isGlobStar) - this._processGlobStar(prefix, read, abs, remain, index, inGlobStar, cb) - else - this._processReaddir(prefix, read, abs, remain, index, inGlobStar, cb) -} - -Glob.prototype._processReaddir = function (prefix, read, abs, remain, index, inGlobStar, cb) { - var self = this - this._readdir(abs, inGlobStar, function (er, entries) { - return self._processReaddir2(prefix, read, abs, remain, index, inGlobStar, entries, cb) - }) -} - -Glob.prototype._processReaddir2 = function (prefix, read, abs, remain, index, inGlobStar, entries, cb) { - - // if the abs isn't a dir, then nothing can match! - if (!entries) - return cb() - - // It will only match dot entries if it starts with a dot, or if - // dot is set. Stuff like @(.foo|.bar) isn't allowed. - var pn = remain[0] - var negate = !!this.minimatch.negate - var rawGlob = pn._glob - var dotOk = this.dot || rawGlob.charAt(0) === '.' - - var matchedEntries = [] - for (var i = 0; i < entries.length; i++) { - var e = entries[i] - if (e.charAt(0) !== '.' || dotOk) { - var m - if (negate && !prefix) { - m = !e.match(pn) - } else { - m = e.match(pn) - } - if (m) - matchedEntries.push(e) - } - } - - //console.error('prd2', prefix, entries, remain[0]._glob, matchedEntries) - - var len = matchedEntries.length - // If there are no matched entries, then nothing matches. - if (len === 0) - return cb() - - // if this is the last remaining pattern bit, then no need for - // an additional stat *unless* the user has specified mark or - // stat explicitly. We know they exist, since readdir returned - // them. - - if (remain.length === 1 && !this.mark && !this.stat) { - if (!this.matches[index]) - this.matches[index] = Object.create(null) - - for (var i = 0; i < len; i ++) { - var e = matchedEntries[i] - if (prefix) { - if (prefix !== '/') - e = prefix + '/' + e - else - e = prefix + e - } - - if (e.charAt(0) === '/' && !this.nomount) { - e = path.join(this.root, e) - } - this._emitMatch(index, e) - } - // This was the last one, and no stats were needed - return cb() - } - - // now test all matched entries as stand-ins for that part - // of the pattern. - remain.shift() - for (var i = 0; i < len; i ++) { - var e = matchedEntries[i] - var newPattern - if (prefix) { - if (prefix !== '/') - e = prefix + '/' + e - else - e = prefix + e - } - this._process([e].concat(remain), index, inGlobStar, cb) - } - cb() -} - -Glob.prototype._emitMatch = function (index, e) { - if (this.aborted) - return - - if (this.matches[index][e]) - return - - if (isIgnored(this, e)) - return - - if (this.paused) { - this._emitQueue.push([index, e]) - return - } - - var abs = this._makeAbs(e) - - if (this.nodir) { - var c = this.cache[abs] - if (c === 'DIR' || Array.isArray(c)) - return - } - - if (this.mark) - e = this._mark(e) - - this.matches[index][e] = true - - var st = this.statCache[abs] - if (st) - this.emit('stat', e, st) - - this.emit('match', e) -} - -Glob.prototype._readdirInGlobStar = function (abs, cb) { - if (this.aborted) - return - - // follow all symlinked directories forever - // just proceed as if this is a non-globstar situation - if (this.follow) - return this._readdir(abs, false, cb) - - var lstatkey = 'lstat\0' + abs - var self = this - var lstatcb = inflight(lstatkey, lstatcb_) - - if (lstatcb) - fs.lstat(abs, lstatcb) - - function lstatcb_ (er, lstat) { - if (er) - return cb() - - var isSym = lstat.isSymbolicLink() - self.symlinks[abs] = isSym - - // If it's not a symlink or a dir, then it's definitely a regular file. - // don't bother doing a readdir in that case. - if (!isSym && !lstat.isDirectory()) { - self.cache[abs] = 'FILE' - cb() - } else - self._readdir(abs, false, cb) - } -} - -Glob.prototype._readdir = function (abs, inGlobStar, cb) { - if (this.aborted) - return - - cb = inflight('readdir\0'+abs+'\0'+inGlobStar, cb) - if (!cb) - return - - //console.error('RD %j %j', +inGlobStar, abs) - if (inGlobStar && !ownProp(this.symlinks, abs)) - return this._readdirInGlobStar(abs, cb) - - if (ownProp(this.cache, abs)) { - var c = this.cache[abs] - if (!c || c === 'FILE') - return cb() - - if (Array.isArray(c)) - return cb(null, c) - } - - var self = this - fs.readdir(abs, readdirCb(this, abs, cb)) -} - -function readdirCb (self, abs, cb) { - return function (er, entries) { - if (er) - self._readdirError(abs, er, cb) - else - self._readdirEntries(abs, entries, cb) - } -} - -Glob.prototype._readdirEntries = function (abs, entries, cb) { - if (this.aborted) - return - - // if we haven't asked to stat everything, then just - // assume that everything in there exists, so we can avoid - // having to stat it a second time. - if (!this.mark && !this.stat) { - for (var i = 0; i < entries.length; i ++) { - var e = entries[i] - if (abs === '/') - e = abs + e - else - e = abs + '/' + e - this.cache[e] = true - } - } - - this.cache[abs] = entries - return cb(null, entries) -} - -Glob.prototype._readdirError = function (f, er, cb) { - if (this.aborted) - return - - // handle errors, and cache the information - switch (er.code) { - case 'ENOTSUP': // https://github.com/isaacs/node-glob/issues/205 - case 'ENOTDIR': // totally normal. means it *does* exist. - this.cache[this._makeAbs(f)] = 'FILE' - break - - case 'ENOENT': // not terribly unusual - case 'ELOOP': - case 'ENAMETOOLONG': - case 'UNKNOWN': - this.cache[this._makeAbs(f)] = false - break - - default: // some unusual error. Treat as failure. - this.cache[this._makeAbs(f)] = false - if (this.strict) { - this.emit('error', er) - // If the error is handled, then we abort - // if not, we threw out of here - this.abort() - } - if (!this.silent) - console.error('glob error', er) - break - } - - return cb() -} - -Glob.prototype._processGlobStar = function (prefix, read, abs, remain, index, inGlobStar, cb) { - var self = this - this._readdir(abs, inGlobStar, function (er, entries) { - self._processGlobStar2(prefix, read, abs, remain, index, inGlobStar, entries, cb) - }) -} - - -Glob.prototype._processGlobStar2 = function (prefix, read, abs, remain, index, inGlobStar, entries, cb) { - //console.error('pgs2', prefix, remain[0], entries) - - // no entries means not a dir, so it can never have matches - // foo.txt/** doesn't match foo.txt - if (!entries) - return cb() - - // test without the globstar, and with every child both below - // and replacing the globstar. - var remainWithoutGlobStar = remain.slice(1) - var gspref = prefix ? [ prefix ] : [] - var noGlobStar = gspref.concat(remainWithoutGlobStar) - - // the noGlobStar pattern exits the inGlobStar state - this._process(noGlobStar, index, false, cb) - - var isSym = this.symlinks[abs] - var len = entries.length - - // If it's a symlink, and we're in a globstar, then stop - if (isSym && inGlobStar) - return cb() - - for (var i = 0; i < len; i++) { - var e = entries[i] - if (e.charAt(0) === '.' && !this.dot) - continue - - // these two cases enter the inGlobStar state - var instead = gspref.concat(entries[i], remainWithoutGlobStar) - this._process(instead, index, true, cb) - - var below = gspref.concat(entries[i], remain) - this._process(below, index, true, cb) - } - - cb() -} - -Glob.prototype._processSimple = function (prefix, index, cb) { - // XXX review this. Shouldn't it be doing the mounting etc - // before doing stat? kinda weird? - var self = this - this._stat(prefix, function (er, exists) { - self._processSimple2(prefix, index, er, exists, cb) - }) -} -Glob.prototype._processSimple2 = function (prefix, index, er, exists, cb) { - - //console.error('ps2', prefix, exists) - - if (!this.matches[index]) - this.matches[index] = Object.create(null) - - // If it doesn't exist, then just mark the lack of results - if (!exists) - return cb() - - if (prefix && isAbsolute(prefix) && !this.nomount) { - var trail = /[\/\\]$/.test(prefix) - if (prefix.charAt(0) === '/') { - prefix = path.join(this.root, prefix) - } else { - prefix = path.resolve(this.root, prefix) - if (trail) - prefix += '/' - } - } - - if (process.platform === 'win32') - prefix = prefix.replace(/\\/g, '/') - - // Mark this as a match - this._emitMatch(index, prefix) - cb() -} - -// Returns either 'DIR', 'FILE', or false -Glob.prototype._stat = function (f, cb) { - var abs = this._makeAbs(f) - var needDir = f.slice(-1) === '/' - - if (f.length > this.maxLength) - return cb() - - if (!this.stat && ownProp(this.cache, abs)) { - var c = this.cache[abs] - - if (Array.isArray(c)) - c = 'DIR' - - // It exists, but maybe not how we need it - if (!needDir || c === 'DIR') - return cb(null, c) - - if (needDir && c === 'FILE') - return cb() - - // otherwise we have to stat, because maybe c=true - // if we know it exists, but not what it is. - } - - var exists - var stat = this.statCache[abs] - if (stat !== undefined) { - if (stat === false) - return cb(null, stat) - else { - var type = stat.isDirectory() ? 'DIR' : 'FILE' - if (needDir && type === 'FILE') - return cb() - else - return cb(null, type, stat) - } - } - - var self = this - var statcb = inflight('stat\0' + abs, lstatcb_) - if (statcb) - fs.lstat(abs, statcb) - - function lstatcb_ (er, lstat) { - if (lstat && lstat.isSymbolicLink()) { - // If it's a symlink, then treat it as the target, unless - // the target does not exist, then treat it as a file. - return fs.stat(abs, function (er, stat) { - if (er) - self._stat2(f, abs, null, lstat, cb) - else - self._stat2(f, abs, er, stat, cb) - }) - } else { - self._stat2(f, abs, er, lstat, cb) - } - } -} - -Glob.prototype._stat2 = function (f, abs, er, stat, cb) { - if (er) { - this.statCache[abs] = false - return cb() - } - - var needDir = f.slice(-1) === '/' - this.statCache[abs] = stat - - if (abs.slice(-1) === '/' && !stat.isDirectory()) - return cb(null, false, stat) - - var c = stat.isDirectory() ? 'DIR' : 'FILE' - this.cache[abs] = this.cache[abs] || c - - if (needDir && c !== 'DIR') - return cb() - - return cb(null, c, stat) -} - - -/***/ }), -/* 51 */ -/***/ (function(module, exports, __webpack_require__) { - -exports.alphasort = alphasort -exports.alphasorti = alphasorti -exports.setopts = setopts -exports.ownProp = ownProp -exports.makeAbs = makeAbs -exports.finish = finish -exports.mark = mark -exports.isIgnored = isIgnored -exports.childrenIgnored = childrenIgnored - -function ownProp (obj, field) { - return Object.prototype.hasOwnProperty.call(obj, field) -} - -var path = __webpack_require__(0) -var minimatch = __webpack_require__(22) -var isAbsolute = __webpack_require__(23) -var Minimatch = minimatch.Minimatch - -function alphasorti (a, b) { - return a.toLowerCase().localeCompare(b.toLowerCase()) -} - -function alphasort (a, b) { - return a.localeCompare(b) -} - -function setupIgnores (self, options) { - self.ignore = options.ignore || [] - - if (!Array.isArray(self.ignore)) - self.ignore = [self.ignore] - - if (self.ignore.length) { - self.ignore = self.ignore.map(ignoreMap) - } -} - -// ignore patterns are always in dot:true mode. -function ignoreMap (pattern) { - var gmatcher = null - if (pattern.slice(-3) === '/**') { - var gpattern = pattern.replace(/(\/\*\*)+$/, '') - gmatcher = new Minimatch(gpattern, { dot: true }) - } - - return { - matcher: new Minimatch(pattern, { dot: true }), - gmatcher: gmatcher - } -} - -function setopts (self, pattern, options) { - if (!options) - options = {} - - // base-matching: just use globstar for that. - if (options.matchBase && -1 === pattern.indexOf("/")) { - if (options.noglobstar) { - throw new Error("base matching requires globstar") - } - pattern = "**/" + pattern - } - - self.silent = !!options.silent - self.pattern = pattern - self.strict = options.strict !== false - self.realpath = !!options.realpath - self.realpathCache = options.realpathCache || Object.create(null) - self.follow = !!options.follow - self.dot = !!options.dot - self.mark = !!options.mark - self.nodir = !!options.nodir - if (self.nodir) - self.mark = true - self.sync = !!options.sync - self.nounique = !!options.nounique - self.nonull = !!options.nonull - self.nosort = !!options.nosort - self.nocase = !!options.nocase - self.stat = !!options.stat - self.noprocess = !!options.noprocess - - self.maxLength = options.maxLength || Infinity - self.cache = options.cache || Object.create(null) - self.statCache = options.statCache || Object.create(null) - self.symlinks = options.symlinks || Object.create(null) - - setupIgnores(self, options) - - self.changedCwd = false - var cwd = process.cwd() - if (!ownProp(options, "cwd")) - self.cwd = cwd - else { - self.cwd = options.cwd - self.changedCwd = path.resolve(options.cwd) !== cwd - } - - self.root = options.root || path.resolve(self.cwd, "/") - self.root = path.resolve(self.root) - if (process.platform === "win32") - self.root = self.root.replace(/\\/g, "/") - - self.nomount = !!options.nomount - - // disable comments and negation in Minimatch. - // Note that they are not supported in Glob itself anyway. - options.nonegate = true - options.nocomment = true - - self.minimatch = new Minimatch(pattern, options) - self.options = self.minimatch.options -} - -function finish (self) { - var nou = self.nounique - var all = nou ? [] : Object.create(null) - - for (var i = 0, l = self.matches.length; i < l; i ++) { - var matches = self.matches[i] - if (!matches || Object.keys(matches).length === 0) { - if (self.nonull) { - // do like the shell, and spit out the literal glob - var literal = self.minimatch.globSet[i] - if (nou) - all.push(literal) - else - all[literal] = true - } - } else { - // had matches - var m = Object.keys(matches) - if (nou) - all.push.apply(all, m) - else - m.forEach(function (m) { - all[m] = true - }) - } - } - - if (!nou) - all = Object.keys(all) - - if (!self.nosort) - all = all.sort(self.nocase ? alphasorti : alphasort) - - // at *some* point we statted all of these - if (self.mark) { - for (var i = 0; i < all.length; i++) { - all[i] = self._mark(all[i]) - } - if (self.nodir) { - all = all.filter(function (e) { - return !(/\/$/.test(e)) - }) - } - } - - if (self.ignore.length) - all = all.filter(function(m) { - return !isIgnored(self, m) - }) - - self.found = all -} - -function mark (self, p) { - var abs = makeAbs(self, p) - var c = self.cache[abs] - var m = p - if (c) { - var isDir = c === 'DIR' || Array.isArray(c) - var slash = p.slice(-1) === '/' - - if (isDir && !slash) - m += '/' - else if (!isDir && slash) - m = m.slice(0, -1) - - if (m !== p) { - var mabs = makeAbs(self, m) - self.statCache[mabs] = self.statCache[abs] - self.cache[mabs] = self.cache[abs] - } - } - - return m -} - -// lotta situps... -function makeAbs (self, f) { - var abs = f - if (f.charAt(0) === '/') { - abs = path.join(self.root, f) - } else if (isAbsolute(f) || f === '') { - abs = f - } else if (self.changedCwd) { - abs = path.resolve(self.cwd, f) - } else { - abs = path.resolve(f) - } - return abs -} - - -// Return true, if pattern ends with globstar '**', for the accompanying parent directory. -// Ex:- If node_modules/** is the pattern, add 'node_modules' to ignore list along with it's contents -function isIgnored (self, path) { - if (!self.ignore.length) - return false - - return self.ignore.some(function(item) { - return item.matcher.match(path) || !!(item.gmatcher && item.gmatcher.match(path)) - }) -} - -function childrenIgnored (self, path) { - if (!self.ignore.length) - return false - - return self.ignore.some(function(item) { - return !!(item.gmatcher && item.gmatcher.match(path)) - }) -} - - -/***/ }), -/* 52 */ -/***/ (function(module, exports) { - -// Returns a wrapper function that returns a wrapped callback -// The wrapper function should do some stuff, and return a -// presumably different callback function. -// This makes sure that own properties are retained, so that -// decorations and such are not lost along the way. -module.exports = wrappy -function wrappy (fn, cb) { - if (fn && cb) return wrappy(fn)(cb) - - if (typeof fn !== 'function') - throw new TypeError('need wrapper function') - - Object.keys(fn).forEach(function (k) { - wrapper[k] = fn[k] - }) - - return wrapper - - function wrapper() { - var args = new Array(arguments.length) - for (var i = 0; i < args.length; i++) { - args[i] = arguments[i] - } - var ret = fn.apply(this, args) - var cb = args[args.length-1] - if (typeof ret === 'function' && ret !== cb) { - Object.keys(cb).forEach(function (k) { - ret[k] = cb[k] - }) - } - return ret - } -} - - -/***/ }), -/* 53 */ -/***/ (function(module, exports, __webpack_require__) { - -var wrappy = __webpack_require__(52) -module.exports = wrappy(once) -module.exports.strict = wrappy(onceStrict) - -once.proto = once(function () { - Object.defineProperty(Function.prototype, 'once', { - value: function () { - return once(this) - }, - configurable: true - }) - - Object.defineProperty(Function.prototype, 'onceStrict', { - value: function () { - return onceStrict(this) - }, - configurable: true - }) -}) - -function once (fn) { - var f = function () { - if (f.called) return f.value - f.called = true - return f.value = fn.apply(this, arguments) - } - f.called = false - return f -} - -function onceStrict (fn) { - var f = function () { - if (f.called) - throw new Error(f.onceError) - f.called = true - return f.value = fn.apply(this, arguments) - } - var name = fn.name || 'Function wrapped with `once`' - f.onceError = name + " shouldn't be called more than once" - f.called = false - return f -} - - -/***/ }), -/* 54 */ -/***/ (function(module, exports, __webpack_require__) { - -const { Readable, Writable } = __webpack_require__(3); -const http = __webpack_require__(9); - -const objectify = (obj, [k, v]) => ({ ...obj, [k]: v }); - -class IncomingMessage extends Readable { - constructor(cfxReq, cfxRes) { - super(); - - this.headers = Object.entries(cfxReq.headers).map(([k, v]) => [k.toLowerCase(), v]).reduce(objectify, {}); - this.httpVersion = '1.1'; - this.httpVersionMajor = 1; - this.httpVersionMinor = 1; - this.method = cfxReq.method; - this.rawHeaders = Object.entries(this.headers).flatMap((x) => x); - this.rawTrailers = []; - this.setTimeout = (ms, cb) => { - global.setTimeout(cb, ms); - return this; - } - this.trailers = {}; - this.url = cfxReq.path; - this.aborted = false; - - //Setting Remote Address - try { - let addrParts = cfxReq.address.split(':'); - if(addrParts.length != 2 || !addrParts[0].length || !addrParts[1].length){ - throw new Error('Invalid IP:PORT'); - } - this.connection = { - remoteAddress: addrParts[0], - remotePort: addrParts[1] - }; - } catch (error) { - console.error(`requestHandler parsing ip:port error: ${error.message}`); - this.connection = { - remoteAddress: '0.0.0.0', - remotePort: 0 - }; - } - this.socket = this.connection; - - cfxReq.setDataHandler((data) => { - if (data instanceof ArrayBuffer || ArrayBuffer.isView(data)) { - this.push(Buffer.from(data)); - } else { - this.push(data, 'utf8'); - } - - this.push(null); - }, 'binary'); - } - - _read(len) { - - } - - destroy(err) { - - } -} - -class ServerResponse extends Writable { - constructor(cfxReq, cfxRes) { - super(); - - this.cfxReq = cfxReq; - this.cfxRes = cfxRes; - - this.connection = { - remoteAddress: cfxReq.address, - remotePort: 0, - writable: true, - on(...args) { - - } - }; - this.socket = this.connection; - this.finished = false; - this.headersSent = false; - this.sendDate = true; - - this.statusCode = 200; - this.statusMessage = 'OK'; - - this.headers = {}; - } - - addTrailers(headers) { - - } - - end(chunk, encoding, callback) { - if (this.finished) { - return; - } - - if (typeof chunk === 'function') { - callback = chunk; - chunk = null; - } else if (typeof encoding === 'function') { - callback = encoding; - encoding = null; - } - - if (chunk) { - this.write(chunk, encoding); - } - - this.cfxRes.send(); - - if (callback) { - callback(); - } - - this.finished = true; - this.cfxReq = null; - this.cfxRes = null; - } - - getHeader(name) { - return this.headers[name.toLowerCase()]; - } - - getHeaderNames() { - return Object.entries(this.headers).map(([name]) => name); - } - - getHeaders() { - // TODO: make shallow? - return Object.assign({}, this.headers); - } - - hasHeader(name) { - return (this.headers[name.toLowerCase()] !== undefined); - } - - removeHeader(name) { - delete this.headers[name.toLowerCase()]; - } - - setHeader(name, value) { - this.headers[name.toLowerCase()] = value; - } - - setTimeout(ms, cb) { - - } - - _write(chunk, encoding, callback) { - if (!this.headersSent) { - this.writeHead(this.statusCode, this.statusMessage, this.headers); - } - - this.cfxRes.write(chunk.buffer.slice(chunk.byteOffset, chunk.byteOffset + chunk.byteLength)); - - callback(); - } - - writeContinue() { - - } - - writeHead(statusCode, reason, obj) { - if (this.headersSent) { - return; - } - - this.headersSent = true; - - var originalStatusCode = statusCode; - - statusCode |= 0; - if (statusCode < 100 || statusCode > 999) { - throw new Error(`invalid status code ${originalStatusCode}`); - } - - - if (typeof reason === 'string') { - // writeHead(statusCode, reasonPhrase[, headers]) - this.statusMessage = reason; - } else { - // writeHead(statusCode[, headers]) - if (!this.statusMessage) - this.statusMessage = http.STATUS_CODES[statusCode] || 'unknown'; - obj = reason; - } - this.statusCode = statusCode; - - let headers; - if (this._headers) { - var k; - if (obj) { - var keys = Object.keys(obj); - for (var i = 0; i < keys.length; i++) { - k = keys[i]; - if (k) this.setHeader(k, obj[k]); - } - } - if (k === undefined && this._header) { - throw new Error(`invalid header`); - } - - headers = this._headers; - } else { - headers = obj; - } - - const headerList = {}; - - for (const [key, value] of Object.entries(headers)) { - if (Array.isArray(value)) { - headerList[key] = value.map(a => a.toString()); - } else { - headerList[key] = value.toString(); - } - } - - this.cfxRes.writeHead(this.statusCode, headerList); - } - - _final(callback) { - - } -} - -const setHttpCallback = (requestHandler) => { - global.SetHttpHandler((req, res) => { - requestHandler(new IncomingMessage(req, res), new ServerResponse(req, res)); - }); -}; - -module.exports.IncomingMessage = IncomingMessage; -module.exports.ServerResponse = ServerResponse; -module.exports.setHttpCallback = setHttpCallback; - - -/***/ }), -/* 55 */ -/***/ (function(module, exports, __webpack_require__) { - -var v1 = __webpack_require__(61); -var v4 = __webpack_require__(62); - -var uuid = v4; -uuid.v1 = v1; -uuid.v4 = v4; - -module.exports = uuid; - - -/***/ }), -/* 56 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - - -/** - * Module dependencies. - */ - -const isGeneratorFunction = __webpack_require__(63); -const debug = __webpack_require__(64)('koa:application'); -const onFinished = __webpack_require__(30); -const response = __webpack_require__(70); -const compose = __webpack_require__(83); -const context = __webpack_require__(84); -const request = __webpack_require__(102); -const statuses = __webpack_require__(6); -const Emitter = __webpack_require__(5); -const util = __webpack_require__(1); -const Stream = __webpack_require__(3); -const http = __webpack_require__(9); -const only = __webpack_require__(14); -const convert = __webpack_require__(113); -const deprecate = __webpack_require__(119)('koa'); -const { HttpError } = __webpack_require__(31); - -/** - * Expose `Application` class. - * Inherits from `Emitter.prototype`. - */ - -module.exports = class Application extends Emitter { - /** - * Initialize a new `Application`. - * - * @api public - */ - - /** - * - * @param {object} [options] Application options - * @param {string} [options.env='development'] Environment - * @param {string[]} [options.keys] Signed cookie keys - * @param {boolean} [options.proxy] Trust proxy headers - * @param {number} [options.subdomainOffset] Subdomain offset - * @param {boolean} [options.proxyIpHeader] proxy ip header, default to X-Forwarded-For - * @param {boolean} [options.maxIpsCount] max ips read from proxy ip header, default to 0 (means infinity) - * - */ - - constructor(options) { - super(); - options = options || {}; - this.proxy = options.proxy || false; - this.subdomainOffset = options.subdomainOffset || 2; - this.proxyIpHeader = options.proxyIpHeader || 'X-Forwarded-For'; - this.maxIpsCount = options.maxIpsCount || 0; - this.env = options.env || "production" || 'development'; - if (options.keys) this.keys = options.keys; - this.middleware = []; - this.context = Object.create(context); - this.request = Object.create(request); - this.response = Object.create(response); - // util.inspect.custom support for node 6+ - /* istanbul ignore else */ - if (util.inspect.custom) { - this[util.inspect.custom] = this.inspect; - } - } - - /** - * Shorthand for: - * - * http.createServer(app.callback()).listen(...) - * - * @param {Mixed} ... - * @return {Server} - * @api public - */ - - listen(...args) { - debug('listen'); - const server = http.createServer(this.callback()); - return server.listen(...args); - } - - /** - * Return JSON representation. - * We only bother showing settings. - * - * @return {Object} - * @api public - */ - - toJSON() { - return only(this, [ - 'subdomainOffset', - 'proxy', - 'env' - ]); - } - - /** - * Inspect implementation. - * - * @return {Object} - * @api public - */ - - inspect() { - return this.toJSON(); - } - - /** - * Use the given middleware `fn`. - * - * Old-style middleware will be converted. - * - * @param {Function} fn - * @return {Application} self - * @api public - */ - - use(fn) { - if (typeof fn !== 'function') throw new TypeError('middleware must be a function!'); - if (isGeneratorFunction(fn)) { - deprecate('Support for generators will be removed in v3. ' + - 'See the documentation for examples of how to convert old middleware ' + - 'https://github.com/koajs/koa/blob/master/docs/migration.md'); - fn = convert(fn); - } - debug('use %s', fn._name || fn.name || '-'); - this.middleware.push(fn); - return this; - } - - /** - * Return a request handler callback - * for node's native http server. - * - * @return {Function} - * @api public - */ - - callback() { - const fn = compose(this.middleware); - - if (!this.listenerCount('error')) this.on('error', this.onerror); - - const handleRequest = (req, res) => { - const ctx = this.createContext(req, res); - return this.handleRequest(ctx, fn); - }; - - return handleRequest; - } - - /** - * Handle request in callback. - * - * @api private - */ - - handleRequest(ctx, fnMiddleware) { - const res = ctx.res; - res.statusCode = 404; - const onerror = err => ctx.onerror(err); - const handleResponse = () => respond(ctx); - onFinished(res, onerror); - return fnMiddleware(ctx).then(handleResponse).catch(onerror); - } - - /** - * Initialize a new context. - * - * @api private - */ - - createContext(req, res) { - const context = Object.create(this.context); - const request = context.request = Object.create(this.request); - const response = context.response = Object.create(this.response); - context.app = request.app = response.app = this; - context.req = request.req = response.req = req; - context.res = request.res = response.res = res; - request.ctx = response.ctx = context; - request.response = response; - response.request = request; - context.originalUrl = request.originalUrl = req.url; - context.state = {}; - return context; - } - - /** - * Default error handler. - * - * @param {Error} err - * @api private - */ - - onerror(err) { - // When dealing with cross-globals a normal `instanceof` check doesn't work properly. - // See https://github.com/koajs/koa/issues/1466 - // We can probably remove it once jest fixes https://github.com/facebook/jest/issues/2549. - const isNativeError = - Object.prototype.toString.call(err) === '[object Error]' || - err instanceof Error; - if (!isNativeError) throw new TypeError(util.format('non-error thrown: %j', err)); - - if (404 === err.status || err.expose) return; - if (this.silent) return; - - const msg = err.stack || err.toString(); - console.error(`\n${msg.replace(/^/gm, ' ')}\n`); - } - - /** - * Help TS users comply to CommonJS, ESM, bundler mismatch. - * @see https://github.com/koajs/koa/issues/1513 - */ - - static get default() { - return Application; - } -}; - -/** - * Response helper. - */ - -function respond(ctx) { - // allow bypassing koa - if (false === ctx.respond) return; - - if (!ctx.writable) return; - - const res = ctx.res; - let body = ctx.body; - const code = ctx.status; - - // ignore body - if (statuses.empty[code]) { - // strip headers - ctx.body = null; - return res.end(); - } - - if ('HEAD' === ctx.method) { - if (!res.headersSent && !ctx.response.has('Content-Length')) { - const { length } = ctx.response; - if (Number.isInteger(length)) ctx.length = length; - } - return res.end(); - } - - // status body - if (null == body) { - if (ctx.response._explicitNullBody) { - ctx.response.remove('Content-Type'); - ctx.response.remove('Transfer-Encoding'); - return res.end(); - } - if (ctx.req.httpVersionMajor >= 2) { - body = String(code); - } else { - body = ctx.message || String(code); - } - if (!res.headersSent) { - ctx.type = 'text'; - ctx.length = Buffer.byteLength(body); - } - return res.end(body); - } - - // responses - if (Buffer.isBuffer(body)) return res.end(body); - if ('string' === typeof body) return res.end(body); - if (body instanceof Stream) return body.pipe(res); - - // body: json - body = JSON.stringify(body); - if (!res.headersSent) { - ctx.length = Buffer.byteLength(body); - } - res.end(body); -} - -/** - * Make HttpError available to consumers of the library so that consumers don't - * have a direct dependency upon `http-errors` - */ - -module.exports.HttpError = HttpError; - - -/***/ }), -/* 57 */ -/***/ (function(module, exports, __webpack_require__) { - -/** - * RESTful resource routing middleware for koa. - * - * @author Alex Mingoia - * @link https://github.com/alexmingoia/koa-router - */ - -var debug = __webpack_require__(38)('koa-router'); -var compose = __webpack_require__(37); -var HttpError = __webpack_require__(123); -var methods = __webpack_require__(125); -var Layer = __webpack_require__(126); - -/** - * @module koa-router - */ - -module.exports = Router; - -/** - * Create a new router. - * - * @example - * - * Basic usage: - * - * ```javascript - * var Koa = require('koa'); - * var Router = require('koa-router'); - * - * var app = new Koa(); - * var router = new Router(); - * - * router.get('/', (ctx, next) => { - * // ctx.router available - * }); - * - * app - * .use(router.routes()) - * .use(router.allowedMethods()); - * ``` - * - * @alias module:koa-router - * @param {Object=} opts - * @param {String=} opts.prefix prefix router paths - * @constructor - */ - -function Router(opts) { - if (!(this instanceof Router)) { - return new Router(opts); - } - - this.opts = opts || {}; - this.methods = this.opts.methods || [ - 'HEAD', - 'OPTIONS', - 'GET', - 'PUT', - 'PATCH', - 'POST', - 'DELETE' - ]; - - this.params = {}; - this.stack = []; -}; - -/** - * Create `router.verb()` methods, where *verb* is one of the HTTP verbs such - * as `router.get()` or `router.post()`. - * - * Match URL patterns to callback functions or controller actions using `router.verb()`, - * where **verb** is one of the HTTP verbs such as `router.get()` or `router.post()`. - * - * Additionaly, `router.all()` can be used to match against all methods. - * - * ```javascript - * router - * .get('/', (ctx, next) => { - * ctx.body = 'Hello World!'; - * }) - * .post('/users', (ctx, next) => { - * // ... - * }) - * .put('/users/:id', (ctx, next) => { - * // ... - * }) - * .del('/users/:id', (ctx, next) => { - * // ... - * }) - * .all('/users/:id', (ctx, next) => { - * // ... - * }); - * ``` - * - * When a route is matched, its path is available at `ctx._matchedRoute` and if named, - * the name is available at `ctx._matchedRouteName` - * - * Route paths will be translated to regular expressions using - * [path-to-regexp](https://github.com/pillarjs/path-to-regexp). - * - * Query strings will not be considered when matching requests. - * - * #### Named routes - * - * Routes can optionally have names. This allows generation of URLs and easy - * renaming of URLs during development. - * - * ```javascript - * router.get('user', '/users/:id', (ctx, next) => { - * // ... - * }); - * - * router.url('user', 3); - * // => "/users/3" - * ``` - * - * #### Multiple middleware - * - * Multiple middleware may be given: - * - * ```javascript - * router.get( - * '/users/:id', - * (ctx, next) => { - * return User.findOne(ctx.params.id).then(function(user) { - * ctx.user = user; - * next(); - * }); - * }, - * ctx => { - * console.log(ctx.user); - * // => { id: 17, name: "Alex" } - * } - * ); - * ``` - * - * ### Nested routers - * - * Nesting routers is supported: - * - * ```javascript - * var forums = new Router(); - * var posts = new Router(); - * - * posts.get('/', (ctx, next) => {...}); - * posts.get('/:pid', (ctx, next) => {...}); - * forums.use('/forums/:fid/posts', posts.routes(), posts.allowedMethods()); - * - * // responds to "/forums/123/posts" and "/forums/123/posts/123" - * app.use(forums.routes()); - * ``` - * - * #### Router prefixes - * - * Route paths can be prefixed at the router level: - * - * ```javascript - * var router = new Router({ - * prefix: '/users' - * }); - * - * router.get('/', ...); // responds to "/users" - * router.get('/:id', ...); // responds to "/users/:id" - * ``` - * - * #### URL parameters - * - * Named route parameters are captured and added to `ctx.params`. - * - * ```javascript - * router.get('/:category/:title', (ctx, next) => { - * console.log(ctx.params); - * // => { category: 'programming', title: 'how-to-node' } - * }); - * ``` - * - * The [path-to-regexp](https://github.com/pillarjs/path-to-regexp) module is - * used to convert paths to regular expressions. - * - * @name get|put|post|patch|delete|del - * @memberof module:koa-router.prototype - * @param {String} path - * @param {Function=} middleware route middleware(s) - * @param {Function} callback route callback - * @returns {Router} - */ - -methods.forEach(function (method) { - Router.prototype[method] = function (name, path, middleware) { - var middleware; - - if (typeof path === 'string' || path instanceof RegExp) { - middleware = Array.prototype.slice.call(arguments, 2); - } else { - middleware = Array.prototype.slice.call(arguments, 1); - path = name; - name = null; - } - - this.register(path, [method], middleware, { - name: name - }); - - return this; - }; -}); - -// Alias for `router.delete()` because delete is a reserved word -Router.prototype.del = Router.prototype['delete']; - -/** - * Use given middleware. - * - * Middleware run in the order they are defined by `.use()`. They are invoked - * sequentially, requests start at the first middleware and work their way - * "down" the middleware stack. - * - * @example - * - * ```javascript - * // session middleware will run before authorize - * router - * .use(session()) - * .use(authorize()); - * - * // use middleware only with given path - * router.use('/users', userAuth()); - * - * // or with an array of paths - * router.use(['/users', '/admin'], userAuth()); - * - * app.use(router.routes()); - * ``` - * - * @param {String=} path - * @param {Function} middleware - * @param {Function=} ... - * @returns {Router} - */ - -Router.prototype.use = function () { - var router = this; - var middleware = Array.prototype.slice.call(arguments); - var path; - - // support array of paths - if (Array.isArray(middleware[0]) && typeof middleware[0][0] === 'string') { - middleware[0].forEach(function (p) { - router.use.apply(router, [p].concat(middleware.slice(1))); - }); - - return this; - } - - var hasPath = typeof middleware[0] === 'string'; - if (hasPath) { - path = middleware.shift(); - } - - middleware.forEach(function (m) { - if (m.router) { - m.router.stack.forEach(function (nestedLayer) { - if (path) nestedLayer.setPrefix(path); - if (router.opts.prefix) nestedLayer.setPrefix(router.opts.prefix); - router.stack.push(nestedLayer); - }); - - if (router.params) { - Object.keys(router.params).forEach(function (key) { - m.router.param(key, router.params[key]); - }); - } - } else { - router.register(path || '(.*)', [], m, { end: false, ignoreCaptures: !hasPath }); - } - }); - - return this; -}; - -/** - * Set the path prefix for a Router instance that was already initialized. - * - * @example - * - * ```javascript - * router.prefix('/things/:thing_id') - * ``` - * - * @param {String} prefix - * @returns {Router} - */ - -Router.prototype.prefix = function (prefix) { - prefix = prefix.replace(/\/$/, ''); - - this.opts.prefix = prefix; - - this.stack.forEach(function (route) { - route.setPrefix(prefix); - }); - - return this; -}; - -/** - * Returns router middleware which dispatches a route matching the request. - * - * @returns {Function} - */ - -Router.prototype.routes = Router.prototype.middleware = function () { - var router = this; - - var dispatch = function dispatch(ctx, next) { - debug('%s %s', ctx.method, ctx.path); - - var path = router.opts.routerPath || ctx.routerPath || ctx.path; - var matched = router.match(path, ctx.method); - var layerChain, layer, i; - - if (ctx.matched) { - ctx.matched.push.apply(ctx.matched, matched.path); - } else { - ctx.matched = matched.path; - } - - ctx.router = router; - - if (!matched.route) return next(); - - var matchedLayers = matched.pathAndMethod - var mostSpecificLayer = matchedLayers[matchedLayers.length - 1] - ctx._matchedRoute = mostSpecificLayer.path; - if (mostSpecificLayer.name) { - ctx._matchedRouteName = mostSpecificLayer.name; - } - - layerChain = matchedLayers.reduce(function(memo, layer) { - memo.push(function(ctx, next) { - ctx.captures = layer.captures(path, ctx.captures); - ctx.params = layer.params(path, ctx.captures, ctx.params); - ctx.routerName = layer.name; - return next(); - }); - return memo.concat(layer.stack); - }, []); - - return compose(layerChain)(ctx, next); - }; - - dispatch.router = this; - - return dispatch; -}; - -/** - * Returns separate middleware for responding to `OPTIONS` requests with - * an `Allow` header containing the allowed methods, as well as responding - * with `405 Method Not Allowed` and `501 Not Implemented` as appropriate. - * - * @example - * - * ```javascript - * var Koa = require('koa'); - * var Router = require('koa-router'); - * - * var app = new Koa(); - * var router = new Router(); - * - * app.use(router.routes()); - * app.use(router.allowedMethods()); - * ``` - * - * **Example with [Boom](https://github.com/hapijs/boom)** - * - * ```javascript - * var Koa = require('koa'); - * var Router = require('koa-router'); - * var Boom = require('boom'); - * - * var app = new Koa(); - * var router = new Router(); - * - * app.use(router.routes()); - * app.use(router.allowedMethods({ - * throw: true, - * notImplemented: () => new Boom.notImplemented(), - * methodNotAllowed: () => new Boom.methodNotAllowed() - * })); - * ``` - * - * @param {Object=} options - * @param {Boolean=} options.throw throw error instead of setting status and header - * @param {Function=} options.notImplemented throw the returned value in place of the default NotImplemented error - * @param {Function=} options.methodNotAllowed throw the returned value in place of the default MethodNotAllowed error - * @returns {Function} - */ - -Router.prototype.allowedMethods = function (options) { - options = options || {}; - var implemented = this.methods; - - return function allowedMethods(ctx, next) { - return next().then(function() { - var allowed = {}; - - if (!ctx.status || ctx.status === 404) { - ctx.matched.forEach(function (route) { - route.methods.forEach(function (method) { - allowed[method] = method; - }); - }); - - var allowedArr = Object.keys(allowed); - - if (!~implemented.indexOf(ctx.method)) { - if (options.throw) { - var notImplementedThrowable; - if (typeof options.notImplemented === 'function') { - notImplementedThrowable = options.notImplemented(); // set whatever the user returns from their function - } else { - notImplementedThrowable = new HttpError.NotImplemented(); - } - throw notImplementedThrowable; - } else { - ctx.status = 501; - ctx.set('Allow', allowedArr.join(', ')); - } - } else if (allowedArr.length) { - if (ctx.method === 'OPTIONS') { - ctx.status = 200; - ctx.body = ''; - ctx.set('Allow', allowedArr.join(', ')); - } else if (!allowed[ctx.method]) { - if (options.throw) { - var notAllowedThrowable; - if (typeof options.methodNotAllowed === 'function') { - notAllowedThrowable = options.methodNotAllowed(); // set whatever the user returns from their function - } else { - notAllowedThrowable = new HttpError.MethodNotAllowed(); - } - throw notAllowedThrowable; - } else { - ctx.status = 405; - ctx.set('Allow', allowedArr.join(', ')); - } - } - } - } - }); - }; -}; - -/** - * Register route with all methods. - * - * @param {String} name Optional. - * @param {String} path - * @param {Function=} middleware You may also pass multiple middleware. - * @param {Function} callback - * @returns {Router} - * @private - */ - -Router.prototype.all = function (name, path, middleware) { - var middleware; - - if (typeof path === 'string') { - middleware = Array.prototype.slice.call(arguments, 2); - } else { - middleware = Array.prototype.slice.call(arguments, 1); - path = name; - name = null; - } - - this.register(path, methods, middleware, { - name: name - }); - - return this; -}; - -/** - * Redirect `source` to `destination` URL with optional 30x status `code`. - * - * Both `source` and `destination` can be route names. - * - * ```javascript - * router.redirect('/login', 'sign-in'); - * ``` - * - * This is equivalent to: - * - * ```javascript - * router.all('/login', ctx => { - * ctx.redirect('/sign-in'); - * ctx.status = 301; - * }); - * ``` - * - * @param {String} source URL or route name. - * @param {String} destination URL or route name. - * @param {Number=} code HTTP status code (default: 301). - * @returns {Router} - */ - -Router.prototype.redirect = function (source, destination, code) { - // lookup source route by name - if (source[0] !== '/') { - source = this.url(source); - } - - // lookup destination route by name - if (destination[0] !== '/') { - destination = this.url(destination); - } - - return this.all(source, ctx => { - ctx.redirect(destination); - ctx.status = code || 301; - }); -}; - -/** - * Create and register a route. - * - * @param {String} path Path string. - * @param {Array.} methods Array of HTTP verbs. - * @param {Function} middleware Multiple middleware also accepted. - * @returns {Layer} - * @private - */ - -Router.prototype.register = function (path, methods, middleware, opts) { - opts = opts || {}; - - var router = this; - var stack = this.stack; - - // support array of paths - if (Array.isArray(path)) { - path.forEach(function (p) { - router.register.call(router, p, methods, middleware, opts); - }); - - return this; - } - - // create route - var route = new Layer(path, methods, middleware, { - end: opts.end === false ? opts.end : true, - name: opts.name, - sensitive: opts.sensitive || this.opts.sensitive || false, - strict: opts.strict || this.opts.strict || false, - prefix: opts.prefix || this.opts.prefix || "", - ignoreCaptures: opts.ignoreCaptures - }); - - if (this.opts.prefix) { - route.setPrefix(this.opts.prefix); - } - - // add parameter middleware - Object.keys(this.params).forEach(function (param) { - route.param(param, this.params[param]); - }, this); - - stack.push(route); - - return route; -}; - -/** - * Lookup route with given `name`. - * - * @param {String} name - * @returns {Layer|false} - */ - -Router.prototype.route = function (name) { - var routes = this.stack; - - for (var len = routes.length, i=0; i { - * // ... - * }); - * - * router.url('user', 3); - * // => "/users/3" - * - * router.url('user', { id: 3 }); - * // => "/users/3" - * - * router.use((ctx, next) => { - * // redirect to named route - * ctx.redirect(ctx.router.url('sign-in')); - * }) - * - * router.url('user', { id: 3 }, { query: { limit: 1 } }); - * // => "/users/3?limit=1" - * - * router.url('user', { id: 3 }, { query: "limit=1" }); - * // => "/users/3?limit=1" - * ``` - * - * @param {String} name route name - * @param {Object} params url parameters - * @param {Object} [options] options parameter - * @param {Object|String} [options.query] query options - * @returns {String|Error} - */ - -Router.prototype.url = function (name, params) { - var route = this.route(name); - - if (route) { - var args = Array.prototype.slice.call(arguments, 1); - return route.url.apply(route, args); - } - - return new Error("No route found for name: " + name); -}; - -/** - * Match given `path` and return corresponding routes. - * - * @param {String} path - * @param {String} method - * @returns {Object.} returns layers that matched path and - * path and method. - * @private - */ - -Router.prototype.match = function (path, method) { - var layers = this.stack; - var layer; - var matched = { - path: [], - pathAndMethod: [], - route: false - }; - - for (var len = layers.length, i = 0; i < len; i++) { - layer = layers[i]; - - debug('test %s %s', layer.path, layer.regexp); - - if (layer.match(path)) { - matched.path.push(layer); - - if (layer.methods.length === 0 || ~layer.methods.indexOf(method)) { - matched.pathAndMethod.push(layer); - if (layer.methods.length) matched.route = true; - } - } - } - - return matched; -}; - -/** - * Run middleware for named route parameters. Useful for auto-loading or - * validation. - * - * @example - * - * ```javascript - * router - * .param('user', (id, ctx, next) => { - * ctx.user = users[id]; - * if (!ctx.user) return ctx.status = 404; - * return next(); - * }) - * .get('/users/:user', ctx => { - * ctx.body = ctx.user; - * }) - * .get('/users/:user/friends', ctx => { - * return ctx.user.getFriends().then(function(friends) { - * ctx.body = friends; - * }); - * }) - * // /users/3 => {"id": 3, "name": "Alex"} - * // /users/3/friends => [{"id": 4, "name": "TJ"}] - * ``` - * - * @param {String} param - * @param {Function} middleware - * @returns {Router} - */ - -Router.prototype.param = function (param, middleware) { - this.params[param] = middleware; - this.stack.forEach(function (route) { - route.param(param, middleware); - }); - return this; -}; - -/** - * Generate URL from url pattern and given `params`. - * - * @example - * - * ```javascript - * var url = Router.url('/users/:id', {id: 1}); - * // => "/users/1" - * ``` - * - * @param {String} path url pattern - * @param {Object} params url parameters - * @returns {String} - */ -Router.url = function (path, params) { - return Layer.prototype.url.call({path: path}, params); -}; - - -/***/ }), -/* 58 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/** - * koa-body - index.js - * Copyright(c) 2014 - * MIT Licensed - * - * @author Daryl Lau (@dlau) - * @author Charlike Mike Reagent (@tunnckoCore) - * @api private - */ - - - -/** - * Module dependencies. - */ - -const buddy = __webpack_require__(131); -const forms = __webpack_require__(157); -const symbolUnparsed = __webpack_require__(164); - -/** - * Expose `requestbody()`. - */ - -module.exports = requestbody; - -const jsonTypes = [ - 'application/json', - 'application/json-patch+json', - 'application/vnd.api+json', - 'application/csp-report' -]; - -/** - * - * @param {Object} options - * @see https://github.com/dlau/koa-body - * @api public - */ -function requestbody(opts) { - opts = opts || {}; - opts.onError = 'onError' in opts ? opts.onError : false; - opts.patchNode = 'patchNode' in opts ? opts.patchNode : false; - opts.patchKoa = 'patchKoa' in opts ? opts.patchKoa : true; - opts.multipart = 'multipart' in opts ? opts.multipart : false; - opts.urlencoded = 'urlencoded' in opts ? opts.urlencoded : true; - opts.json = 'json' in opts ? opts.json : true; - opts.text = 'text' in opts ? opts.text : true; - opts.encoding = 'encoding' in opts ? opts.encoding : 'utf-8'; - opts.jsonLimit = 'jsonLimit' in opts ? opts.jsonLimit : '1mb'; - opts.jsonStrict = 'jsonStrict' in opts ? opts.jsonStrict : true; - opts.formLimit = 'formLimit' in opts ? opts.formLimit : '56kb'; - opts.queryString = 'queryString' in opts ? opts.queryString : null; - opts.formidable = 'formidable' in opts ? opts.formidable : {}; - opts.includeUnparsed = 'includeUnparsed' in opts ? opts.includeUnparsed : false - opts.textLimit = 'textLimit' in opts ? opts.textLimit : '56kb'; - - // @todo: next major version, opts.strict support should be removed - if (opts.strict && opts.parsedMethods) { - throw new Error('Cannot use strict and parsedMethods options at the same time.') - } - - if ('strict' in opts) { - console.warn('DEPRECATED: opts.strict has been deprecated in favor of opts.parsedMethods.') - if (opts.strict) { - opts.parsedMethods = ['POST', 'PUT', 'PATCH'] - } else { - opts.parsedMethods = ['POST', 'PUT', 'PATCH', 'GET', 'HEAD', 'DELETE'] - } - } - - opts.parsedMethods = 'parsedMethods' in opts ? opts.parsedMethods : ['POST', 'PUT', 'PATCH'] - opts.parsedMethods = opts.parsedMethods.map(function (method) { return method.toUpperCase() }) - - return function (ctx, next) { - var bodyPromise; - // only parse the body on specifically chosen methods - if (opts.parsedMethods.includes(ctx.method.toUpperCase())) { - try { - if (opts.json && ctx.is(jsonTypes)) { - bodyPromise = buddy.json(ctx, { - encoding: opts.encoding, - limit: opts.jsonLimit, - strict: opts.jsonStrict, - returnRawBody: opts.includeUnparsed - }); - } else if (opts.urlencoded && ctx.is('urlencoded')) { - bodyPromise = buddy.form(ctx, { - encoding: opts.encoding, - limit: opts.formLimit, - queryString: opts.queryString, - returnRawBody: opts.includeUnparsed - }); - } else if (opts.text && ctx.is('text/*')) { - bodyPromise = buddy.text(ctx, { - encoding: opts.encoding, - limit: opts.textLimit, - returnRawBody: opts.includeUnparsed - }); - } else if (opts.multipart && ctx.is('multipart')) { - bodyPromise = formy(ctx, opts.formidable); - } - } catch (parsingError) { - if (typeof opts.onError === 'function') { - opts.onError(parsingError, ctx); - } else { - throw parsingError; - } - } - } - - bodyPromise = bodyPromise || Promise.resolve({}); - return bodyPromise.catch(function(parsingError) { - if (typeof opts.onError === 'function') { - opts.onError(parsingError, ctx); - } else { - throw parsingError; - } - return next(); - }) - .then(function(body) { - if (opts.patchNode) { - if (isMultiPart(ctx, opts)) { - ctx.req.body = body.fields; - ctx.req.files = body.files; - } else if (opts.includeUnparsed) { - ctx.req.body = body.parsed || {}; - if (! ctx.is('text/*')) { - ctx.req.body[symbolUnparsed] = body.raw; - } - } else { - ctx.req.body = body; - } - } - if (opts.patchKoa) { - if (isMultiPart(ctx, opts)) { - ctx.request.body = body.fields; - ctx.request.files = body.files; - } else if (opts.includeUnparsed) { - ctx.request.body = body.parsed || {}; - if (! ctx.is('text/*')) { - ctx.request.body[symbolUnparsed] = body.raw; - } - } else { - ctx.request.body = body; - } - } - return next(); - }) - }; -} - -/** - * Check if multipart handling is enabled and that this is a multipart request - * - * @param {Object} ctx - * @param {Object} opts - * @return {Boolean} true if request is multipart and being treated as so - * @api private - */ -function isMultiPart(ctx, opts) { - return opts.multipart && ctx.is('multipart'); -} - -/** - * Donable formidable - * - * @param {Stream} ctx - * @param {Object} opts - * @return {Promise} - * @api private - */ -function formy(ctx, opts) { - return new Promise(function (resolve, reject) { - var fields = {}; - var files = {}; - var form = new forms.IncomingForm(opts); - form.on('end', function () { - return resolve({ - fields: fields, - files: files - }); - }).on('error', function (err) { - return reject(err); - }).on('field', function (field, value) { - if (fields[field]) { - if (Array.isArray(fields[field])) { - fields[field].push(value); - } else { - fields[field] = [fields[field], value]; - } - } else { - fields[field] = value; - } - }).on('file', function (field, file) { - if (files[field]) { - if (Array.isArray(files[field])) { - files[field].push(file); - } else { - files[field] = [files[field], file]; - } - } else { - files[field] = file; - } - }); - if (opts.onFileBegin) { - form.on('fileBegin', opts.onFileBegin); - } - form.parse(ctx.req); - }); -} - - -/***/ }), -/* 59 */ -/***/ (function(module, exports, __webpack_require__) { - -var fs = __webpack_require__(2); -var ncp = __webpack_require__(165).ncp; -var path = __webpack_require__(0); -var rimraf = __webpack_require__(166); -var mkdirp = __webpack_require__(172); - -module.exports = mv; - -function mv(source, dest, options, cb){ - if (typeof options === 'function') { - cb = options; - options = {}; - } - var shouldMkdirp = !!options.mkdirp; - var clobber = options.clobber !== false; - var limit = options.limit || 16; - - if (shouldMkdirp) { - mkdirs(); - } else { - doRename(); - } - - function mkdirs() { - mkdirp(path.dirname(dest), function(err) { - if (err) return cb(err); - doRename(); - }); - } - - function doRename() { - if (clobber) { - fs.rename(source, dest, function(err) { - if (!err) return cb(); - if (err.code !== 'EXDEV') return cb(err); - moveFileAcrossDevice(source, dest, clobber, limit, cb); - }); - } else { - fs.link(source, dest, function(err) { - if (err) { - if (err.code === 'EXDEV') { - moveFileAcrossDevice(source, dest, clobber, limit, cb); - return; - } - if (err.code === 'EISDIR' || err.code === 'EPERM') { - moveDirAcrossDevice(source, dest, clobber, limit, cb); - return; - } - cb(err); - return; - } - fs.unlink(source, cb); - }); - } - } -} - -function moveFileAcrossDevice(source, dest, clobber, limit, cb) { - var outFlags = clobber ? 'w' : 'wx'; - var ins = fs.createReadStream(source); - var outs = fs.createWriteStream(dest, {flags: outFlags}); - ins.on('error', function(err){ - ins.destroy(); - outs.destroy(); - outs.removeListener('close', onClose); - if (err.code === 'EISDIR' || err.code === 'EPERM') { - moveDirAcrossDevice(source, dest, clobber, limit, cb); - } else { - cb(err); - } - }); - outs.on('error', function(err){ - ins.destroy(); - outs.destroy(); - outs.removeListener('close', onClose); - cb(err); - }); - outs.once('close', onClose); - ins.pipe(outs); - function onClose(){ - fs.unlink(source, cb); - } -} - -function moveDirAcrossDevice(source, dest, clobber, limit, cb) { - var options = { - stopOnErr: true, - clobber: false, - limit: limit, - }; - if (clobber) { - rimraf(dest, { disableGlob: true }, function(err) { - if (err) return cb(err); - startNcp(); - }); - } else { - startNcp(); - } - function startNcp() { - ncp(source, dest, options, function(errList) { - if (errList) return cb(errList[0]); - rimraf(source, { disableGlob: true }, cb); - }); - } -} - - -/***/ }), -/* 60 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -__webpack_require__.r(__webpack_exports__); -/* harmony import */ var _citizenfx_http_wrapper__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(54); -/* harmony import */ var _citizenfx_http_wrapper__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_citizenfx_http_wrapper__WEBPACK_IMPORTED_MODULE_0__); -/* harmony import */ var uuid__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(55); -/* harmony import */ var uuid__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(uuid__WEBPACK_IMPORTED_MODULE_1__); -/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(2); -/* harmony import */ var fs__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(fs__WEBPACK_IMPORTED_MODULE_2__); -/* harmony import */ var koa__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(56); -/* harmony import */ var koa__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(koa__WEBPACK_IMPORTED_MODULE_3__); -/* harmony import */ var koa_router__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(57); -/* harmony import */ var koa_router__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(koa_router__WEBPACK_IMPORTED_MODULE_4__); -/* harmony import */ var koa_body__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(58); -/* harmony import */ var koa_body__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(koa_body__WEBPACK_IMPORTED_MODULE_5__); -/* harmony import */ var mv__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(59); -/* harmony import */ var mv__WEBPACK_IMPORTED_MODULE_6___default = /*#__PURE__*/__webpack_require__.n(mv__WEBPACK_IMPORTED_MODULE_6__); -var __awaiter = (undefined && undefined.__awaiter) || function (thisArg, _arguments, P, generator) { - return new (P || (P = Promise))(function (resolve, reject) { - function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } - function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } - function step(result) { result.done ? resolve(result.value) : new P(function (resolve) { resolve(result.value); }).then(fulfilled, rejected); } - step((generator = generator.apply(thisArg, _arguments || [])).next()); - }); -}; - - - - - - - -const app = new koa__WEBPACK_IMPORTED_MODULE_3__(); -const router = new koa_router__WEBPACK_IMPORTED_MODULE_4__(); -class UploadData { -} -const uploads = {}; -router.post('/upload/:token', (ctx) => __awaiter(undefined, void 0, void 0, function* () { - const tkn = ctx.params['token']; - ctx.response.append('Access-Control-Allow-Origin', '*'); - ctx.response.append('Access-Control-Allow-Methods', 'GET, POST'); - if (uploads[tkn] !== undefined) { - const upload = uploads[tkn]; - delete uploads[tkn]; - const finish = (err, data) => { - setImmediate(() => { - upload.cb(err || false, data); - }); - }; - const f = ctx.request.files['file']; - if (f) { - if (upload.fileName) { - mv__WEBPACK_IMPORTED_MODULE_6__(f.path, upload.fileName, (err) => { - if (err) { - finish(err.message, null); - return; - } - finish(null, upload.fileName); - }); - } - else { - fs__WEBPACK_IMPORTED_MODULE_2__["readFile"](f.path, (err, data) => { - if (err) { - finish(err.message, null); - return; - } - fs__WEBPACK_IMPORTED_MODULE_2__["unlink"](f.path, (err) => { - finish(null, `data:${f.type};base64,${data.toString('base64')}`); - }); - }); - } - } - ctx.body = { success: true }; - return; - } - ctx.body = { success: false }; -})); -app.use(koa_body__WEBPACK_IMPORTED_MODULE_5__({ - patchKoa: true, - multipart: true, -})) - .use(router.routes()) - .use(router.allowedMethods()); -Object(_citizenfx_http_wrapper__WEBPACK_IMPORTED_MODULE_0__["setHttpCallback"])(app.callback()); -// Cfx stuff -const exp = global.exports; -exp('requestClientScreenshot', (player, options, cb) => { - const tkn = Object(uuid__WEBPACK_IMPORTED_MODULE_1__["v4"])(); - const fileName = options.fileName; - delete options['fileName']; // so the client won't get to know this - uploads[tkn] = { - fileName, - cb - }; - emitNet('screenshot_basic:requestScreenshot', player, options, `/${GetCurrentResourceName()}/upload/${tkn}`); -}); - - -/***/ }), -/* 61 */ -/***/ (function(module, exports, __webpack_require__) { - -var rng = __webpack_require__(24); -var bytesToUuid = __webpack_require__(25); - -// **`v1()` - Generate time-based UUID** -// -// Inspired by https://github.com/LiosK/UUID.js -// and http://docs.python.org/library/uuid.html - -var _nodeId; -var _clockseq; - -// Previous uuid creation time -var _lastMSecs = 0; -var _lastNSecs = 0; - -// See https://github.com/uuidjs/uuid for API details -function v1(options, buf, offset) { - var i = buf && offset || 0; - var b = buf || []; - - options = options || {}; - var node = options.node || _nodeId; - var clockseq = options.clockseq !== undefined ? options.clockseq : _clockseq; - - // node and clockseq need to be initialized to random values if they're not - // specified. We do this lazily to minimize issues related to insufficient - // system entropy. See #189 - if (node == null || clockseq == null) { - var seedBytes = rng(); - if (node == null) { - // Per 4.5, create and 48-bit node id, (47 random bits + multicast bit = 1) - node = _nodeId = [ - seedBytes[0] | 0x01, - seedBytes[1], seedBytes[2], seedBytes[3], seedBytes[4], seedBytes[5] - ]; - } - if (clockseq == null) { - // Per 4.2.2, randomize (14 bit) clockseq - clockseq = _clockseq = (seedBytes[6] << 8 | seedBytes[7]) & 0x3fff; - } - } - - // UUID timestamps are 100 nano-second units since the Gregorian epoch, - // (1582-10-15 00:00). JSNumbers aren't precise enough for this, so - // time is handled internally as 'msecs' (integer milliseconds) and 'nsecs' - // (100-nanoseconds offset from msecs) since unix epoch, 1970-01-01 00:00. - var msecs = options.msecs !== undefined ? options.msecs : new Date().getTime(); - - // Per 4.2.1.2, use count of uuid's generated during the current clock - // cycle to simulate higher resolution clock - var nsecs = options.nsecs !== undefined ? options.nsecs : _lastNSecs + 1; - - // Time since last uuid creation (in msecs) - var dt = (msecs - _lastMSecs) + (nsecs - _lastNSecs)/10000; - - // Per 4.2.1.2, Bump clockseq on clock regression - if (dt < 0 && options.clockseq === undefined) { - clockseq = clockseq + 1 & 0x3fff; - } - - // Reset nsecs if clock regresses (new clockseq) or we've moved onto a new - // time interval - if ((dt < 0 || msecs > _lastMSecs) && options.nsecs === undefined) { - nsecs = 0; - } - - // Per 4.2.1.2 Throw error if too many uuids are requested - if (nsecs >= 10000) { - throw new Error('uuid.v1(): Can\'t create more than 10M uuids/sec'); - } - - _lastMSecs = msecs; - _lastNSecs = nsecs; - _clockseq = clockseq; - - // Per 4.1.4 - Convert from unix epoch to Gregorian epoch - msecs += 12219292800000; - - // `time_low` - var tl = ((msecs & 0xfffffff) * 10000 + nsecs) % 0x100000000; - b[i++] = tl >>> 24 & 0xff; - b[i++] = tl >>> 16 & 0xff; - b[i++] = tl >>> 8 & 0xff; - b[i++] = tl & 0xff; - - // `time_mid` - var tmh = (msecs / 0x100000000 * 10000) & 0xfffffff; - b[i++] = tmh >>> 8 & 0xff; - b[i++] = tmh & 0xff; - - // `time_high_and_version` - b[i++] = tmh >>> 24 & 0xf | 0x10; // include version - b[i++] = tmh >>> 16 & 0xff; - - // `clock_seq_hi_and_reserved` (Per 4.2.2 - include variant) - b[i++] = clockseq >>> 8 | 0x80; - - // `clock_seq_low` - b[i++] = clockseq & 0xff; - - // `node` - for (var n = 0; n < 6; ++n) { - b[i + n] = node[n]; - } - - return buf ? buf : bytesToUuid(b); -} - -module.exports = v1; - - -/***/ }), -/* 62 */ -/***/ (function(module, exports, __webpack_require__) { - -var rng = __webpack_require__(24); -var bytesToUuid = __webpack_require__(25); - -function v4(options, buf, offset) { - var i = buf && offset || 0; - - if (typeof(options) == 'string') { - buf = options === 'binary' ? new Array(16) : null; - options = null; - } - options = options || {}; - - var rnds = options.random || (options.rng || rng)(); - - // Per 4.4, set bits for version and `clock_seq_hi_and_reserved` - rnds[6] = (rnds[6] & 0x0f) | 0x40; - rnds[8] = (rnds[8] & 0x3f) | 0x80; - - // Copy bytes to buffer, if provided - if (buf) { - for (var ii = 0; ii < 16; ++ii) { - buf[i + ii] = rnds[ii]; - } - } - - return buf || bytesToUuid(rnds); -} - -module.exports = v4; - - -/***/ }), -/* 63 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var toStr = Object.prototype.toString; -var fnToStr = Function.prototype.toString; -var isFnRegex = /^\s*(?:function)?\*/; -var hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol'; -var getProto = Object.getPrototypeOf; -var getGeneratorFunc = function () { // eslint-disable-line consistent-return - if (!hasToStringTag) { - return false; - } - try { - return Function('return function*() {}')(); - } catch (e) { - } -}; -var generatorFunc = getGeneratorFunc(); -var GeneratorFunction = getProto && generatorFunc ? getProto(generatorFunc) : false; - -module.exports = function isGeneratorFunction(fn) { - if (typeof fn !== 'function') { - return false; - } - if (isFnRegex.test(fnToStr.call(fn))) { - return true; - } - if (!hasToStringTag) { - var str = toStr.call(fn); - return str === '[object GeneratorFunction]'; - } - return getProto && getProto(fn) === GeneratorFunction; -}; - - -/***/ }), -/* 64 */ -/***/ (function(module, exports, __webpack_require__) { - -/** - * Detect Electron renderer process, which is node, but we should - * treat as a browser. - */ - -if (typeof process === 'undefined' || process.type === 'renderer') { - module.exports = __webpack_require__(65); -} else { - module.exports = __webpack_require__(67); -} - - -/***/ }), -/* 65 */ -/***/ (function(module, exports, __webpack_require__) { - -/** - * This is the web browser implementation of `debug()`. - * - * Expose `debug()` as the module. - */ - -exports = module.exports = __webpack_require__(26); -exports.log = log; -exports.formatArgs = formatArgs; -exports.save = save; -exports.load = load; -exports.useColors = useColors; -exports.storage = 'undefined' != typeof chrome - && 'undefined' != typeof chrome.storage - ? chrome.storage.local - : localstorage(); - -/** - * Colors. - */ - -exports.colors = [ - '#0000CC', '#0000FF', '#0033CC', '#0033FF', '#0066CC', '#0066FF', '#0099CC', - '#0099FF', '#00CC00', '#00CC33', '#00CC66', '#00CC99', '#00CCCC', '#00CCFF', - '#3300CC', '#3300FF', '#3333CC', '#3333FF', '#3366CC', '#3366FF', '#3399CC', - '#3399FF', '#33CC00', '#33CC33', '#33CC66', '#33CC99', '#33CCCC', '#33CCFF', - '#6600CC', '#6600FF', '#6633CC', '#6633FF', '#66CC00', '#66CC33', '#9900CC', - '#9900FF', '#9933CC', '#9933FF', '#99CC00', '#99CC33', '#CC0000', '#CC0033', - '#CC0066', '#CC0099', '#CC00CC', '#CC00FF', '#CC3300', '#CC3333', '#CC3366', - '#CC3399', '#CC33CC', '#CC33FF', '#CC6600', '#CC6633', '#CC9900', '#CC9933', - '#CCCC00', '#CCCC33', '#FF0000', '#FF0033', '#FF0066', '#FF0099', '#FF00CC', - '#FF00FF', '#FF3300', '#FF3333', '#FF3366', '#FF3399', '#FF33CC', '#FF33FF', - '#FF6600', '#FF6633', '#FF9900', '#FF9933', '#FFCC00', '#FFCC33' -]; - -/** - * Currently only WebKit-based Web Inspectors, Firefox >= v31, - * and the Firebug extension (any Firefox version) are known - * to support "%c" CSS customizations. - * - * TODO: add a `localStorage` variable to explicitly enable/disable colors - */ - -function useColors() { - // NB: In an Electron preload script, document will be defined but not fully - // initialized. Since we know we're in Chrome, we'll just detect this case - // explicitly - if (typeof window !== 'undefined' && window.process && window.process.type === 'renderer') { - return true; - } - - // Internet Explorer and Edge do not support colors. - if (typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/)) { - return false; - } - - // is webkit? http://stackoverflow.com/a/16459606/376773 - // document is undefined in react-native: https://github.com/facebook/react-native/pull/1632 - return (typeof document !== 'undefined' && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance) || - // is firebug? http://stackoverflow.com/a/398120/376773 - (typeof window !== 'undefined' && window.console && (window.console.firebug || (window.console.exception && window.console.table))) || - // is firefox >= v31? - // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages - (typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31) || - // double check webkit in userAgent just in case we are in a worker - (typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/)); -} - -/** - * Map %j to `JSON.stringify()`, since no Web Inspectors do that by default. - */ - -exports.formatters.j = function(v) { - try { - return JSON.stringify(v); - } catch (err) { - return '[UnexpectedJSONParseError]: ' + err.message; - } -}; - - -/** - * Colorize log arguments if enabled. - * - * @api public - */ - -function formatArgs(args) { - var useColors = this.useColors; - - args[0] = (useColors ? '%c' : '') - + this.namespace - + (useColors ? ' %c' : ' ') - + args[0] - + (useColors ? '%c ' : ' ') - + '+' + exports.humanize(this.diff); - - if (!useColors) return; - - var c = 'color: ' + this.color; - args.splice(1, 0, c, 'color: inherit') - - // the final "%c" is somewhat tricky, because there could be other - // arguments passed either before or after the %c, so we need to - // figure out the correct index to insert the CSS into - var index = 0; - var lastC = 0; - args[0].replace(/%[a-zA-Z%]/g, function(match) { - if ('%%' === match) return; - index++; - if ('%c' === match) { - // we only are interested in the *last* %c - // (the user may have provided their own) - lastC = index; - } - }); - - args.splice(lastC, 0, c); -} - -/** - * Invokes `console.log()` when available. - * No-op when `console.log` is not a "function". - * - * @api public - */ - -function log() { - // this hackery is required for IE8/9, where - // the `console.log` function doesn't have 'apply' - return 'object' === typeof console - && console.log - && Function.prototype.apply.call(console.log, console, arguments); -} - -/** - * Save `namespaces`. - * - * @param {String} namespaces - * @api private - */ - -function save(namespaces) { - try { - if (null == namespaces) { - exports.storage.removeItem('debug'); - } else { - exports.storage.debug = namespaces; - } - } catch(e) {} -} - -/** - * Load `namespaces`. - * - * @return {String} returns the previously persisted debug modes - * @api private - */ - -function load() { - var r; - try { - r = exports.storage.debug; - } catch(e) {} - - // If debug isn't set in LS, and we're in Electron, try to load $DEBUG - if (!r && typeof process !== 'undefined' && 'env' in process) { - r = process.env.DEBUG; - } - - return r; -} - -/** - * Enable namespaces listed in `localStorage.debug` initially. - */ - -exports.enable(load()); - -/** - * Localstorage attempts to return the localstorage. - * - * This is necessary because safari throws - * when a user disables cookies/localstorage - * and you attempt to access it. - * - * @return {LocalStorage} - * @api private - */ - -function localstorage() { - try { - return window.localStorage; - } catch (e) {} -} - - -/***/ }), -/* 66 */ -/***/ (function(module, exports) { - -/** - * Helpers. - */ - -var s = 1000; -var m = s * 60; -var h = m * 60; -var d = h * 24; -var y = d * 365.25; - -/** - * Parse or format the given `val`. - * - * Options: - * - * - `long` verbose formatting [false] - * - * @param {String|Number} val - * @param {Object} [options] - * @throws {Error} throw an error if val is not a non-empty string or a number - * @return {String|Number} - * @api public - */ - -module.exports = function(val, options) { - options = options || {}; - var type = typeof val; - if (type === 'string' && val.length > 0) { - return parse(val); - } else if (type === 'number' && isNaN(val) === false) { - return options.long ? fmtLong(val) : fmtShort(val); - } - throw new Error( - 'val is not a non-empty string or a valid number. val=' + - JSON.stringify(val) - ); -}; - -/** - * Parse the given `str` and return milliseconds. - * - * @param {String} str - * @return {Number} - * @api private - */ - -function parse(str) { - str = String(str); - if (str.length > 100) { - return; - } - var match = /^((?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|years?|yrs?|y)?$/i.exec( - str - ); - if (!match) { - return; - } - var n = parseFloat(match[1]); - var type = (match[2] || 'ms').toLowerCase(); - switch (type) { - case 'years': - case 'year': - case 'yrs': - case 'yr': - case 'y': - return n * y; - case 'days': - case 'day': - case 'd': - return n * d; - case 'hours': - case 'hour': - case 'hrs': - case 'hr': - case 'h': - return n * h; - case 'minutes': - case 'minute': - case 'mins': - case 'min': - case 'm': - return n * m; - case 'seconds': - case 'second': - case 'secs': - case 'sec': - case 's': - return n * s; - case 'milliseconds': - case 'millisecond': - case 'msecs': - case 'msec': - case 'ms': - return n; - default: - return undefined; - } -} - -/** - * Short format for `ms`. - * - * @param {Number} ms - * @return {String} - * @api private - */ - -function fmtShort(ms) { - if (ms >= d) { - return Math.round(ms / d) + 'd'; - } - if (ms >= h) { - return Math.round(ms / h) + 'h'; - } - if (ms >= m) { - return Math.round(ms / m) + 'm'; - } - if (ms >= s) { - return Math.round(ms / s) + 's'; - } - return ms + 'ms'; -} - -/** - * Long format for `ms`. - * - * @param {Number} ms - * @return {String} - * @api private - */ - -function fmtLong(ms) { - return plural(ms, d, 'day') || - plural(ms, h, 'hour') || - plural(ms, m, 'minute') || - plural(ms, s, 'second') || - ms + ' ms'; -} - -/** - * Pluralization helper. - */ - -function plural(ms, n, name) { - if (ms < n) { - return; - } - if (ms < n * 1.5) { - return Math.floor(ms / n) + ' ' + name; - } - return Math.ceil(ms / n) + ' ' + name + 's'; -} - - -/***/ }), -/* 67 */ -/***/ (function(module, exports, __webpack_require__) { - -/** - * Module dependencies. - */ - -var tty = __webpack_require__(27); -var util = __webpack_require__(1); - -/** - * This is the Node.js implementation of `debug()`. - * - * Expose `debug()` as the module. - */ - -exports = module.exports = __webpack_require__(26); -exports.init = init; -exports.log = log; -exports.formatArgs = formatArgs; -exports.save = save; -exports.load = load; -exports.useColors = useColors; - -/** - * Colors. - */ - -exports.colors = [ 6, 2, 3, 4, 5, 1 ]; - -try { - var supportsColor = __webpack_require__(28); - if (supportsColor && supportsColor.level >= 2) { - exports.colors = [ - 20, 21, 26, 27, 32, 33, 38, 39, 40, 41, 42, 43, 44, 45, 56, 57, 62, 63, 68, - 69, 74, 75, 76, 77, 78, 79, 80, 81, 92, 93, 98, 99, 112, 113, 128, 129, 134, - 135, 148, 149, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, - 172, 173, 178, 179, 184, 185, 196, 197, 198, 199, 200, 201, 202, 203, 204, - 205, 206, 207, 208, 209, 214, 215, 220, 221 - ]; - } -} catch (err) { - // swallow - we only care if `supports-color` is available; it doesn't have to be. -} - -/** - * Build up the default `inspectOpts` object from the environment variables. - * - * $ DEBUG_COLORS=no DEBUG_DEPTH=10 DEBUG_SHOW_HIDDEN=enabled node script.js - */ - -exports.inspectOpts = Object.keys(process.env).filter(function (key) { - return /^debug_/i.test(key); -}).reduce(function (obj, key) { - // camel-case - var prop = key - .substring(6) - .toLowerCase() - .replace(/_([a-z])/g, function (_, k) { return k.toUpperCase() }); - - // coerce string value into JS value - var val = process.env[key]; - if (/^(yes|on|true|enabled)$/i.test(val)) val = true; - else if (/^(no|off|false|disabled)$/i.test(val)) val = false; - else if (val === 'null') val = null; - else val = Number(val); - - obj[prop] = val; - return obj; -}, {}); - -/** - * Is stdout a TTY? Colored output is enabled when `true`. - */ - -function useColors() { - return 'colors' in exports.inspectOpts - ? Boolean(exports.inspectOpts.colors) - : tty.isatty(process.stderr.fd); -} - -/** - * Map %o to `util.inspect()`, all on a single line. - */ - -exports.formatters.o = function(v) { - this.inspectOpts.colors = this.useColors; - return util.inspect(v, this.inspectOpts) - .split('\n').map(function(str) { - return str.trim() - }).join(' '); -}; - -/** - * Map %o to `util.inspect()`, allowing multiple lines if needed. - */ - -exports.formatters.O = function(v) { - this.inspectOpts.colors = this.useColors; - return util.inspect(v, this.inspectOpts); -}; - -/** - * Adds ANSI color escape codes if enabled. - * - * @api public - */ - -function formatArgs(args) { - var name = this.namespace; - var useColors = this.useColors; - - if (useColors) { - var c = this.color; - var colorCode = '\u001b[3' + (c < 8 ? c : '8;5;' + c); - var prefix = ' ' + colorCode + ';1m' + name + ' ' + '\u001b[0m'; - - args[0] = prefix + args[0].split('\n').join('\n' + prefix); - args.push(colorCode + 'm+' + exports.humanize(this.diff) + '\u001b[0m'); - } else { - args[0] = getDate() + name + ' ' + args[0]; - } -} - -function getDate() { - if (exports.inspectOpts.hideDate) { - return ''; - } else { - return new Date().toISOString() + ' '; - } -} - -/** - * Invokes `util.format()` with the specified arguments and writes to stderr. - */ - -function log() { - return process.stderr.write(util.format.apply(util, arguments) + '\n'); -} - -/** - * Save `namespaces`. - * - * @param {String} namespaces - * @api private - */ - -function save(namespaces) { - if (null == namespaces) { - // If you set a process.env field to null or undefined, it gets cast to the - // string 'null' or 'undefined'. Just delete instead. - delete process.env.DEBUG; - } else { - process.env.DEBUG = namespaces; - } -} - -/** - * Load `namespaces`. - * - * @return {String} returns the previously persisted debug modes - * @api private - */ - -function load() { - return process.env.DEBUG; -} - -/** - * Init logic for `debug` instances. - * - * Create a new `inspectOpts` object in case `useColors` is set - * differently for a particular `debug` instance. - */ - -function init (debug) { - debug.inspectOpts = {}; - - var keys = Object.keys(exports.inspectOpts); - for (var i = 0; i < keys.length; i++) { - debug.inspectOpts[keys[i]] = exports.inspectOpts[keys[i]]; - } -} - -/** - * Enable namespaces listed in `process.env.DEBUG` initially. - */ - -exports.enable(load()); - - -/***/ }), -/* 68 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -module.exports = (flag, argv) => { - argv = argv || process.argv; - const prefix = flag.startsWith('-') ? '' : (flag.length === 1 ? '-' : '--'); - const pos = argv.indexOf(prefix + flag); - const terminatorPos = argv.indexOf('--'); - return pos !== -1 && (terminatorPos === -1 ? true : pos < terminatorPos); -}; - - -/***/ }), -/* 69 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * ee-first - * Copyright(c) 2014 Jonathan Ong - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = first - -/** - * Get the first event in a set of event emitters and event pairs. - * - * @param {array} stuff - * @param {function} done - * @public - */ - -function first(stuff, done) { - if (!Array.isArray(stuff)) - throw new TypeError('arg must be an array of [ee, events...] arrays') - - var cleanups = [] - - for (var i = 0; i < stuff.length; i++) { - var arr = stuff[i] - - if (!Array.isArray(arr) || arr.length < 2) - throw new TypeError('each array member must be [ee, events...]') - - var ee = arr[0] - - for (var j = 1; j < arr.length; j++) { - var event = arr[j] - var fn = listener(event, callback) - - // listen to the event - ee.on(event, fn) - // push this listener to the list of cleanups - cleanups.push({ - ee: ee, - event: event, - fn: fn, - }) - } - } - - function callback() { - cleanup() - done.apply(null, arguments) - } - - function cleanup() { - var x - for (var i = 0; i < cleanups.length; i++) { - x = cleanups[i] - x.ee.removeListener(x.event, x.fn) - } - } - - function thunk(fn) { - done = fn - } - - thunk.cancel = cleanup - - return thunk -} - -/** - * Create the event listener. - * @private - */ - -function listener(event, done) { - return function onevent(arg1) { - var args = new Array(arguments.length) - var ee = this - var err = event === 'error' - ? arg1 - : null - - // copy args to prevent arguments escaping scope - for (var i = 0; i < args.length; i++) { - args[i] = arguments[i] - } - - done(err, ee, event, args) - } -} - - -/***/ }), -/* 70 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - - -/** - * Module dependencies. - */ - -const contentDisposition = __webpack_require__(71); -const getType = __webpack_require__(73); -const onFinish = __webpack_require__(30); -const escape = __webpack_require__(77); -const typeis = __webpack_require__(13).is; -const statuses = __webpack_require__(6); -const destroy = __webpack_require__(80); -const assert = __webpack_require__(10); -const extname = __webpack_require__(0).extname; -const vary = __webpack_require__(81); -const only = __webpack_require__(14); -const util = __webpack_require__(1); -const encodeUrl = __webpack_require__(82); -const Stream = __webpack_require__(3); - -/** - * Prototype. - */ - -module.exports = { - - /** - * Return the request socket. - * - * @return {Connection} - * @api public - */ - - get socket() { - return this.res.socket; - }, - - /** - * Return response header. - * - * @return {Object} - * @api public - */ - - get header() { - const { res } = this; - return typeof res.getHeaders === 'function' - ? res.getHeaders() - : res._headers || {}; // Node < 7.7 - }, - - /** - * Return response header, alias as response.header - * - * @return {Object} - * @api public - */ - - get headers() { - return this.header; - }, - - /** - * Get response status code. - * - * @return {Number} - * @api public - */ - - get status() { - return this.res.statusCode; - }, - - /** - * Set response status code. - * - * @param {Number} code - * @api public - */ - - set status(code) { - if (this.headerSent) return; - - assert(Number.isInteger(code), 'status code must be a number'); - assert(code >= 100 && code <= 999, `invalid status code: ${code}`); - this._explicitStatus = true; - this.res.statusCode = code; - if (this.req.httpVersionMajor < 2) this.res.statusMessage = statuses[code]; - if (this.body && statuses.empty[code]) this.body = null; - }, - - /** - * Get response status message - * - * @return {String} - * @api public - */ - - get message() { - return this.res.statusMessage || statuses[this.status]; - }, - - /** - * Set response status message - * - * @param {String} msg - * @api public - */ - - set message(msg) { - this.res.statusMessage = msg; - }, - - /** - * Get response body. - * - * @return {Mixed} - * @api public - */ - - get body() { - return this._body; - }, - - /** - * Set response body. - * - * @param {String|Buffer|Object|Stream} val - * @api public - */ - - set body(val) { - const original = this._body; - this._body = val; - - // no content - if (null == val) { - if (!statuses.empty[this.status]) this.status = 204; - if (val === null) this._explicitNullBody = true; - this.remove('Content-Type'); - this.remove('Content-Length'); - this.remove('Transfer-Encoding'); - return; - } - - // set the status - if (!this._explicitStatus) this.status = 200; - - // set the content-type only if not yet set - const setType = !this.has('Content-Type'); - - // string - if ('string' === typeof val) { - if (setType) this.type = /^\s* this.ctx.onerror(err)); - // overwriting - if (null != original) this.remove('Content-Length'); - } - - if (setType) this.type = 'bin'; - return; - } - - // json - this.remove('Content-Length'); - this.type = 'json'; - }, - - /** - * Set Content-Length field to `n`. - * - * @param {Number} n - * @api public - */ - - set length(n) { - this.set('Content-Length', n); - }, - - /** - * Return parsed response Content-Length when present. - * - * @return {Number} - * @api public - */ - - get length() { - if (this.has('Content-Length')) { - return parseInt(this.get('Content-Length'), 10) || 0; - } - - const { body } = this; - if (!body || body instanceof Stream) return undefined; - if ('string' === typeof body) return Buffer.byteLength(body); - if (Buffer.isBuffer(body)) return body.length; - return Buffer.byteLength(JSON.stringify(body)); - }, - - /** - * Check if a header has been written to the socket. - * - * @return {Boolean} - * @api public - */ - - get headerSent() { - return this.res.headersSent; - }, - - /** - * Vary on `field`. - * - * @param {String} field - * @api public - */ - - vary(field) { - if (this.headerSent) return; - - vary(this.res, field); - }, - - /** - * Perform a 302 redirect to `url`. - * - * The string "back" is special-cased - * to provide Referrer support, when Referrer - * is not present `alt` or "/" is used. - * - * Examples: - * - * this.redirect('back'); - * this.redirect('back', '/index.html'); - * this.redirect('/login'); - * this.redirect('http://google.com'); - * - * @param {String} url - * @param {String} [alt] - * @api public - */ - - redirect(url, alt) { - // location - if ('back' === url) url = this.ctx.get('Referrer') || alt || '/'; - this.set('Location', encodeUrl(url)); - - // status - if (!statuses.redirect[this.status]) this.status = 302; - - // html - if (this.ctx.accepts('html')) { - url = escape(url); - this.type = 'text/html; charset=utf-8'; - this.body = `Redirecting to ${url}.`; - return; - } - - // text - this.type = 'text/plain; charset=utf-8'; - this.body = `Redirecting to ${url}.`; - }, - - /** - * Set Content-Disposition header to "attachment" with optional `filename`. - * - * @param {String} filename - * @api public - */ - - attachment(filename, options) { - if (filename) this.type = extname(filename); - this.set('Content-Disposition', contentDisposition(filename, options)); - }, - - /** - * Set Content-Type response header with `type` through `mime.lookup()` - * when it does not contain a charset. - * - * Examples: - * - * this.type = '.html'; - * this.type = 'html'; - * this.type = 'json'; - * this.type = 'application/json'; - * this.type = 'png'; - * - * @param {String} type - * @api public - */ - - set type(type) { - type = getType(type); - if (type) { - this.set('Content-Type', type); - } else { - this.remove('Content-Type'); - } - }, - - /** - * Set the Last-Modified date using a string or a Date. - * - * this.response.lastModified = new Date(); - * this.response.lastModified = '2013-09-13'; - * - * @param {String|Date} type - * @api public - */ - - set lastModified(val) { - if ('string' === typeof val) val = new Date(val); - this.set('Last-Modified', val.toUTCString()); - }, - - /** - * Get the Last-Modified date in Date form, if it exists. - * - * @return {Date} - * @api public - */ - - get lastModified() { - const date = this.get('last-modified'); - if (date) return new Date(date); - }, - - /** - * Set the ETag of a response. - * This will normalize the quotes if necessary. - * - * this.response.etag = 'md5hashsum'; - * this.response.etag = '"md5hashsum"'; - * this.response.etag = 'W/"123456789"'; - * - * @param {String} etag - * @api public - */ - - set etag(val) { - if (!/^(W\/)?"/.test(val)) val = `"${val}"`; - this.set('ETag', val); - }, - - /** - * Get the ETag of a response. - * - * @return {String} - * @api public - */ - - get etag() { - return this.get('ETag'); - }, - - /** - * Return the response mime type void of - * parameters such as "charset". - * - * @return {String} - * @api public - */ - - get type() { - const type = this.get('Content-Type'); - if (!type) return ''; - return type.split(';', 1)[0]; - }, - - /** - * Check whether the response is one of the listed types. - * Pretty much the same as `this.request.is()`. - * - * @param {String|String[]} [type] - * @param {String[]} [types] - * @return {String|false} - * @api public - */ - - is(type, ...types) { - return typeis(this.type, type, ...types); - }, - - /** - * Return response header. - * - * Examples: - * - * this.get('Content-Type'); - * // => "text/plain" - * - * this.get('content-type'); - * // => "text/plain" - * - * @param {String} field - * @return {String} - * @api public - */ - - get(field) { - return this.header[field.toLowerCase()] || ''; - }, - - /** - * Returns true if the header identified by name is currently set in the outgoing headers. - * The header name matching is case-insensitive. - * - * Examples: - * - * this.has('Content-Type'); - * // => true - * - * this.get('content-type'); - * // => true - * - * @param {String} field - * @return {boolean} - * @api public - */ - - has(field) { - return typeof this.res.hasHeader === 'function' - ? this.res.hasHeader(field) - // Node < 7.7 - : field.toLowerCase() in this.headers; - }, - - /** - * Set header `field` to `val` or pass - * an object of header fields. - * - * Examples: - * - * this.set('Foo', ['bar', 'baz']); - * this.set('Accept', 'application/json'); - * this.set({ Accept: 'text/plain', 'X-API-Key': 'tobi' }); - * - * @param {String|Object|Array} field - * @param {String} val - * @api public - */ - - set(field, val) { - if (this.headerSent) return; - - if (2 === arguments.length) { - if (Array.isArray(val)) val = val.map(v => typeof v === 'string' ? v : String(v)); - else if (typeof val !== 'string') val = String(val); - this.res.setHeader(field, val); - } else { - for (const key in field) { - this.set(key, field[key]); - } - } - }, - - /** - * Append additional header `field` with value `val`. - * - * Examples: - * - * ``` - * this.append('Link', ['', '']); - * this.append('Set-Cookie', 'foo=bar; Path=/; HttpOnly'); - * this.append('Warning', '199 Miscellaneous warning'); - * ``` - * - * @param {String} field - * @param {String|Array} val - * @api public - */ - - append(field, val) { - const prev = this.get(field); - - if (prev) { - val = Array.isArray(prev) - ? prev.concat(val) - : [prev].concat(val); - } - - return this.set(field, val); - }, - - /** - * Remove header `field`. - * - * @param {String} name - * @api public - */ - - remove(field) { - if (this.headerSent) return; - - this.res.removeHeader(field); - }, - - /** - * Checks if the request is writable. - * Tests for the existence of the socket - * as node sometimes does not set it. - * - * @return {Boolean} - * @api private - */ - - get writable() { - // can't write any more after response finished - // response.writableEnded is available since Node > 12.9 - // https://nodejs.org/api/http.html#http_response_writableended - // response.finished is undocumented feature of previous Node versions - // https://stackoverflow.com/questions/16254385/undocumented-response-finished-in-node-js - if (this.res.writableEnded || this.res.finished) return false; - - const socket = this.res.socket; - // There are already pending outgoing res, but still writable - // https://github.com/nodejs/node/blob/v4.4.7/lib/_http_server.js#L486 - if (!socket) return true; - return socket.writable; - }, - - /** - * Inspect implementation. - * - * @return {Object} - * @api public - */ - - inspect() { - if (!this.res) return; - const o = this.toJSON(); - o.body = this.body; - return o; - }, - - /** - * Return JSON representation. - * - * @return {Object} - * @api public - */ - - toJSON() { - return only(this, [ - 'status', - 'message', - 'header' - ]); - }, - - /** - * Flush any set headers and begin the body - */ - - flushHeaders() { - this.res.flushHeaders(); - } -}; - -/** - * Custom inspection implementation for node 6+. - * - * @return {Object} - * @api public - */ - -/* istanbul ignore else */ -if (util.inspect.custom) { - module.exports[util.inspect.custom] = module.exports.inspect; -} - - -/***/ }), -/* 71 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * content-disposition - * Copyright(c) 2014-2017 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = contentDisposition -module.exports.parse = parse - -/** - * Module dependencies. - * @private - */ - -var basename = __webpack_require__(0).basename -var Buffer = __webpack_require__(72).Buffer - -/** - * RegExp to match non attr-char, *after* encodeURIComponent (i.e. not including "%") - * @private - */ - -var ENCODE_URL_ATTR_CHAR_REGEXP = /[\x00-\x20"'()*,/:;<=>?@[\\\]{}\x7f]/g // eslint-disable-line no-control-regex - -/** - * RegExp to match percent encoding escape. - * @private - */ - -var HEX_ESCAPE_REGEXP = /%[0-9A-Fa-f]{2}/ -var HEX_ESCAPE_REPLACE_REGEXP = /%([0-9A-Fa-f]{2})/g - -/** - * RegExp to match non-latin1 characters. - * @private - */ - -var NON_LATIN1_REGEXP = /[^\x20-\x7e\xa0-\xff]/g - -/** - * RegExp to match quoted-pair in RFC 2616 - * - * quoted-pair = "\" CHAR - * CHAR = - * @private - */ - -var QESC_REGEXP = /\\([\u0000-\u007f])/g // eslint-disable-line no-control-regex - -/** - * RegExp to match chars that must be quoted-pair in RFC 2616 - * @private - */ - -var QUOTE_REGEXP = /([\\"])/g - -/** - * RegExp for various RFC 2616 grammar - * - * parameter = token "=" ( token | quoted-string ) - * token = 1* - * separators = "(" | ")" | "<" | ">" | "@" - * | "," | ";" | ":" | "\" | <"> - * | "/" | "[" | "]" | "?" | "=" - * | "{" | "}" | SP | HT - * quoted-string = ( <"> *(qdtext | quoted-pair ) <"> ) - * qdtext = > - * quoted-pair = "\" CHAR - * CHAR = - * TEXT = - * LWS = [CRLF] 1*( SP | HT ) - * CRLF = CR LF - * CR = - * LF = - * SP = - * HT = - * CTL = - * OCTET = - * @private - */ - -var PARAM_REGEXP = /;[\x09\x20]*([!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*=[\x09\x20]*("(?:[\x20!\x23-\x5b\x5d-\x7e\x80-\xff]|\\[\x20-\x7e])*"|[!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*/g // eslint-disable-line no-control-regex -var TEXT_REGEXP = /^[\x20-\x7e\x80-\xff]+$/ -var TOKEN_REGEXP = /^[!#$%&'*+.0-9A-Z^_`a-z|~-]+$/ - -/** - * RegExp for various RFC 5987 grammar - * - * ext-value = charset "'" [ language ] "'" value-chars - * charset = "UTF-8" / "ISO-8859-1" / mime-charset - * mime-charset = 1*mime-charsetc - * mime-charsetc = ALPHA / DIGIT - * / "!" / "#" / "$" / "%" / "&" - * / "+" / "-" / "^" / "_" / "`" - * / "{" / "}" / "~" - * language = ( 2*3ALPHA [ extlang ] ) - * / 4ALPHA - * / 5*8ALPHA - * extlang = *3( "-" 3ALPHA ) - * value-chars = *( pct-encoded / attr-char ) - * pct-encoded = "%" HEXDIG HEXDIG - * attr-char = ALPHA / DIGIT - * / "!" / "#" / "$" / "&" / "+" / "-" / "." - * / "^" / "_" / "`" / "|" / "~" - * @private - */ - -var EXT_VALUE_REGEXP = /^([A-Za-z0-9!#$%&+\-^_`{}~]+)'(?:[A-Za-z]{2,3}(?:-[A-Za-z]{3}){0,3}|[A-Za-z]{4,8}|)'((?:%[0-9A-Fa-f]{2}|[A-Za-z0-9!#$&+.^_`|~-])+)$/ - -/** - * RegExp for various RFC 6266 grammar - * - * disposition-type = "inline" | "attachment" | disp-ext-type - * disp-ext-type = token - * disposition-parm = filename-parm | disp-ext-parm - * filename-parm = "filename" "=" value - * | "filename*" "=" ext-value - * disp-ext-parm = token "=" value - * | ext-token "=" ext-value - * ext-token = - * @private - */ - -var DISPOSITION_TYPE_REGEXP = /^([!#$%&'*+.0-9A-Z^_`a-z|~-]+)[\x09\x20]*(?:$|;)/ // eslint-disable-line no-control-regex - -/** - * Create an attachment Content-Disposition header. - * - * @param {string} [filename] - * @param {object} [options] - * @param {string} [options.type=attachment] - * @param {string|boolean} [options.fallback=true] - * @return {string} - * @public - */ - -function contentDisposition (filename, options) { - var opts = options || {} - - // get type - var type = opts.type || 'attachment' - - // get parameters - var params = createparams(filename, opts.fallback) - - // format into string - return format(new ContentDisposition(type, params)) -} - -/** - * Create parameters object from filename and fallback. - * - * @param {string} [filename] - * @param {string|boolean} [fallback=true] - * @return {object} - * @private - */ - -function createparams (filename, fallback) { - if (filename === undefined) { - return - } - - var params = {} - - if (typeof filename !== 'string') { - throw new TypeError('filename must be a string') - } - - // fallback defaults to true - if (fallback === undefined) { - fallback = true - } - - if (typeof fallback !== 'string' && typeof fallback !== 'boolean') { - throw new TypeError('fallback must be a string or boolean') - } - - if (typeof fallback === 'string' && NON_LATIN1_REGEXP.test(fallback)) { - throw new TypeError('fallback must be ISO-8859-1 string') - } - - // restrict to file base name - var name = basename(filename) - - // determine if name is suitable for quoted string - var isQuotedString = TEXT_REGEXP.test(name) - - // generate fallback name - var fallbackName = typeof fallback !== 'string' - ? fallback && getlatin1(name) - : basename(fallback) - var hasFallback = typeof fallbackName === 'string' && fallbackName !== name - - // set extended filename parameter - if (hasFallback || !isQuotedString || HEX_ESCAPE_REGEXP.test(name)) { - params['filename*'] = name - } - - // set filename parameter - if (isQuotedString || hasFallback) { - params.filename = hasFallback - ? fallbackName - : name - } - - return params -} - -/** - * Format object to Content-Disposition header. - * - * @param {object} obj - * @param {string} obj.type - * @param {object} [obj.parameters] - * @return {string} - * @private - */ - -function format (obj) { - var parameters = obj.parameters - var type = obj.type - - if (!type || typeof type !== 'string' || !TOKEN_REGEXP.test(type)) { - throw new TypeError('invalid type') - } - - // start with normalized type - var string = String(type).toLowerCase() - - // append parameters - if (parameters && typeof parameters === 'object') { - var param - var params = Object.keys(parameters).sort() - - for (var i = 0; i < params.length; i++) { - param = params[i] - - var val = param.substr(-1) === '*' - ? ustring(parameters[param]) - : qstring(parameters[param]) - - string += '; ' + param + '=' + val - } - } - - return string -} - -/** - * Decode a RFC 6987 field value (gracefully). - * - * @param {string} str - * @return {string} - * @private - */ - -function decodefield (str) { - var match = EXT_VALUE_REGEXP.exec(str) - - if (!match) { - throw new TypeError('invalid extended field value') - } - - var charset = match[1].toLowerCase() - var encoded = match[2] - var value - - // to binary string - var binary = encoded.replace(HEX_ESCAPE_REPLACE_REGEXP, pdecode) - - switch (charset) { - case 'iso-8859-1': - value = getlatin1(binary) - break - case 'utf-8': - value = Buffer.from(binary, 'binary').toString('utf8') - break - default: - throw new TypeError('unsupported charset in extended field') - } - - return value -} - -/** - * Get ISO-8859-1 version of string. - * - * @param {string} val - * @return {string} - * @private - */ - -function getlatin1 (val) { - // simple Unicode -> ISO-8859-1 transformation - return String(val).replace(NON_LATIN1_REGEXP, '?') -} - -/** - * Parse Content-Disposition header string. - * - * @param {string} string - * @return {object} - * @public - */ - -function parse (string) { - if (!string || typeof string !== 'string') { - throw new TypeError('argument string is required') - } - - var match = DISPOSITION_TYPE_REGEXP.exec(string) - - if (!match) { - throw new TypeError('invalid type format') - } - - // normalize type - var index = match[0].length - var type = match[1].toLowerCase() - - var key - var names = [] - var params = {} - var value - - // calculate index to start at - index = PARAM_REGEXP.lastIndex = match[0].substr(-1) === ';' - ? index - 1 - : index - - // match parameters - while ((match = PARAM_REGEXP.exec(string))) { - if (match.index !== index) { - throw new TypeError('invalid parameter format') - } - - index += match[0].length - key = match[1].toLowerCase() - value = match[2] - - if (names.indexOf(key) !== -1) { - throw new TypeError('invalid duplicate parameter') - } - - names.push(key) - - if (key.indexOf('*') + 1 === key.length) { - // decode extended value - key = key.slice(0, -1) - value = decodefield(value) - - // overwrite existing value - params[key] = value - continue - } - - if (typeof params[key] === 'string') { - continue - } - - if (value[0] === '"') { - // remove quotes and escapes - value = value - .substr(1, value.length - 2) - .replace(QESC_REGEXP, '$1') - } - - params[key] = value - } - - if (index !== -1 && index !== string.length) { - throw new TypeError('invalid parameter format') - } - - return new ContentDisposition(type, params) -} - -/** - * Percent decode a single character. - * - * @param {string} str - * @param {string} hex - * @return {string} - * @private - */ - -function pdecode (str, hex) { - return String.fromCharCode(parseInt(hex, 16)) -} - -/** - * Percent encode a single character. - * - * @param {string} char - * @return {string} - * @private - */ - -function pencode (char) { - return '%' + String(char) - .charCodeAt(0) - .toString(16) - .toUpperCase() -} - -/** - * Quote a string for HTTP. - * - * @param {string} val - * @return {string} - * @private - */ - -function qstring (val) { - var str = String(val) - - return '"' + str.replace(QUOTE_REGEXP, '\\$1') + '"' -} - -/** - * Encode a Unicode string for HTTP (RFC 5987). - * - * @param {string} val - * @return {string} - * @private - */ - -function ustring (val) { - var str = String(val) - - // percent encode as UTF-8 - var encoded = encodeURIComponent(str) - .replace(ENCODE_URL_ATTR_CHAR_REGEXP, pencode) - - return 'UTF-8\'\'' + encoded -} - -/** - * Class for parsed Content-Disposition header for v8 optimization - * - * @public - * @param {string} type - * @param {object} parameters - * @constructor - */ - -function ContentDisposition (type, parameters) { - this.type = type - this.parameters = parameters -} - - -/***/ }), -/* 72 */ -/***/ (function(module, exports, __webpack_require__) { - -/* eslint-disable node/no-deprecated-api */ -var buffer = __webpack_require__(4) -var Buffer = buffer.Buffer - -// alternative to using Object.keys for old browsers -function copyProps (src, dst) { - for (var key in src) { - dst[key] = src[key] - } -} -if (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) { - module.exports = buffer -} else { - // Copy properties from require('buffer') - copyProps(buffer, exports) - exports.Buffer = SafeBuffer -} - -function SafeBuffer (arg, encodingOrOffset, length) { - return Buffer(arg, encodingOrOffset, length) -} - -// Copy static methods from Buffer -copyProps(Buffer, SafeBuffer) - -SafeBuffer.from = function (arg, encodingOrOffset, length) { - if (typeof arg === 'number') { - throw new TypeError('Argument must not be a number') - } - return Buffer(arg, encodingOrOffset, length) -} - -SafeBuffer.alloc = function (size, fill, encoding) { - if (typeof size !== 'number') { - throw new TypeError('Argument must be a number') - } - var buf = Buffer(size) - if (fill !== undefined) { - if (typeof encoding === 'string') { - buf.fill(fill, encoding) - } else { - buf.fill(fill) - } - } else { - buf.fill(0) - } - return buf -} - -SafeBuffer.allocUnsafe = function (size) { - if (typeof size !== 'number') { - throw new TypeError('Argument must be a number') - } - return Buffer(size) -} - -SafeBuffer.allocUnsafeSlow = function (size) { - if (typeof size !== 'number') { - throw new TypeError('Argument must be a number') - } - return buffer.SlowBuffer(size) -} - - -/***/ }), -/* 73 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -const mimeTypes = __webpack_require__(12); -const LRU = __webpack_require__(76); - -const typeLRUCache = new LRU(100); - -module.exports = type => { - let mimeType = typeLRUCache.get(type); - if (!mimeType) { - mimeType = mimeTypes.contentType(type); - typeLRUCache.set(type, mimeType); - } - return mimeType; -}; - - -/***/ }), -/* 74 */ -/***/ (function(module, exports, __webpack_require__) { - -/*! - * mime-db - * Copyright(c) 2014 Jonathan Ong - * MIT Licensed - */ - -/** - * Module exports. - */ - -module.exports = __webpack_require__(75) - - -/***/ }), -/* 75 */ -/***/ (function(module) { - -module.exports = {"application/1d-interleaved-parityfec":{"source":"iana"},"application/3gpdash-qoe-report+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/3gpp-ims+xml":{"source":"iana","compressible":true},"application/a2l":{"source":"iana"},"application/activemessage":{"source":"iana"},"application/activity+json":{"source":"iana","compressible":true},"application/alto-costmap+json":{"source":"iana","compressible":true},"application/alto-costmapfilter+json":{"source":"iana","compressible":true},"application/alto-directory+json":{"source":"iana","compressible":true},"application/alto-endpointcost+json":{"source":"iana","compressible":true},"application/alto-endpointcostparams+json":{"source":"iana","compressible":true},"application/alto-endpointprop+json":{"source":"iana","compressible":true},"application/alto-endpointpropparams+json":{"source":"iana","compressible":true},"application/alto-error+json":{"source":"iana","compressible":true},"application/alto-networkmap+json":{"source":"iana","compressible":true},"application/alto-networkmapfilter+json":{"source":"iana","compressible":true},"application/alto-updatestreamcontrol+json":{"source":"iana","compressible":true},"application/alto-updatestreamparams+json":{"source":"iana","compressible":true},"application/aml":{"source":"iana"},"application/andrew-inset":{"source":"iana","extensions":["ez"]},"application/applefile":{"source":"iana"},"application/applixware":{"source":"apache","extensions":["aw"]},"application/atf":{"source":"iana"},"application/atfx":{"source":"iana"},"application/atom+xml":{"source":"iana","compressible":true,"extensions":["atom"]},"application/atomcat+xml":{"source":"iana","compressible":true,"extensions":["atomcat"]},"application/atomdeleted+xml":{"source":"iana","compressible":true,"extensions":["atomdeleted"]},"application/atomicmail":{"source":"iana"},"application/atomsvc+xml":{"source":"iana","compressible":true,"extensions":["atomsvc"]},"application/atsc-dwd+xml":{"source":"iana","compressible":true,"extensions":["dwd"]},"application/atsc-dynamic-event-message":{"source":"iana"},"application/atsc-held+xml":{"source":"iana","compressible":true,"extensions":["held"]},"application/atsc-rdt+json":{"source":"iana","compressible":true},"application/atsc-rsat+xml":{"source":"iana","compressible":true,"extensions":["rsat"]},"application/atxml":{"source":"iana"},"application/auth-policy+xml":{"source":"iana","compressible":true},"application/bacnet-xdd+zip":{"source":"iana","compressible":false},"application/batch-smtp":{"source":"iana"},"application/bdoc":{"compressible":false,"extensions":["bdoc"]},"application/beep+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/calendar+json":{"source":"iana","compressible":true},"application/calendar+xml":{"source":"iana","compressible":true,"extensions":["xcs"]},"application/call-completion":{"source":"iana"},"application/cals-1840":{"source":"iana"},"application/captive+json":{"source":"iana","compressible":true},"application/cbor":{"source":"iana"},"application/cbor-seq":{"source":"iana"},"application/cccex":{"source":"iana"},"application/ccmp+xml":{"source":"iana","compressible":true},"application/ccxml+xml":{"source":"iana","compressible":true,"extensions":["ccxml"]},"application/cdfx+xml":{"source":"iana","compressible":true,"extensions":["cdfx"]},"application/cdmi-capability":{"source":"iana","extensions":["cdmia"]},"application/cdmi-container":{"source":"iana","extensions":["cdmic"]},"application/cdmi-domain":{"source":"iana","extensions":["cdmid"]},"application/cdmi-object":{"source":"iana","extensions":["cdmio"]},"application/cdmi-queue":{"source":"iana","extensions":["cdmiq"]},"application/cdni":{"source":"iana"},"application/cea":{"source":"iana"},"application/cea-2018+xml":{"source":"iana","compressible":true},"application/cellml+xml":{"source":"iana","compressible":true},"application/cfw":{"source":"iana"},"application/clue+xml":{"source":"iana","compressible":true},"application/clue_info+xml":{"source":"iana","compressible":true},"application/cms":{"source":"iana"},"application/cnrp+xml":{"source":"iana","compressible":true},"application/coap-group+json":{"source":"iana","compressible":true},"application/coap-payload":{"source":"iana"},"application/commonground":{"source":"iana"},"application/conference-info+xml":{"source":"iana","compressible":true},"application/cose":{"source":"iana"},"application/cose-key":{"source":"iana"},"application/cose-key-set":{"source":"iana"},"application/cpl+xml":{"source":"iana","compressible":true},"application/csrattrs":{"source":"iana"},"application/csta+xml":{"source":"iana","compressible":true},"application/cstadata+xml":{"source":"iana","compressible":true},"application/csvm+json":{"source":"iana","compressible":true},"application/cu-seeme":{"source":"apache","extensions":["cu"]},"application/cwt":{"source":"iana"},"application/cybercash":{"source":"iana"},"application/dart":{"compressible":true},"application/dash+xml":{"source":"iana","compressible":true,"extensions":["mpd"]},"application/dashdelta":{"source":"iana"},"application/davmount+xml":{"source":"iana","compressible":true,"extensions":["davmount"]},"application/dca-rft":{"source":"iana"},"application/dcd":{"source":"iana"},"application/dec-dx":{"source":"iana"},"application/dialog-info+xml":{"source":"iana","compressible":true},"application/dicom":{"source":"iana"},"application/dicom+json":{"source":"iana","compressible":true},"application/dicom+xml":{"source":"iana","compressible":true},"application/dii":{"source":"iana"},"application/dit":{"source":"iana"},"application/dns":{"source":"iana"},"application/dns+json":{"source":"iana","compressible":true},"application/dns-message":{"source":"iana"},"application/docbook+xml":{"source":"apache","compressible":true,"extensions":["dbk"]},"application/dots+cbor":{"source":"iana"},"application/dskpp+xml":{"source":"iana","compressible":true},"application/dssc+der":{"source":"iana","extensions":["dssc"]},"application/dssc+xml":{"source":"iana","compressible":true,"extensions":["xdssc"]},"application/dvcs":{"source":"iana"},"application/ecmascript":{"source":"iana","compressible":true,"extensions":["ecma","es"]},"application/edi-consent":{"source":"iana"},"application/edi-x12":{"source":"iana","compressible":false},"application/edifact":{"source":"iana","compressible":false},"application/efi":{"source":"iana"},"application/emergencycalldata.cap+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/emergencycalldata.comment+xml":{"source":"iana","compressible":true},"application/emergencycalldata.control+xml":{"source":"iana","compressible":true},"application/emergencycalldata.deviceinfo+xml":{"source":"iana","compressible":true},"application/emergencycalldata.ecall.msd":{"source":"iana"},"application/emergencycalldata.providerinfo+xml":{"source":"iana","compressible":true},"application/emergencycalldata.serviceinfo+xml":{"source":"iana","compressible":true},"application/emergencycalldata.subscriberinfo+xml":{"source":"iana","compressible":true},"application/emergencycalldata.veds+xml":{"source":"iana","compressible":true},"application/emma+xml":{"source":"iana","compressible":true,"extensions":["emma"]},"application/emotionml+xml":{"source":"iana","compressible":true,"extensions":["emotionml"]},"application/encaprtp":{"source":"iana"},"application/epp+xml":{"source":"iana","compressible":true},"application/epub+zip":{"source":"iana","compressible":false,"extensions":["epub"]},"application/eshop":{"source":"iana"},"application/exi":{"source":"iana","extensions":["exi"]},"application/expect-ct-report+json":{"source":"iana","compressible":true},"application/fastinfoset":{"source":"iana"},"application/fastsoap":{"source":"iana"},"application/fdt+xml":{"source":"iana","compressible":true,"extensions":["fdt"]},"application/fhir+json":{"source":"iana","charset":"UTF-8","compressible":true},"application/fhir+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/fido.trusted-apps+json":{"compressible":true},"application/fits":{"source":"iana"},"application/flexfec":{"source":"iana"},"application/font-sfnt":{"source":"iana"},"application/font-tdpfr":{"source":"iana","extensions":["pfr"]},"application/font-woff":{"source":"iana","compressible":false},"application/framework-attributes+xml":{"source":"iana","compressible":true},"application/geo+json":{"source":"iana","compressible":true,"extensions":["geojson"]},"application/geo+json-seq":{"source":"iana"},"application/geopackage+sqlite3":{"source":"iana"},"application/geoxacml+xml":{"source":"iana","compressible":true},"application/gltf-buffer":{"source":"iana"},"application/gml+xml":{"source":"iana","compressible":true,"extensions":["gml"]},"application/gpx+xml":{"source":"apache","compressible":true,"extensions":["gpx"]},"application/gxf":{"source":"apache","extensions":["gxf"]},"application/gzip":{"source":"iana","compressible":false,"extensions":["gz"]},"application/h224":{"source":"iana"},"application/held+xml":{"source":"iana","compressible":true},"application/hjson":{"extensions":["hjson"]},"application/http":{"source":"iana"},"application/hyperstudio":{"source":"iana","extensions":["stk"]},"application/ibe-key-request+xml":{"source":"iana","compressible":true},"application/ibe-pkg-reply+xml":{"source":"iana","compressible":true},"application/ibe-pp-data":{"source":"iana"},"application/iges":{"source":"iana"},"application/im-iscomposing+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/index":{"source":"iana"},"application/index.cmd":{"source":"iana"},"application/index.obj":{"source":"iana"},"application/index.response":{"source":"iana"},"application/index.vnd":{"source":"iana"},"application/inkml+xml":{"source":"iana","compressible":true,"extensions":["ink","inkml"]},"application/iotp":{"source":"iana"},"application/ipfix":{"source":"iana","extensions":["ipfix"]},"application/ipp":{"source":"iana"},"application/isup":{"source":"iana"},"application/its+xml":{"source":"iana","compressible":true,"extensions":["its"]},"application/java-archive":{"source":"apache","compressible":false,"extensions":["jar","war","ear"]},"application/java-serialized-object":{"source":"apache","compressible":false,"extensions":["ser"]},"application/java-vm":{"source":"apache","compressible":false,"extensions":["class"]},"application/javascript":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["js","mjs"]},"application/jf2feed+json":{"source":"iana","compressible":true},"application/jose":{"source":"iana"},"application/jose+json":{"source":"iana","compressible":true},"application/jrd+json":{"source":"iana","compressible":true},"application/json":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["json","map"]},"application/json-patch+json":{"source":"iana","compressible":true},"application/json-seq":{"source":"iana"},"application/json5":{"extensions":["json5"]},"application/jsonml+json":{"source":"apache","compressible":true,"extensions":["jsonml"]},"application/jwk+json":{"source":"iana","compressible":true},"application/jwk-set+json":{"source":"iana","compressible":true},"application/jwt":{"source":"iana"},"application/kpml-request+xml":{"source":"iana","compressible":true},"application/kpml-response+xml":{"source":"iana","compressible":true},"application/ld+json":{"source":"iana","compressible":true,"extensions":["jsonld"]},"application/lgr+xml":{"source":"iana","compressible":true,"extensions":["lgr"]},"application/link-format":{"source":"iana"},"application/load-control+xml":{"source":"iana","compressible":true},"application/lost+xml":{"source":"iana","compressible":true,"extensions":["lostxml"]},"application/lostsync+xml":{"source":"iana","compressible":true},"application/lpf+zip":{"source":"iana","compressible":false},"application/lxf":{"source":"iana"},"application/mac-binhex40":{"source":"iana","extensions":["hqx"]},"application/mac-compactpro":{"source":"apache","extensions":["cpt"]},"application/macwriteii":{"source":"iana"},"application/mads+xml":{"source":"iana","compressible":true,"extensions":["mads"]},"application/manifest+json":{"charset":"UTF-8","compressible":true,"extensions":["webmanifest"]},"application/marc":{"source":"iana","extensions":["mrc"]},"application/marcxml+xml":{"source":"iana","compressible":true,"extensions":["mrcx"]},"application/mathematica":{"source":"iana","extensions":["ma","nb","mb"]},"application/mathml+xml":{"source":"iana","compressible":true,"extensions":["mathml"]},"application/mathml-content+xml":{"source":"iana","compressible":true},"application/mathml-presentation+xml":{"source":"iana","compressible":true},"application/mbms-associated-procedure-description+xml":{"source":"iana","compressible":true},"application/mbms-deregister+xml":{"source":"iana","compressible":true},"application/mbms-envelope+xml":{"source":"iana","compressible":true},"application/mbms-msk+xml":{"source":"iana","compressible":true},"application/mbms-msk-response+xml":{"source":"iana","compressible":true},"application/mbms-protection-description+xml":{"source":"iana","compressible":true},"application/mbms-reception-report+xml":{"source":"iana","compressible":true},"application/mbms-register+xml":{"source":"iana","compressible":true},"application/mbms-register-response+xml":{"source":"iana","compressible":true},"application/mbms-schedule+xml":{"source":"iana","compressible":true},"application/mbms-user-service-description+xml":{"source":"iana","compressible":true},"application/mbox":{"source":"iana","extensions":["mbox"]},"application/media-policy-dataset+xml":{"source":"iana","compressible":true},"application/media_control+xml":{"source":"iana","compressible":true},"application/mediaservercontrol+xml":{"source":"iana","compressible":true,"extensions":["mscml"]},"application/merge-patch+json":{"source":"iana","compressible":true},"application/metalink+xml":{"source":"apache","compressible":true,"extensions":["metalink"]},"application/metalink4+xml":{"source":"iana","compressible":true,"extensions":["meta4"]},"application/mets+xml":{"source":"iana","compressible":true,"extensions":["mets"]},"application/mf4":{"source":"iana"},"application/mikey":{"source":"iana"},"application/mipc":{"source":"iana"},"application/mmt-aei+xml":{"source":"iana","compressible":true,"extensions":["maei"]},"application/mmt-usd+xml":{"source":"iana","compressible":true,"extensions":["musd"]},"application/mods+xml":{"source":"iana","compressible":true,"extensions":["mods"]},"application/moss-keys":{"source":"iana"},"application/moss-signature":{"source":"iana"},"application/mosskey-data":{"source":"iana"},"application/mosskey-request":{"source":"iana"},"application/mp21":{"source":"iana","extensions":["m21","mp21"]},"application/mp4":{"source":"iana","extensions":["mp4s","m4p"]},"application/mpeg4-generic":{"source":"iana"},"application/mpeg4-iod":{"source":"iana"},"application/mpeg4-iod-xmt":{"source":"iana"},"application/mrb-consumer+xml":{"source":"iana","compressible":true,"extensions":["xdf"]},"application/mrb-publish+xml":{"source":"iana","compressible":true,"extensions":["xdf"]},"application/msc-ivr+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/msc-mixer+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/msword":{"source":"iana","compressible":false,"extensions":["doc","dot"]},"application/mud+json":{"source":"iana","compressible":true},"application/multipart-core":{"source":"iana"},"application/mxf":{"source":"iana","extensions":["mxf"]},"application/n-quads":{"source":"iana","extensions":["nq"]},"application/n-triples":{"source":"iana","extensions":["nt"]},"application/nasdata":{"source":"iana"},"application/news-checkgroups":{"source":"iana","charset":"US-ASCII"},"application/news-groupinfo":{"source":"iana","charset":"US-ASCII"},"application/news-transmission":{"source":"iana"},"application/nlsml+xml":{"source":"iana","compressible":true},"application/node":{"source":"iana","extensions":["cjs"]},"application/nss":{"source":"iana"},"application/ocsp-request":{"source":"iana"},"application/ocsp-response":{"source":"iana"},"application/octet-stream":{"source":"iana","compressible":false,"extensions":["bin","dms","lrf","mar","so","dist","distz","pkg","bpk","dump","elc","deploy","exe","dll","deb","dmg","iso","img","msi","msp","msm","buffer"]},"application/oda":{"source":"iana","extensions":["oda"]},"application/odm+xml":{"source":"iana","compressible":true},"application/odx":{"source":"iana"},"application/oebps-package+xml":{"source":"iana","compressible":true,"extensions":["opf"]},"application/ogg":{"source":"iana","compressible":false,"extensions":["ogx"]},"application/omdoc+xml":{"source":"apache","compressible":true,"extensions":["omdoc"]},"application/onenote":{"source":"apache","extensions":["onetoc","onetoc2","onetmp","onepkg"]},"application/opc-nodeset+xml":{"source":"iana","compressible":true},"application/oscore":{"source":"iana"},"application/oxps":{"source":"iana","extensions":["oxps"]},"application/p2p-overlay+xml":{"source":"iana","compressible":true,"extensions":["relo"]},"application/parityfec":{"source":"iana"},"application/passport":{"source":"iana"},"application/patch-ops-error+xml":{"source":"iana","compressible":true,"extensions":["xer"]},"application/pdf":{"source":"iana","compressible":false,"extensions":["pdf"]},"application/pdx":{"source":"iana"},"application/pem-certificate-chain":{"source":"iana"},"application/pgp-encrypted":{"source":"iana","compressible":false,"extensions":["pgp"]},"application/pgp-keys":{"source":"iana"},"application/pgp-signature":{"source":"iana","extensions":["asc","sig"]},"application/pics-rules":{"source":"apache","extensions":["prf"]},"application/pidf+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/pidf-diff+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/pkcs10":{"source":"iana","extensions":["p10"]},"application/pkcs12":{"source":"iana"},"application/pkcs7-mime":{"source":"iana","extensions":["p7m","p7c"]},"application/pkcs7-signature":{"source":"iana","extensions":["p7s"]},"application/pkcs8":{"source":"iana","extensions":["p8"]},"application/pkcs8-encrypted":{"source":"iana"},"application/pkix-attr-cert":{"source":"iana","extensions":["ac"]},"application/pkix-cert":{"source":"iana","extensions":["cer"]},"application/pkix-crl":{"source":"iana","extensions":["crl"]},"application/pkix-pkipath":{"source":"iana","extensions":["pkipath"]},"application/pkixcmp":{"source":"iana","extensions":["pki"]},"application/pls+xml":{"source":"iana","compressible":true,"extensions":["pls"]},"application/poc-settings+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/postscript":{"source":"iana","compressible":true,"extensions":["ai","eps","ps"]},"application/ppsp-tracker+json":{"source":"iana","compressible":true},"application/problem+json":{"source":"iana","compressible":true},"application/problem+xml":{"source":"iana","compressible":true},"application/provenance+xml":{"source":"iana","compressible":true,"extensions":["provx"]},"application/prs.alvestrand.titrax-sheet":{"source":"iana"},"application/prs.cww":{"source":"iana","extensions":["cww"]},"application/prs.hpub+zip":{"source":"iana","compressible":false},"application/prs.nprend":{"source":"iana"},"application/prs.plucker":{"source":"iana"},"application/prs.rdf-xml-crypt":{"source":"iana"},"application/prs.xsf+xml":{"source":"iana","compressible":true},"application/pskc+xml":{"source":"iana","compressible":true,"extensions":["pskcxml"]},"application/pvd+json":{"source":"iana","compressible":true},"application/qsig":{"source":"iana"},"application/raml+yaml":{"compressible":true,"extensions":["raml"]},"application/raptorfec":{"source":"iana"},"application/rdap+json":{"source":"iana","compressible":true},"application/rdf+xml":{"source":"iana","compressible":true,"extensions":["rdf","owl"]},"application/reginfo+xml":{"source":"iana","compressible":true,"extensions":["rif"]},"application/relax-ng-compact-syntax":{"source":"iana","extensions":["rnc"]},"application/remote-printing":{"source":"iana"},"application/reputon+json":{"source":"iana","compressible":true},"application/resource-lists+xml":{"source":"iana","compressible":true,"extensions":["rl"]},"application/resource-lists-diff+xml":{"source":"iana","compressible":true,"extensions":["rld"]},"application/rfc+xml":{"source":"iana","compressible":true},"application/riscos":{"source":"iana"},"application/rlmi+xml":{"source":"iana","compressible":true},"application/rls-services+xml":{"source":"iana","compressible":true,"extensions":["rs"]},"application/route-apd+xml":{"source":"iana","compressible":true,"extensions":["rapd"]},"application/route-s-tsid+xml":{"source":"iana","compressible":true,"extensions":["sls"]},"application/route-usd+xml":{"source":"iana","compressible":true,"extensions":["rusd"]},"application/rpki-ghostbusters":{"source":"iana","extensions":["gbr"]},"application/rpki-manifest":{"source":"iana","extensions":["mft"]},"application/rpki-publication":{"source":"iana"},"application/rpki-roa":{"source":"iana","extensions":["roa"]},"application/rpki-updown":{"source":"iana"},"application/rsd+xml":{"source":"apache","compressible":true,"extensions":["rsd"]},"application/rss+xml":{"source":"apache","compressible":true,"extensions":["rss"]},"application/rtf":{"source":"iana","compressible":true,"extensions":["rtf"]},"application/rtploopback":{"source":"iana"},"application/rtx":{"source":"iana"},"application/samlassertion+xml":{"source":"iana","compressible":true},"application/samlmetadata+xml":{"source":"iana","compressible":true},"application/sarif+json":{"source":"iana","compressible":true},"application/sbe":{"source":"iana"},"application/sbml+xml":{"source":"iana","compressible":true,"extensions":["sbml"]},"application/scaip+xml":{"source":"iana","compressible":true},"application/scim+json":{"source":"iana","compressible":true},"application/scvp-cv-request":{"source":"iana","extensions":["scq"]},"application/scvp-cv-response":{"source":"iana","extensions":["scs"]},"application/scvp-vp-request":{"source":"iana","extensions":["spq"]},"application/scvp-vp-response":{"source":"iana","extensions":["spp"]},"application/sdp":{"source":"iana","extensions":["sdp"]},"application/secevent+jwt":{"source":"iana"},"application/senml+cbor":{"source":"iana"},"application/senml+json":{"source":"iana","compressible":true},"application/senml+xml":{"source":"iana","compressible":true,"extensions":["senmlx"]},"application/senml-etch+cbor":{"source":"iana"},"application/senml-etch+json":{"source":"iana","compressible":true},"application/senml-exi":{"source":"iana"},"application/sensml+cbor":{"source":"iana"},"application/sensml+json":{"source":"iana","compressible":true},"application/sensml+xml":{"source":"iana","compressible":true,"extensions":["sensmlx"]},"application/sensml-exi":{"source":"iana"},"application/sep+xml":{"source":"iana","compressible":true},"application/sep-exi":{"source":"iana"},"application/session-info":{"source":"iana"},"application/set-payment":{"source":"iana"},"application/set-payment-initiation":{"source":"iana","extensions":["setpay"]},"application/set-registration":{"source":"iana"},"application/set-registration-initiation":{"source":"iana","extensions":["setreg"]},"application/sgml":{"source":"iana"},"application/sgml-open-catalog":{"source":"iana"},"application/shf+xml":{"source":"iana","compressible":true,"extensions":["shf"]},"application/sieve":{"source":"iana","extensions":["siv","sieve"]},"application/simple-filter+xml":{"source":"iana","compressible":true},"application/simple-message-summary":{"source":"iana"},"application/simplesymbolcontainer":{"source":"iana"},"application/sipc":{"source":"iana"},"application/slate":{"source":"iana"},"application/smil":{"source":"iana"},"application/smil+xml":{"source":"iana","compressible":true,"extensions":["smi","smil"]},"application/smpte336m":{"source":"iana"},"application/soap+fastinfoset":{"source":"iana"},"application/soap+xml":{"source":"iana","compressible":true},"application/sparql-query":{"source":"iana","extensions":["rq"]},"application/sparql-results+xml":{"source":"iana","compressible":true,"extensions":["srx"]},"application/spirits-event+xml":{"source":"iana","compressible":true},"application/sql":{"source":"iana"},"application/srgs":{"source":"iana","extensions":["gram"]},"application/srgs+xml":{"source":"iana","compressible":true,"extensions":["grxml"]},"application/sru+xml":{"source":"iana","compressible":true,"extensions":["sru"]},"application/ssdl+xml":{"source":"apache","compressible":true,"extensions":["ssdl"]},"application/ssml+xml":{"source":"iana","compressible":true,"extensions":["ssml"]},"application/stix+json":{"source":"iana","compressible":true},"application/swid+xml":{"source":"iana","compressible":true,"extensions":["swidtag"]},"application/tamp-apex-update":{"source":"iana"},"application/tamp-apex-update-confirm":{"source":"iana"},"application/tamp-community-update":{"source":"iana"},"application/tamp-community-update-confirm":{"source":"iana"},"application/tamp-error":{"source":"iana"},"application/tamp-sequence-adjust":{"source":"iana"},"application/tamp-sequence-adjust-confirm":{"source":"iana"},"application/tamp-status-query":{"source":"iana"},"application/tamp-status-response":{"source":"iana"},"application/tamp-update":{"source":"iana"},"application/tamp-update-confirm":{"source":"iana"},"application/tar":{"compressible":true},"application/taxii+json":{"source":"iana","compressible":true},"application/td+json":{"source":"iana","compressible":true},"application/tei+xml":{"source":"iana","compressible":true,"extensions":["tei","teicorpus"]},"application/tetra_isi":{"source":"iana"},"application/thraud+xml":{"source":"iana","compressible":true,"extensions":["tfi"]},"application/timestamp-query":{"source":"iana"},"application/timestamp-reply":{"source":"iana"},"application/timestamped-data":{"source":"iana","extensions":["tsd"]},"application/tlsrpt+gzip":{"source":"iana"},"application/tlsrpt+json":{"source":"iana","compressible":true},"application/tnauthlist":{"source":"iana"},"application/toml":{"compressible":true,"extensions":["toml"]},"application/trickle-ice-sdpfrag":{"source":"iana"},"application/trig":{"source":"iana"},"application/ttml+xml":{"source":"iana","compressible":true,"extensions":["ttml"]},"application/tve-trigger":{"source":"iana"},"application/tzif":{"source":"iana"},"application/tzif-leap":{"source":"iana"},"application/ubjson":{"compressible":false,"extensions":["ubj"]},"application/ulpfec":{"source":"iana"},"application/urc-grpsheet+xml":{"source":"iana","compressible":true},"application/urc-ressheet+xml":{"source":"iana","compressible":true,"extensions":["rsheet"]},"application/urc-targetdesc+xml":{"source":"iana","compressible":true,"extensions":["td"]},"application/urc-uisocketdesc+xml":{"source":"iana","compressible":true},"application/vcard+json":{"source":"iana","compressible":true},"application/vcard+xml":{"source":"iana","compressible":true},"application/vemmi":{"source":"iana"},"application/vividence.scriptfile":{"source":"apache"},"application/vnd.1000minds.decision-model+xml":{"source":"iana","compressible":true,"extensions":["1km"]},"application/vnd.3gpp-prose+xml":{"source":"iana","compressible":true},"application/vnd.3gpp-prose-pc3ch+xml":{"source":"iana","compressible":true},"application/vnd.3gpp-v2x-local-service-information":{"source":"iana"},"application/vnd.3gpp.access-transfer-events+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.bsf+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.gmop+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mc-signalling-ear":{"source":"iana"},"application/vnd.3gpp.mcdata-affiliation-command+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcdata-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcdata-payload":{"source":"iana"},"application/vnd.3gpp.mcdata-service-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcdata-signalling":{"source":"iana"},"application/vnd.3gpp.mcdata-ue-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcdata-user-profile+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-affiliation-command+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-floor-request+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-location-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-mbms-usage-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-service-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-signed+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-ue-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-ue-init-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcptt-user-profile+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-affiliation-command+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-affiliation-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-location-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-mbms-usage-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-service-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-transmission-request+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-ue-config+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mcvideo-user-profile+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.mid-call+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.pic-bw-large":{"source":"iana","extensions":["plb"]},"application/vnd.3gpp.pic-bw-small":{"source":"iana","extensions":["psb"]},"application/vnd.3gpp.pic-bw-var":{"source":"iana","extensions":["pvb"]},"application/vnd.3gpp.sms":{"source":"iana"},"application/vnd.3gpp.sms+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.srvcc-ext+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.srvcc-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.state-and-event-info+xml":{"source":"iana","compressible":true},"application/vnd.3gpp.ussd+xml":{"source":"iana","compressible":true},"application/vnd.3gpp2.bcmcsinfo+xml":{"source":"iana","compressible":true},"application/vnd.3gpp2.sms":{"source":"iana"},"application/vnd.3gpp2.tcap":{"source":"iana","extensions":["tcap"]},"application/vnd.3lightssoftware.imagescal":{"source":"iana"},"application/vnd.3m.post-it-notes":{"source":"iana","extensions":["pwn"]},"application/vnd.accpac.simply.aso":{"source":"iana","extensions":["aso"]},"application/vnd.accpac.simply.imp":{"source":"iana","extensions":["imp"]},"application/vnd.acucobol":{"source":"iana","extensions":["acu"]},"application/vnd.acucorp":{"source":"iana","extensions":["atc","acutc"]},"application/vnd.adobe.air-application-installer-package+zip":{"source":"apache","compressible":false,"extensions":["air"]},"application/vnd.adobe.flash.movie":{"source":"iana"},"application/vnd.adobe.formscentral.fcdt":{"source":"iana","extensions":["fcdt"]},"application/vnd.adobe.fxp":{"source":"iana","extensions":["fxp","fxpl"]},"application/vnd.adobe.partial-upload":{"source":"iana"},"application/vnd.adobe.xdp+xml":{"source":"iana","compressible":true,"extensions":["xdp"]},"application/vnd.adobe.xfdf":{"source":"iana","extensions":["xfdf"]},"application/vnd.aether.imp":{"source":"iana"},"application/vnd.afpc.afplinedata":{"source":"iana"},"application/vnd.afpc.afplinedata-pagedef":{"source":"iana"},"application/vnd.afpc.foca-charset":{"source":"iana"},"application/vnd.afpc.foca-codedfont":{"source":"iana"},"application/vnd.afpc.foca-codepage":{"source":"iana"},"application/vnd.afpc.modca":{"source":"iana"},"application/vnd.afpc.modca-formdef":{"source":"iana"},"application/vnd.afpc.modca-mediummap":{"source":"iana"},"application/vnd.afpc.modca-objectcontainer":{"source":"iana"},"application/vnd.afpc.modca-overlay":{"source":"iana"},"application/vnd.afpc.modca-pagesegment":{"source":"iana"},"application/vnd.ah-barcode":{"source":"iana"},"application/vnd.ahead.space":{"source":"iana","extensions":["ahead"]},"application/vnd.airzip.filesecure.azf":{"source":"iana","extensions":["azf"]},"application/vnd.airzip.filesecure.azs":{"source":"iana","extensions":["azs"]},"application/vnd.amadeus+json":{"source":"iana","compressible":true},"application/vnd.amazon.ebook":{"source":"apache","extensions":["azw"]},"application/vnd.amazon.mobi8-ebook":{"source":"iana"},"application/vnd.americandynamics.acc":{"source":"iana","extensions":["acc"]},"application/vnd.amiga.ami":{"source":"iana","extensions":["ami"]},"application/vnd.amundsen.maze+xml":{"source":"iana","compressible":true},"application/vnd.android.ota":{"source":"iana"},"application/vnd.android.package-archive":{"source":"apache","compressible":false,"extensions":["apk"]},"application/vnd.anki":{"source":"iana"},"application/vnd.anser-web-certificate-issue-initiation":{"source":"iana","extensions":["cii"]},"application/vnd.anser-web-funds-transfer-initiation":{"source":"apache","extensions":["fti"]},"application/vnd.antix.game-component":{"source":"iana","extensions":["atx"]},"application/vnd.apache.thrift.binary":{"source":"iana"},"application/vnd.apache.thrift.compact":{"source":"iana"},"application/vnd.apache.thrift.json":{"source":"iana"},"application/vnd.api+json":{"source":"iana","compressible":true},"application/vnd.aplextor.warrp+json":{"source":"iana","compressible":true},"application/vnd.apothekende.reservation+json":{"source":"iana","compressible":true},"application/vnd.apple.installer+xml":{"source":"iana","compressible":true,"extensions":["mpkg"]},"application/vnd.apple.keynote":{"source":"iana","extensions":["key"]},"application/vnd.apple.mpegurl":{"source":"iana","extensions":["m3u8"]},"application/vnd.apple.numbers":{"source":"iana","extensions":["numbers"]},"application/vnd.apple.pages":{"source":"iana","extensions":["pages"]},"application/vnd.apple.pkpass":{"compressible":false,"extensions":["pkpass"]},"application/vnd.arastra.swi":{"source":"iana"},"application/vnd.aristanetworks.swi":{"source":"iana","extensions":["swi"]},"application/vnd.artisan+json":{"source":"iana","compressible":true},"application/vnd.artsquare":{"source":"iana"},"application/vnd.astraea-software.iota":{"source":"iana","extensions":["iota"]},"application/vnd.audiograph":{"source":"iana","extensions":["aep"]},"application/vnd.autopackage":{"source":"iana"},"application/vnd.avalon+json":{"source":"iana","compressible":true},"application/vnd.avistar+xml":{"source":"iana","compressible":true},"application/vnd.balsamiq.bmml+xml":{"source":"iana","compressible":true,"extensions":["bmml"]},"application/vnd.balsamiq.bmpr":{"source":"iana"},"application/vnd.banana-accounting":{"source":"iana"},"application/vnd.bbf.usp.error":{"source":"iana"},"application/vnd.bbf.usp.msg":{"source":"iana"},"application/vnd.bbf.usp.msg+json":{"source":"iana","compressible":true},"application/vnd.bekitzur-stech+json":{"source":"iana","compressible":true},"application/vnd.bint.med-content":{"source":"iana"},"application/vnd.biopax.rdf+xml":{"source":"iana","compressible":true},"application/vnd.blink-idb-value-wrapper":{"source":"iana"},"application/vnd.blueice.multipass":{"source":"iana","extensions":["mpm"]},"application/vnd.bluetooth.ep.oob":{"source":"iana"},"application/vnd.bluetooth.le.oob":{"source":"iana"},"application/vnd.bmi":{"source":"iana","extensions":["bmi"]},"application/vnd.bpf":{"source":"iana"},"application/vnd.bpf3":{"source":"iana"},"application/vnd.businessobjects":{"source":"iana","extensions":["rep"]},"application/vnd.byu.uapi+json":{"source":"iana","compressible":true},"application/vnd.cab-jscript":{"source":"iana"},"application/vnd.canon-cpdl":{"source":"iana"},"application/vnd.canon-lips":{"source":"iana"},"application/vnd.capasystems-pg+json":{"source":"iana","compressible":true},"application/vnd.cendio.thinlinc.clientconf":{"source":"iana"},"application/vnd.century-systems.tcp_stream":{"source":"iana"},"application/vnd.chemdraw+xml":{"source":"iana","compressible":true,"extensions":["cdxml"]},"application/vnd.chess-pgn":{"source":"iana"},"application/vnd.chipnuts.karaoke-mmd":{"source":"iana","extensions":["mmd"]},"application/vnd.ciedi":{"source":"iana"},"application/vnd.cinderella":{"source":"iana","extensions":["cdy"]},"application/vnd.cirpack.isdn-ext":{"source":"iana"},"application/vnd.citationstyles.style+xml":{"source":"iana","compressible":true,"extensions":["csl"]},"application/vnd.claymore":{"source":"iana","extensions":["cla"]},"application/vnd.cloanto.rp9":{"source":"iana","extensions":["rp9"]},"application/vnd.clonk.c4group":{"source":"iana","extensions":["c4g","c4d","c4f","c4p","c4u"]},"application/vnd.cluetrust.cartomobile-config":{"source":"iana","extensions":["c11amc"]},"application/vnd.cluetrust.cartomobile-config-pkg":{"source":"iana","extensions":["c11amz"]},"application/vnd.coffeescript":{"source":"iana"},"application/vnd.collabio.xodocuments.document":{"source":"iana"},"application/vnd.collabio.xodocuments.document-template":{"source":"iana"},"application/vnd.collabio.xodocuments.presentation":{"source":"iana"},"application/vnd.collabio.xodocuments.presentation-template":{"source":"iana"},"application/vnd.collabio.xodocuments.spreadsheet":{"source":"iana"},"application/vnd.collabio.xodocuments.spreadsheet-template":{"source":"iana"},"application/vnd.collection+json":{"source":"iana","compressible":true},"application/vnd.collection.doc+json":{"source":"iana","compressible":true},"application/vnd.collection.next+json":{"source":"iana","compressible":true},"application/vnd.comicbook+zip":{"source":"iana","compressible":false},"application/vnd.comicbook-rar":{"source":"iana"},"application/vnd.commerce-battelle":{"source":"iana"},"application/vnd.commonspace":{"source":"iana","extensions":["csp"]},"application/vnd.contact.cmsg":{"source":"iana","extensions":["cdbcmsg"]},"application/vnd.coreos.ignition+json":{"source":"iana","compressible":true},"application/vnd.cosmocaller":{"source":"iana","extensions":["cmc"]},"application/vnd.crick.clicker":{"source":"iana","extensions":["clkx"]},"application/vnd.crick.clicker.keyboard":{"source":"iana","extensions":["clkk"]},"application/vnd.crick.clicker.palette":{"source":"iana","extensions":["clkp"]},"application/vnd.crick.clicker.template":{"source":"iana","extensions":["clkt"]},"application/vnd.crick.clicker.wordbank":{"source":"iana","extensions":["clkw"]},"application/vnd.criticaltools.wbs+xml":{"source":"iana","compressible":true,"extensions":["wbs"]},"application/vnd.cryptii.pipe+json":{"source":"iana","compressible":true},"application/vnd.crypto-shade-file":{"source":"iana"},"application/vnd.ctc-posml":{"source":"iana","extensions":["pml"]},"application/vnd.ctct.ws+xml":{"source":"iana","compressible":true},"application/vnd.cups-pdf":{"source":"iana"},"application/vnd.cups-postscript":{"source":"iana"},"application/vnd.cups-ppd":{"source":"iana","extensions":["ppd"]},"application/vnd.cups-raster":{"source":"iana"},"application/vnd.cups-raw":{"source":"iana"},"application/vnd.curl":{"source":"iana"},"application/vnd.curl.car":{"source":"apache","extensions":["car"]},"application/vnd.curl.pcurl":{"source":"apache","extensions":["pcurl"]},"application/vnd.cyan.dean.root+xml":{"source":"iana","compressible":true},"application/vnd.cybank":{"source":"iana"},"application/vnd.d2l.coursepackage1p0+zip":{"source":"iana","compressible":false},"application/vnd.d3m-dataset":{"source":"iana"},"application/vnd.d3m-problem":{"source":"iana"},"application/vnd.dart":{"source":"iana","compressible":true,"extensions":["dart"]},"application/vnd.data-vision.rdz":{"source":"iana","extensions":["rdz"]},"application/vnd.datapackage+json":{"source":"iana","compressible":true},"application/vnd.dataresource+json":{"source":"iana","compressible":true},"application/vnd.dbf":{"source":"iana","extensions":["dbf"]},"application/vnd.debian.binary-package":{"source":"iana"},"application/vnd.dece.data":{"source":"iana","extensions":["uvf","uvvf","uvd","uvvd"]},"application/vnd.dece.ttml+xml":{"source":"iana","compressible":true,"extensions":["uvt","uvvt"]},"application/vnd.dece.unspecified":{"source":"iana","extensions":["uvx","uvvx"]},"application/vnd.dece.zip":{"source":"iana","extensions":["uvz","uvvz"]},"application/vnd.denovo.fcselayout-link":{"source":"iana","extensions":["fe_launch"]},"application/vnd.desmume.movie":{"source":"iana"},"application/vnd.dir-bi.plate-dl-nosuffix":{"source":"iana"},"application/vnd.dm.delegation+xml":{"source":"iana","compressible":true},"application/vnd.dna":{"source":"iana","extensions":["dna"]},"application/vnd.document+json":{"source":"iana","compressible":true},"application/vnd.dolby.mlp":{"source":"apache","extensions":["mlp"]},"application/vnd.dolby.mobile.1":{"source":"iana"},"application/vnd.dolby.mobile.2":{"source":"iana"},"application/vnd.doremir.scorecloud-binary-document":{"source":"iana"},"application/vnd.dpgraph":{"source":"iana","extensions":["dpg"]},"application/vnd.dreamfactory":{"source":"iana","extensions":["dfac"]},"application/vnd.drive+json":{"source":"iana","compressible":true},"application/vnd.ds-keypoint":{"source":"apache","extensions":["kpxx"]},"application/vnd.dtg.local":{"source":"iana"},"application/vnd.dtg.local.flash":{"source":"iana"},"application/vnd.dtg.local.html":{"source":"iana"},"application/vnd.dvb.ait":{"source":"iana","extensions":["ait"]},"application/vnd.dvb.dvbisl+xml":{"source":"iana","compressible":true},"application/vnd.dvb.dvbj":{"source":"iana"},"application/vnd.dvb.esgcontainer":{"source":"iana"},"application/vnd.dvb.ipdcdftnotifaccess":{"source":"iana"},"application/vnd.dvb.ipdcesgaccess":{"source":"iana"},"application/vnd.dvb.ipdcesgaccess2":{"source":"iana"},"application/vnd.dvb.ipdcesgpdd":{"source":"iana"},"application/vnd.dvb.ipdcroaming":{"source":"iana"},"application/vnd.dvb.iptv.alfec-base":{"source":"iana"},"application/vnd.dvb.iptv.alfec-enhancement":{"source":"iana"},"application/vnd.dvb.notif-aggregate-root+xml":{"source":"iana","compressible":true},"application/vnd.dvb.notif-container+xml":{"source":"iana","compressible":true},"application/vnd.dvb.notif-generic+xml":{"source":"iana","compressible":true},"application/vnd.dvb.notif-ia-msglist+xml":{"source":"iana","compressible":true},"application/vnd.dvb.notif-ia-registration-request+xml":{"source":"iana","compressible":true},"application/vnd.dvb.notif-ia-registration-response+xml":{"source":"iana","compressible":true},"application/vnd.dvb.notif-init+xml":{"source":"iana","compressible":true},"application/vnd.dvb.pfr":{"source":"iana"},"application/vnd.dvb.service":{"source":"iana","extensions":["svc"]},"application/vnd.dxr":{"source":"iana"},"application/vnd.dynageo":{"source":"iana","extensions":["geo"]},"application/vnd.dzr":{"source":"iana"},"application/vnd.easykaraoke.cdgdownload":{"source":"iana"},"application/vnd.ecdis-update":{"source":"iana"},"application/vnd.ecip.rlp":{"source":"iana"},"application/vnd.ecowin.chart":{"source":"iana","extensions":["mag"]},"application/vnd.ecowin.filerequest":{"source":"iana"},"application/vnd.ecowin.fileupdate":{"source":"iana"},"application/vnd.ecowin.series":{"source":"iana"},"application/vnd.ecowin.seriesrequest":{"source":"iana"},"application/vnd.ecowin.seriesupdate":{"source":"iana"},"application/vnd.efi.img":{"source":"iana"},"application/vnd.efi.iso":{"source":"iana"},"application/vnd.emclient.accessrequest+xml":{"source":"iana","compressible":true},"application/vnd.enliven":{"source":"iana","extensions":["nml"]},"application/vnd.enphase.envoy":{"source":"iana"},"application/vnd.eprints.data+xml":{"source":"iana","compressible":true},"application/vnd.epson.esf":{"source":"iana","extensions":["esf"]},"application/vnd.epson.msf":{"source":"iana","extensions":["msf"]},"application/vnd.epson.quickanime":{"source":"iana","extensions":["qam"]},"application/vnd.epson.salt":{"source":"iana","extensions":["slt"]},"application/vnd.epson.ssf":{"source":"iana","extensions":["ssf"]},"application/vnd.ericsson.quickcall":{"source":"iana"},"application/vnd.espass-espass+zip":{"source":"iana","compressible":false},"application/vnd.eszigno3+xml":{"source":"iana","compressible":true,"extensions":["es3","et3"]},"application/vnd.etsi.aoc+xml":{"source":"iana","compressible":true},"application/vnd.etsi.asic-e+zip":{"source":"iana","compressible":false},"application/vnd.etsi.asic-s+zip":{"source":"iana","compressible":false},"application/vnd.etsi.cug+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvcommand+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvdiscovery+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvprofile+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvsad-bc+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvsad-cod+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvsad-npvr+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvservice+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvsync+xml":{"source":"iana","compressible":true},"application/vnd.etsi.iptvueprofile+xml":{"source":"iana","compressible":true},"application/vnd.etsi.mcid+xml":{"source":"iana","compressible":true},"application/vnd.etsi.mheg5":{"source":"iana"},"application/vnd.etsi.overload-control-policy-dataset+xml":{"source":"iana","compressible":true},"application/vnd.etsi.pstn+xml":{"source":"iana","compressible":true},"application/vnd.etsi.sci+xml":{"source":"iana","compressible":true},"application/vnd.etsi.simservs+xml":{"source":"iana","compressible":true},"application/vnd.etsi.timestamp-token":{"source":"iana"},"application/vnd.etsi.tsl+xml":{"source":"iana","compressible":true},"application/vnd.etsi.tsl.der":{"source":"iana"},"application/vnd.eudora.data":{"source":"iana"},"application/vnd.evolv.ecig.profile":{"source":"iana"},"application/vnd.evolv.ecig.settings":{"source":"iana"},"application/vnd.evolv.ecig.theme":{"source":"iana"},"application/vnd.exstream-empower+zip":{"source":"iana","compressible":false},"application/vnd.exstream-package":{"source":"iana"},"application/vnd.ezpix-album":{"source":"iana","extensions":["ez2"]},"application/vnd.ezpix-package":{"source":"iana","extensions":["ez3"]},"application/vnd.f-secure.mobile":{"source":"iana"},"application/vnd.fastcopy-disk-image":{"source":"iana"},"application/vnd.fdf":{"source":"iana","extensions":["fdf"]},"application/vnd.fdsn.mseed":{"source":"iana","extensions":["mseed"]},"application/vnd.fdsn.seed":{"source":"iana","extensions":["seed","dataless"]},"application/vnd.ffsns":{"source":"iana"},"application/vnd.ficlab.flb+zip":{"source":"iana","compressible":false},"application/vnd.filmit.zfc":{"source":"iana"},"application/vnd.fints":{"source":"iana"},"application/vnd.firemonkeys.cloudcell":{"source":"iana"},"application/vnd.flographit":{"source":"iana","extensions":["gph"]},"application/vnd.fluxtime.clip":{"source":"iana","extensions":["ftc"]},"application/vnd.font-fontforge-sfd":{"source":"iana"},"application/vnd.framemaker":{"source":"iana","extensions":["fm","frame","maker","book"]},"application/vnd.frogans.fnc":{"source":"iana","extensions":["fnc"]},"application/vnd.frogans.ltf":{"source":"iana","extensions":["ltf"]},"application/vnd.fsc.weblaunch":{"source":"iana","extensions":["fsc"]},"application/vnd.fujitsu.oasys":{"source":"iana","extensions":["oas"]},"application/vnd.fujitsu.oasys2":{"source":"iana","extensions":["oa2"]},"application/vnd.fujitsu.oasys3":{"source":"iana","extensions":["oa3"]},"application/vnd.fujitsu.oasysgp":{"source":"iana","extensions":["fg5"]},"application/vnd.fujitsu.oasysprs":{"source":"iana","extensions":["bh2"]},"application/vnd.fujixerox.art-ex":{"source":"iana"},"application/vnd.fujixerox.art4":{"source":"iana"},"application/vnd.fujixerox.ddd":{"source":"iana","extensions":["ddd"]},"application/vnd.fujixerox.docuworks":{"source":"iana","extensions":["xdw"]},"application/vnd.fujixerox.docuworks.binder":{"source":"iana","extensions":["xbd"]},"application/vnd.fujixerox.docuworks.container":{"source":"iana"},"application/vnd.fujixerox.hbpl":{"source":"iana"},"application/vnd.fut-misnet":{"source":"iana"},"application/vnd.futoin+cbor":{"source":"iana"},"application/vnd.futoin+json":{"source":"iana","compressible":true},"application/vnd.fuzzysheet":{"source":"iana","extensions":["fzs"]},"application/vnd.genomatix.tuxedo":{"source":"iana","extensions":["txd"]},"application/vnd.gentics.grd+json":{"source":"iana","compressible":true},"application/vnd.geo+json":{"source":"iana","compressible":true},"application/vnd.geocube+xml":{"source":"iana","compressible":true},"application/vnd.geogebra.file":{"source":"iana","extensions":["ggb"]},"application/vnd.geogebra.tool":{"source":"iana","extensions":["ggt"]},"application/vnd.geometry-explorer":{"source":"iana","extensions":["gex","gre"]},"application/vnd.geonext":{"source":"iana","extensions":["gxt"]},"application/vnd.geoplan":{"source":"iana","extensions":["g2w"]},"application/vnd.geospace":{"source":"iana","extensions":["g3w"]},"application/vnd.gerber":{"source":"iana"},"application/vnd.globalplatform.card-content-mgt":{"source":"iana"},"application/vnd.globalplatform.card-content-mgt-response":{"source":"iana"},"application/vnd.gmx":{"source":"iana","extensions":["gmx"]},"application/vnd.google-apps.document":{"compressible":false,"extensions":["gdoc"]},"application/vnd.google-apps.presentation":{"compressible":false,"extensions":["gslides"]},"application/vnd.google-apps.spreadsheet":{"compressible":false,"extensions":["gsheet"]},"application/vnd.google-earth.kml+xml":{"source":"iana","compressible":true,"extensions":["kml"]},"application/vnd.google-earth.kmz":{"source":"iana","compressible":false,"extensions":["kmz"]},"application/vnd.gov.sk.e-form+xml":{"source":"iana","compressible":true},"application/vnd.gov.sk.e-form+zip":{"source":"iana","compressible":false},"application/vnd.gov.sk.xmldatacontainer+xml":{"source":"iana","compressible":true},"application/vnd.grafeq":{"source":"iana","extensions":["gqf","gqs"]},"application/vnd.gridmp":{"source":"iana"},"application/vnd.groove-account":{"source":"iana","extensions":["gac"]},"application/vnd.groove-help":{"source":"iana","extensions":["ghf"]},"application/vnd.groove-identity-message":{"source":"iana","extensions":["gim"]},"application/vnd.groove-injector":{"source":"iana","extensions":["grv"]},"application/vnd.groove-tool-message":{"source":"iana","extensions":["gtm"]},"application/vnd.groove-tool-template":{"source":"iana","extensions":["tpl"]},"application/vnd.groove-vcard":{"source":"iana","extensions":["vcg"]},"application/vnd.hal+json":{"source":"iana","compressible":true},"application/vnd.hal+xml":{"source":"iana","compressible":true,"extensions":["hal"]},"application/vnd.handheld-entertainment+xml":{"source":"iana","compressible":true,"extensions":["zmm"]},"application/vnd.hbci":{"source":"iana","extensions":["hbci"]},"application/vnd.hc+json":{"source":"iana","compressible":true},"application/vnd.hcl-bireports":{"source":"iana"},"application/vnd.hdt":{"source":"iana"},"application/vnd.heroku+json":{"source":"iana","compressible":true},"application/vnd.hhe.lesson-player":{"source":"iana","extensions":["les"]},"application/vnd.hp-hpgl":{"source":"iana","extensions":["hpgl"]},"application/vnd.hp-hpid":{"source":"iana","extensions":["hpid"]},"application/vnd.hp-hps":{"source":"iana","extensions":["hps"]},"application/vnd.hp-jlyt":{"source":"iana","extensions":["jlt"]},"application/vnd.hp-pcl":{"source":"iana","extensions":["pcl"]},"application/vnd.hp-pclxl":{"source":"iana","extensions":["pclxl"]},"application/vnd.httphone":{"source":"iana"},"application/vnd.hydrostatix.sof-data":{"source":"iana","extensions":["sfd-hdstx"]},"application/vnd.hyper+json":{"source":"iana","compressible":true},"application/vnd.hyper-item+json":{"source":"iana","compressible":true},"application/vnd.hyperdrive+json":{"source":"iana","compressible":true},"application/vnd.hzn-3d-crossword":{"source":"iana"},"application/vnd.ibm.afplinedata":{"source":"iana"},"application/vnd.ibm.electronic-media":{"source":"iana"},"application/vnd.ibm.minipay":{"source":"iana","extensions":["mpy"]},"application/vnd.ibm.modcap":{"source":"iana","extensions":["afp","listafp","list3820"]},"application/vnd.ibm.rights-management":{"source":"iana","extensions":["irm"]},"application/vnd.ibm.secure-container":{"source":"iana","extensions":["sc"]},"application/vnd.iccprofile":{"source":"iana","extensions":["icc","icm"]},"application/vnd.ieee.1905":{"source":"iana"},"application/vnd.igloader":{"source":"iana","extensions":["igl"]},"application/vnd.imagemeter.folder+zip":{"source":"iana","compressible":false},"application/vnd.imagemeter.image+zip":{"source":"iana","compressible":false},"application/vnd.immervision-ivp":{"source":"iana","extensions":["ivp"]},"application/vnd.immervision-ivu":{"source":"iana","extensions":["ivu"]},"application/vnd.ims.imsccv1p1":{"source":"iana"},"application/vnd.ims.imsccv1p2":{"source":"iana"},"application/vnd.ims.imsccv1p3":{"source":"iana"},"application/vnd.ims.lis.v2.result+json":{"source":"iana","compressible":true},"application/vnd.ims.lti.v2.toolconsumerprofile+json":{"source":"iana","compressible":true},"application/vnd.ims.lti.v2.toolproxy+json":{"source":"iana","compressible":true},"application/vnd.ims.lti.v2.toolproxy.id+json":{"source":"iana","compressible":true},"application/vnd.ims.lti.v2.toolsettings+json":{"source":"iana","compressible":true},"application/vnd.ims.lti.v2.toolsettings.simple+json":{"source":"iana","compressible":true},"application/vnd.informedcontrol.rms+xml":{"source":"iana","compressible":true},"application/vnd.informix-visionary":{"source":"iana"},"application/vnd.infotech.project":{"source":"iana"},"application/vnd.infotech.project+xml":{"source":"iana","compressible":true},"application/vnd.innopath.wamp.notification":{"source":"iana"},"application/vnd.insors.igm":{"source":"iana","extensions":["igm"]},"application/vnd.intercon.formnet":{"source":"iana","extensions":["xpw","xpx"]},"application/vnd.intergeo":{"source":"iana","extensions":["i2g"]},"application/vnd.intertrust.digibox":{"source":"iana"},"application/vnd.intertrust.nncp":{"source":"iana"},"application/vnd.intu.qbo":{"source":"iana","extensions":["qbo"]},"application/vnd.intu.qfx":{"source":"iana","extensions":["qfx"]},"application/vnd.iptc.g2.catalogitem+xml":{"source":"iana","compressible":true},"application/vnd.iptc.g2.conceptitem+xml":{"source":"iana","compressible":true},"application/vnd.iptc.g2.knowledgeitem+xml":{"source":"iana","compressible":true},"application/vnd.iptc.g2.newsitem+xml":{"source":"iana","compressible":true},"application/vnd.iptc.g2.newsmessage+xml":{"source":"iana","compressible":true},"application/vnd.iptc.g2.packageitem+xml":{"source":"iana","compressible":true},"application/vnd.iptc.g2.planningitem+xml":{"source":"iana","compressible":true},"application/vnd.ipunplugged.rcprofile":{"source":"iana","extensions":["rcprofile"]},"application/vnd.irepository.package+xml":{"source":"iana","compressible":true,"extensions":["irp"]},"application/vnd.is-xpr":{"source":"iana","extensions":["xpr"]},"application/vnd.isac.fcs":{"source":"iana","extensions":["fcs"]},"application/vnd.iso11783-10+zip":{"source":"iana","compressible":false},"application/vnd.jam":{"source":"iana","extensions":["jam"]},"application/vnd.japannet-directory-service":{"source":"iana"},"application/vnd.japannet-jpnstore-wakeup":{"source":"iana"},"application/vnd.japannet-payment-wakeup":{"source":"iana"},"application/vnd.japannet-registration":{"source":"iana"},"application/vnd.japannet-registration-wakeup":{"source":"iana"},"application/vnd.japannet-setstore-wakeup":{"source":"iana"},"application/vnd.japannet-verification":{"source":"iana"},"application/vnd.japannet-verification-wakeup":{"source":"iana"},"application/vnd.jcp.javame.midlet-rms":{"source":"iana","extensions":["rms"]},"application/vnd.jisp":{"source":"iana","extensions":["jisp"]},"application/vnd.joost.joda-archive":{"source":"iana","extensions":["joda"]},"application/vnd.jsk.isdn-ngn":{"source":"iana"},"application/vnd.kahootz":{"source":"iana","extensions":["ktz","ktr"]},"application/vnd.kde.karbon":{"source":"iana","extensions":["karbon"]},"application/vnd.kde.kchart":{"source":"iana","extensions":["chrt"]},"application/vnd.kde.kformula":{"source":"iana","extensions":["kfo"]},"application/vnd.kde.kivio":{"source":"iana","extensions":["flw"]},"application/vnd.kde.kontour":{"source":"iana","extensions":["kon"]},"application/vnd.kde.kpresenter":{"source":"iana","extensions":["kpr","kpt"]},"application/vnd.kde.kspread":{"source":"iana","extensions":["ksp"]},"application/vnd.kde.kword":{"source":"iana","extensions":["kwd","kwt"]},"application/vnd.kenameaapp":{"source":"iana","extensions":["htke"]},"application/vnd.kidspiration":{"source":"iana","extensions":["kia"]},"application/vnd.kinar":{"source":"iana","extensions":["kne","knp"]},"application/vnd.koan":{"source":"iana","extensions":["skp","skd","skt","skm"]},"application/vnd.kodak-descriptor":{"source":"iana","extensions":["sse"]},"application/vnd.las":{"source":"iana"},"application/vnd.las.las+json":{"source":"iana","compressible":true},"application/vnd.las.las+xml":{"source":"iana","compressible":true,"extensions":["lasxml"]},"application/vnd.laszip":{"source":"iana"},"application/vnd.leap+json":{"source":"iana","compressible":true},"application/vnd.liberty-request+xml":{"source":"iana","compressible":true},"application/vnd.llamagraphics.life-balance.desktop":{"source":"iana","extensions":["lbd"]},"application/vnd.llamagraphics.life-balance.exchange+xml":{"source":"iana","compressible":true,"extensions":["lbe"]},"application/vnd.logipipe.circuit+zip":{"source":"iana","compressible":false},"application/vnd.loom":{"source":"iana"},"application/vnd.lotus-1-2-3":{"source":"iana","extensions":["123"]},"application/vnd.lotus-approach":{"source":"iana","extensions":["apr"]},"application/vnd.lotus-freelance":{"source":"iana","extensions":["pre"]},"application/vnd.lotus-notes":{"source":"iana","extensions":["nsf"]},"application/vnd.lotus-organizer":{"source":"iana","extensions":["org"]},"application/vnd.lotus-screencam":{"source":"iana","extensions":["scm"]},"application/vnd.lotus-wordpro":{"source":"iana","extensions":["lwp"]},"application/vnd.macports.portpkg":{"source":"iana","extensions":["portpkg"]},"application/vnd.mapbox-vector-tile":{"source":"iana"},"application/vnd.marlin.drm.actiontoken+xml":{"source":"iana","compressible":true},"application/vnd.marlin.drm.conftoken+xml":{"source":"iana","compressible":true},"application/vnd.marlin.drm.license+xml":{"source":"iana","compressible":true},"application/vnd.marlin.drm.mdcf":{"source":"iana"},"application/vnd.mason+json":{"source":"iana","compressible":true},"application/vnd.maxmind.maxmind-db":{"source":"iana"},"application/vnd.mcd":{"source":"iana","extensions":["mcd"]},"application/vnd.medcalcdata":{"source":"iana","extensions":["mc1"]},"application/vnd.mediastation.cdkey":{"source":"iana","extensions":["cdkey"]},"application/vnd.meridian-slingshot":{"source":"iana"},"application/vnd.mfer":{"source":"iana","extensions":["mwf"]},"application/vnd.mfmp":{"source":"iana","extensions":["mfm"]},"application/vnd.micro+json":{"source":"iana","compressible":true},"application/vnd.micrografx.flo":{"source":"iana","extensions":["flo"]},"application/vnd.micrografx.igx":{"source":"iana","extensions":["igx"]},"application/vnd.microsoft.portable-executable":{"source":"iana"},"application/vnd.microsoft.windows.thumbnail-cache":{"source":"iana"},"application/vnd.miele+json":{"source":"iana","compressible":true},"application/vnd.mif":{"source":"iana","extensions":["mif"]},"application/vnd.minisoft-hp3000-save":{"source":"iana"},"application/vnd.mitsubishi.misty-guard.trustweb":{"source":"iana"},"application/vnd.mobius.daf":{"source":"iana","extensions":["daf"]},"application/vnd.mobius.dis":{"source":"iana","extensions":["dis"]},"application/vnd.mobius.mbk":{"source":"iana","extensions":["mbk"]},"application/vnd.mobius.mqy":{"source":"iana","extensions":["mqy"]},"application/vnd.mobius.msl":{"source":"iana","extensions":["msl"]},"application/vnd.mobius.plc":{"source":"iana","extensions":["plc"]},"application/vnd.mobius.txf":{"source":"iana","extensions":["txf"]},"application/vnd.mophun.application":{"source":"iana","extensions":["mpn"]},"application/vnd.mophun.certificate":{"source":"iana","extensions":["mpc"]},"application/vnd.motorola.flexsuite":{"source":"iana"},"application/vnd.motorola.flexsuite.adsi":{"source":"iana"},"application/vnd.motorola.flexsuite.fis":{"source":"iana"},"application/vnd.motorola.flexsuite.gotap":{"source":"iana"},"application/vnd.motorola.flexsuite.kmr":{"source":"iana"},"application/vnd.motorola.flexsuite.ttc":{"source":"iana"},"application/vnd.motorola.flexsuite.wem":{"source":"iana"},"application/vnd.motorola.iprm":{"source":"iana"},"application/vnd.mozilla.xul+xml":{"source":"iana","compressible":true,"extensions":["xul"]},"application/vnd.ms-3mfdocument":{"source":"iana"},"application/vnd.ms-artgalry":{"source":"iana","extensions":["cil"]},"application/vnd.ms-asf":{"source":"iana"},"application/vnd.ms-cab-compressed":{"source":"iana","extensions":["cab"]},"application/vnd.ms-color.iccprofile":{"source":"apache"},"application/vnd.ms-excel":{"source":"iana","compressible":false,"extensions":["xls","xlm","xla","xlc","xlt","xlw"]},"application/vnd.ms-excel.addin.macroenabled.12":{"source":"iana","extensions":["xlam"]},"application/vnd.ms-excel.sheet.binary.macroenabled.12":{"source":"iana","extensions":["xlsb"]},"application/vnd.ms-excel.sheet.macroenabled.12":{"source":"iana","extensions":["xlsm"]},"application/vnd.ms-excel.template.macroenabled.12":{"source":"iana","extensions":["xltm"]},"application/vnd.ms-fontobject":{"source":"iana","compressible":true,"extensions":["eot"]},"application/vnd.ms-htmlhelp":{"source":"iana","extensions":["chm"]},"application/vnd.ms-ims":{"source":"iana","extensions":["ims"]},"application/vnd.ms-lrm":{"source":"iana","extensions":["lrm"]},"application/vnd.ms-office.activex+xml":{"source":"iana","compressible":true},"application/vnd.ms-officetheme":{"source":"iana","extensions":["thmx"]},"application/vnd.ms-opentype":{"source":"apache","compressible":true},"application/vnd.ms-outlook":{"compressible":false,"extensions":["msg"]},"application/vnd.ms-package.obfuscated-opentype":{"source":"apache"},"application/vnd.ms-pki.seccat":{"source":"apache","extensions":["cat"]},"application/vnd.ms-pki.stl":{"source":"apache","extensions":["stl"]},"application/vnd.ms-playready.initiator+xml":{"source":"iana","compressible":true},"application/vnd.ms-powerpoint":{"source":"iana","compressible":false,"extensions":["ppt","pps","pot"]},"application/vnd.ms-powerpoint.addin.macroenabled.12":{"source":"iana","extensions":["ppam"]},"application/vnd.ms-powerpoint.presentation.macroenabled.12":{"source":"iana","extensions":["pptm"]},"application/vnd.ms-powerpoint.slide.macroenabled.12":{"source":"iana","extensions":["sldm"]},"application/vnd.ms-powerpoint.slideshow.macroenabled.12":{"source":"iana","extensions":["ppsm"]},"application/vnd.ms-powerpoint.template.macroenabled.12":{"source":"iana","extensions":["potm"]},"application/vnd.ms-printdevicecapabilities+xml":{"source":"iana","compressible":true},"application/vnd.ms-printing.printticket+xml":{"source":"apache","compressible":true},"application/vnd.ms-printschematicket+xml":{"source":"iana","compressible":true},"application/vnd.ms-project":{"source":"iana","extensions":["mpp","mpt"]},"application/vnd.ms-tnef":{"source":"iana"},"application/vnd.ms-windows.devicepairing":{"source":"iana"},"application/vnd.ms-windows.nwprinting.oob":{"source":"iana"},"application/vnd.ms-windows.printerpairing":{"source":"iana"},"application/vnd.ms-windows.wsd.oob":{"source":"iana"},"application/vnd.ms-wmdrm.lic-chlg-req":{"source":"iana"},"application/vnd.ms-wmdrm.lic-resp":{"source":"iana"},"application/vnd.ms-wmdrm.meter-chlg-req":{"source":"iana"},"application/vnd.ms-wmdrm.meter-resp":{"source":"iana"},"application/vnd.ms-word.document.macroenabled.12":{"source":"iana","extensions":["docm"]},"application/vnd.ms-word.template.macroenabled.12":{"source":"iana","extensions":["dotm"]},"application/vnd.ms-works":{"source":"iana","extensions":["wps","wks","wcm","wdb"]},"application/vnd.ms-wpl":{"source":"iana","extensions":["wpl"]},"application/vnd.ms-xpsdocument":{"source":"iana","compressible":false,"extensions":["xps"]},"application/vnd.msa-disk-image":{"source":"iana"},"application/vnd.mseq":{"source":"iana","extensions":["mseq"]},"application/vnd.msign":{"source":"iana"},"application/vnd.multiad.creator":{"source":"iana"},"application/vnd.multiad.creator.cif":{"source":"iana"},"application/vnd.music-niff":{"source":"iana"},"application/vnd.musician":{"source":"iana","extensions":["mus"]},"application/vnd.muvee.style":{"source":"iana","extensions":["msty"]},"application/vnd.mynfc":{"source":"iana","extensions":["taglet"]},"application/vnd.ncd.control":{"source":"iana"},"application/vnd.ncd.reference":{"source":"iana"},"application/vnd.nearst.inv+json":{"source":"iana","compressible":true},"application/vnd.nervana":{"source":"iana"},"application/vnd.netfpx":{"source":"iana"},"application/vnd.neurolanguage.nlu":{"source":"iana","extensions":["nlu"]},"application/vnd.nimn":{"source":"iana"},"application/vnd.nintendo.nitro.rom":{"source":"iana"},"application/vnd.nintendo.snes.rom":{"source":"iana"},"application/vnd.nitf":{"source":"iana","extensions":["ntf","nitf"]},"application/vnd.noblenet-directory":{"source":"iana","extensions":["nnd"]},"application/vnd.noblenet-sealer":{"source":"iana","extensions":["nns"]},"application/vnd.noblenet-web":{"source":"iana","extensions":["nnw"]},"application/vnd.nokia.catalogs":{"source":"iana"},"application/vnd.nokia.conml+wbxml":{"source":"iana"},"application/vnd.nokia.conml+xml":{"source":"iana","compressible":true},"application/vnd.nokia.iptv.config+xml":{"source":"iana","compressible":true},"application/vnd.nokia.isds-radio-presets":{"source":"iana"},"application/vnd.nokia.landmark+wbxml":{"source":"iana"},"application/vnd.nokia.landmark+xml":{"source":"iana","compressible":true},"application/vnd.nokia.landmarkcollection+xml":{"source":"iana","compressible":true},"application/vnd.nokia.n-gage.ac+xml":{"source":"iana","compressible":true,"extensions":["ac"]},"application/vnd.nokia.n-gage.data":{"source":"iana","extensions":["ngdat"]},"application/vnd.nokia.n-gage.symbian.install":{"source":"iana","extensions":["n-gage"]},"application/vnd.nokia.ncd":{"source":"iana"},"application/vnd.nokia.pcd+wbxml":{"source":"iana"},"application/vnd.nokia.pcd+xml":{"source":"iana","compressible":true},"application/vnd.nokia.radio-preset":{"source":"iana","extensions":["rpst"]},"application/vnd.nokia.radio-presets":{"source":"iana","extensions":["rpss"]},"application/vnd.novadigm.edm":{"source":"iana","extensions":["edm"]},"application/vnd.novadigm.edx":{"source":"iana","extensions":["edx"]},"application/vnd.novadigm.ext":{"source":"iana","extensions":["ext"]},"application/vnd.ntt-local.content-share":{"source":"iana"},"application/vnd.ntt-local.file-transfer":{"source":"iana"},"application/vnd.ntt-local.ogw_remote-access":{"source":"iana"},"application/vnd.ntt-local.sip-ta_remote":{"source":"iana"},"application/vnd.ntt-local.sip-ta_tcp_stream":{"source":"iana"},"application/vnd.oasis.opendocument.chart":{"source":"iana","extensions":["odc"]},"application/vnd.oasis.opendocument.chart-template":{"source":"iana","extensions":["otc"]},"application/vnd.oasis.opendocument.database":{"source":"iana","extensions":["odb"]},"application/vnd.oasis.opendocument.formula":{"source":"iana","extensions":["odf"]},"application/vnd.oasis.opendocument.formula-template":{"source":"iana","extensions":["odft"]},"application/vnd.oasis.opendocument.graphics":{"source":"iana","compressible":false,"extensions":["odg"]},"application/vnd.oasis.opendocument.graphics-template":{"source":"iana","extensions":["otg"]},"application/vnd.oasis.opendocument.image":{"source":"iana","extensions":["odi"]},"application/vnd.oasis.opendocument.image-template":{"source":"iana","extensions":["oti"]},"application/vnd.oasis.opendocument.presentation":{"source":"iana","compressible":false,"extensions":["odp"]},"application/vnd.oasis.opendocument.presentation-template":{"source":"iana","extensions":["otp"]},"application/vnd.oasis.opendocument.spreadsheet":{"source":"iana","compressible":false,"extensions":["ods"]},"application/vnd.oasis.opendocument.spreadsheet-template":{"source":"iana","extensions":["ots"]},"application/vnd.oasis.opendocument.text":{"source":"iana","compressible":false,"extensions":["odt"]},"application/vnd.oasis.opendocument.text-master":{"source":"iana","extensions":["odm"]},"application/vnd.oasis.opendocument.text-template":{"source":"iana","extensions":["ott"]},"application/vnd.oasis.opendocument.text-web":{"source":"iana","extensions":["oth"]},"application/vnd.obn":{"source":"iana"},"application/vnd.ocf+cbor":{"source":"iana"},"application/vnd.oci.image.manifest.v1+json":{"source":"iana","compressible":true},"application/vnd.oftn.l10n+json":{"source":"iana","compressible":true},"application/vnd.oipf.contentaccessdownload+xml":{"source":"iana","compressible":true},"application/vnd.oipf.contentaccessstreaming+xml":{"source":"iana","compressible":true},"application/vnd.oipf.cspg-hexbinary":{"source":"iana"},"application/vnd.oipf.dae.svg+xml":{"source":"iana","compressible":true},"application/vnd.oipf.dae.xhtml+xml":{"source":"iana","compressible":true},"application/vnd.oipf.mippvcontrolmessage+xml":{"source":"iana","compressible":true},"application/vnd.oipf.pae.gem":{"source":"iana"},"application/vnd.oipf.spdiscovery+xml":{"source":"iana","compressible":true},"application/vnd.oipf.spdlist+xml":{"source":"iana","compressible":true},"application/vnd.oipf.ueprofile+xml":{"source":"iana","compressible":true},"application/vnd.oipf.userprofile+xml":{"source":"iana","compressible":true},"application/vnd.olpc-sugar":{"source":"iana","extensions":["xo"]},"application/vnd.oma-scws-config":{"source":"iana"},"application/vnd.oma-scws-http-request":{"source":"iana"},"application/vnd.oma-scws-http-response":{"source":"iana"},"application/vnd.oma.bcast.associated-procedure-parameter+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.drm-trigger+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.imd+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.ltkm":{"source":"iana"},"application/vnd.oma.bcast.notification+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.provisioningtrigger":{"source":"iana"},"application/vnd.oma.bcast.sgboot":{"source":"iana"},"application/vnd.oma.bcast.sgdd+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.sgdu":{"source":"iana"},"application/vnd.oma.bcast.simple-symbol-container":{"source":"iana"},"application/vnd.oma.bcast.smartcard-trigger+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.sprov+xml":{"source":"iana","compressible":true},"application/vnd.oma.bcast.stkm":{"source":"iana"},"application/vnd.oma.cab-address-book+xml":{"source":"iana","compressible":true},"application/vnd.oma.cab-feature-handler+xml":{"source":"iana","compressible":true},"application/vnd.oma.cab-pcc+xml":{"source":"iana","compressible":true},"application/vnd.oma.cab-subs-invite+xml":{"source":"iana","compressible":true},"application/vnd.oma.cab-user-prefs+xml":{"source":"iana","compressible":true},"application/vnd.oma.dcd":{"source":"iana"},"application/vnd.oma.dcdc":{"source":"iana"},"application/vnd.oma.dd2+xml":{"source":"iana","compressible":true,"extensions":["dd2"]},"application/vnd.oma.drm.risd+xml":{"source":"iana","compressible":true},"application/vnd.oma.group-usage-list+xml":{"source":"iana","compressible":true},"application/vnd.oma.lwm2m+cbor":{"source":"iana"},"application/vnd.oma.lwm2m+json":{"source":"iana","compressible":true},"application/vnd.oma.lwm2m+tlv":{"source":"iana"},"application/vnd.oma.pal+xml":{"source":"iana","compressible":true},"application/vnd.oma.poc.detailed-progress-report+xml":{"source":"iana","compressible":true},"application/vnd.oma.poc.final-report+xml":{"source":"iana","compressible":true},"application/vnd.oma.poc.groups+xml":{"source":"iana","compressible":true},"application/vnd.oma.poc.invocation-descriptor+xml":{"source":"iana","compressible":true},"application/vnd.oma.poc.optimized-progress-report+xml":{"source":"iana","compressible":true},"application/vnd.oma.push":{"source":"iana"},"application/vnd.oma.scidm.messages+xml":{"source":"iana","compressible":true},"application/vnd.oma.xcap-directory+xml":{"source":"iana","compressible":true},"application/vnd.omads-email+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/vnd.omads-file+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/vnd.omads-folder+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/vnd.omaloc-supl-init":{"source":"iana"},"application/vnd.onepager":{"source":"iana"},"application/vnd.onepagertamp":{"source":"iana"},"application/vnd.onepagertamx":{"source":"iana"},"application/vnd.onepagertat":{"source":"iana"},"application/vnd.onepagertatp":{"source":"iana"},"application/vnd.onepagertatx":{"source":"iana"},"application/vnd.openblox.game+xml":{"source":"iana","compressible":true,"extensions":["obgx"]},"application/vnd.openblox.game-binary":{"source":"iana"},"application/vnd.openeye.oeb":{"source":"iana"},"application/vnd.openofficeorg.extension":{"source":"apache","extensions":["oxt"]},"application/vnd.openstreetmap.data+xml":{"source":"iana","compressible":true,"extensions":["osm"]},"application/vnd.openxmlformats-officedocument.custom-properties+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.customxmlproperties+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawing+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawingml.chart+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawingml.chartshapes+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawingml.diagramcolors+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawingml.diagramdata+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawingml.diagramlayout+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.drawingml.diagramstyle+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.extended-properties+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.commentauthors+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.comments+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.handoutmaster+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.notesmaster+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.notesslide+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.presentation":{"source":"iana","compressible":false,"extensions":["pptx"]},"application/vnd.openxmlformats-officedocument.presentationml.presentation.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.presprops+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.slide":{"source":"iana","extensions":["sldx"]},"application/vnd.openxmlformats-officedocument.presentationml.slide+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.slidelayout+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.slidemaster+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.slideshow":{"source":"iana","extensions":["ppsx"]},"application/vnd.openxmlformats-officedocument.presentationml.slideshow.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.slideupdateinfo+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.tablestyles+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.tags+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.template":{"source":"iana","extensions":["potx"]},"application/vnd.openxmlformats-officedocument.presentationml.template.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.presentationml.viewprops+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.calcchain+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.chartsheet+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.comments+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.connections+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.dialogsheet+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.externallink+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcachedefinition+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.pivotcacherecords+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.pivottable+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.querytable+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.revisionheaders+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.revisionlog+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.sharedstrings+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet":{"source":"iana","compressible":false,"extensions":["xlsx"]},"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.sheetmetadata+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.styles+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.table+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.tablesinglecells+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.template":{"source":"iana","extensions":["xltx"]},"application/vnd.openxmlformats-officedocument.spreadsheetml.template.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.usernames+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.volatiledependencies+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.spreadsheetml.worksheet+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.theme+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.themeoverride+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.vmldrawing":{"source":"iana"},"application/vnd.openxmlformats-officedocument.wordprocessingml.comments+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.document":{"source":"iana","compressible":false,"extensions":["docx"]},"application/vnd.openxmlformats-officedocument.wordprocessingml.document.glossary+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.document.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.endnotes+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.fonttable+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.footer+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.footnotes+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.numbering+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.settings+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.styles+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.template":{"source":"iana","extensions":["dotx"]},"application/vnd.openxmlformats-officedocument.wordprocessingml.template.main+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-officedocument.wordprocessingml.websettings+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-package.core-properties+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-package.digital-signature-xmlsignature+xml":{"source":"iana","compressible":true},"application/vnd.openxmlformats-package.relationships+xml":{"source":"iana","compressible":true},"application/vnd.oracle.resource+json":{"source":"iana","compressible":true},"application/vnd.orange.indata":{"source":"iana"},"application/vnd.osa.netdeploy":{"source":"iana"},"application/vnd.osgeo.mapguide.package":{"source":"iana","extensions":["mgp"]},"application/vnd.osgi.bundle":{"source":"iana"},"application/vnd.osgi.dp":{"source":"iana","extensions":["dp"]},"application/vnd.osgi.subsystem":{"source":"iana","extensions":["esa"]},"application/vnd.otps.ct-kip+xml":{"source":"iana","compressible":true},"application/vnd.oxli.countgraph":{"source":"iana"},"application/vnd.pagerduty+json":{"source":"iana","compressible":true},"application/vnd.palm":{"source":"iana","extensions":["pdb","pqa","oprc"]},"application/vnd.panoply":{"source":"iana"},"application/vnd.paos.xml":{"source":"iana"},"application/vnd.patentdive":{"source":"iana"},"application/vnd.patientecommsdoc":{"source":"iana"},"application/vnd.pawaafile":{"source":"iana","extensions":["paw"]},"application/vnd.pcos":{"source":"iana"},"application/vnd.pg.format":{"source":"iana","extensions":["str"]},"application/vnd.pg.osasli":{"source":"iana","extensions":["ei6"]},"application/vnd.piaccess.application-licence":{"source":"iana"},"application/vnd.picsel":{"source":"iana","extensions":["efif"]},"application/vnd.pmi.widget":{"source":"iana","extensions":["wg"]},"application/vnd.poc.group-advertisement+xml":{"source":"iana","compressible":true},"application/vnd.pocketlearn":{"source":"iana","extensions":["plf"]},"application/vnd.powerbuilder6":{"source":"iana","extensions":["pbd"]},"application/vnd.powerbuilder6-s":{"source":"iana"},"application/vnd.powerbuilder7":{"source":"iana"},"application/vnd.powerbuilder7-s":{"source":"iana"},"application/vnd.powerbuilder75":{"source":"iana"},"application/vnd.powerbuilder75-s":{"source":"iana"},"application/vnd.preminet":{"source":"iana"},"application/vnd.previewsystems.box":{"source":"iana","extensions":["box"]},"application/vnd.proteus.magazine":{"source":"iana","extensions":["mgz"]},"application/vnd.psfs":{"source":"iana"},"application/vnd.publishare-delta-tree":{"source":"iana","extensions":["qps"]},"application/vnd.pvi.ptid1":{"source":"iana","extensions":["ptid"]},"application/vnd.pwg-multiplexed":{"source":"iana"},"application/vnd.pwg-xhtml-print+xml":{"source":"iana","compressible":true},"application/vnd.qualcomm.brew-app-res":{"source":"iana"},"application/vnd.quarantainenet":{"source":"iana"},"application/vnd.quark.quarkxpress":{"source":"iana","extensions":["qxd","qxt","qwd","qwt","qxl","qxb"]},"application/vnd.quobject-quoxdocument":{"source":"iana"},"application/vnd.radisys.moml+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-audit+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-audit-conf+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-audit-conn+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-audit-dialog+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-audit-stream+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-conf+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog-base+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog-fax-detect+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog-fax-sendrecv+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog-group+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog-speech+xml":{"source":"iana","compressible":true},"application/vnd.radisys.msml-dialog-transform+xml":{"source":"iana","compressible":true},"application/vnd.rainstor.data":{"source":"iana"},"application/vnd.rapid":{"source":"iana"},"application/vnd.rar":{"source":"iana","extensions":["rar"]},"application/vnd.realvnc.bed":{"source":"iana","extensions":["bed"]},"application/vnd.recordare.musicxml":{"source":"iana","extensions":["mxl"]},"application/vnd.recordare.musicxml+xml":{"source":"iana","compressible":true,"extensions":["musicxml"]},"application/vnd.renlearn.rlprint":{"source":"iana"},"application/vnd.restful+json":{"source":"iana","compressible":true},"application/vnd.rig.cryptonote":{"source":"iana","extensions":["cryptonote"]},"application/vnd.rim.cod":{"source":"apache","extensions":["cod"]},"application/vnd.rn-realmedia":{"source":"apache","extensions":["rm"]},"application/vnd.rn-realmedia-vbr":{"source":"apache","extensions":["rmvb"]},"application/vnd.route66.link66+xml":{"source":"iana","compressible":true,"extensions":["link66"]},"application/vnd.rs-274x":{"source":"iana"},"application/vnd.ruckus.download":{"source":"iana"},"application/vnd.s3sms":{"source":"iana"},"application/vnd.sailingtracker.track":{"source":"iana","extensions":["st"]},"application/vnd.sar":{"source":"iana"},"application/vnd.sbm.cid":{"source":"iana"},"application/vnd.sbm.mid2":{"source":"iana"},"application/vnd.scribus":{"source":"iana"},"application/vnd.sealed.3df":{"source":"iana"},"application/vnd.sealed.csf":{"source":"iana"},"application/vnd.sealed.doc":{"source":"iana"},"application/vnd.sealed.eml":{"source":"iana"},"application/vnd.sealed.mht":{"source":"iana"},"application/vnd.sealed.net":{"source":"iana"},"application/vnd.sealed.ppt":{"source":"iana"},"application/vnd.sealed.tiff":{"source":"iana"},"application/vnd.sealed.xls":{"source":"iana"},"application/vnd.sealedmedia.softseal.html":{"source":"iana"},"application/vnd.sealedmedia.softseal.pdf":{"source":"iana"},"application/vnd.seemail":{"source":"iana","extensions":["see"]},"application/vnd.sema":{"source":"iana","extensions":["sema"]},"application/vnd.semd":{"source":"iana","extensions":["semd"]},"application/vnd.semf":{"source":"iana","extensions":["semf"]},"application/vnd.shade-save-file":{"source":"iana"},"application/vnd.shana.informed.formdata":{"source":"iana","extensions":["ifm"]},"application/vnd.shana.informed.formtemplate":{"source":"iana","extensions":["itp"]},"application/vnd.shana.informed.interchange":{"source":"iana","extensions":["iif"]},"application/vnd.shana.informed.package":{"source":"iana","extensions":["ipk"]},"application/vnd.shootproof+json":{"source":"iana","compressible":true},"application/vnd.shopkick+json":{"source":"iana","compressible":true},"application/vnd.shp":{"source":"iana"},"application/vnd.shx":{"source":"iana"},"application/vnd.sigrok.session":{"source":"iana"},"application/vnd.simtech-mindmapper":{"source":"iana","extensions":["twd","twds"]},"application/vnd.siren+json":{"source":"iana","compressible":true},"application/vnd.smaf":{"source":"iana","extensions":["mmf"]},"application/vnd.smart.notebook":{"source":"iana"},"application/vnd.smart.teacher":{"source":"iana","extensions":["teacher"]},"application/vnd.snesdev-page-table":{"source":"iana"},"application/vnd.software602.filler.form+xml":{"source":"iana","compressible":true,"extensions":["fo"]},"application/vnd.software602.filler.form-xml-zip":{"source":"iana"},"application/vnd.solent.sdkm+xml":{"source":"iana","compressible":true,"extensions":["sdkm","sdkd"]},"application/vnd.spotfire.dxp":{"source":"iana","extensions":["dxp"]},"application/vnd.spotfire.sfs":{"source":"iana","extensions":["sfs"]},"application/vnd.sqlite3":{"source":"iana"},"application/vnd.sss-cod":{"source":"iana"},"application/vnd.sss-dtf":{"source":"iana"},"application/vnd.sss-ntf":{"source":"iana"},"application/vnd.stardivision.calc":{"source":"apache","extensions":["sdc"]},"application/vnd.stardivision.draw":{"source":"apache","extensions":["sda"]},"application/vnd.stardivision.impress":{"source":"apache","extensions":["sdd"]},"application/vnd.stardivision.math":{"source":"apache","extensions":["smf"]},"application/vnd.stardivision.writer":{"source":"apache","extensions":["sdw","vor"]},"application/vnd.stardivision.writer-global":{"source":"apache","extensions":["sgl"]},"application/vnd.stepmania.package":{"source":"iana","extensions":["smzip"]},"application/vnd.stepmania.stepchart":{"source":"iana","extensions":["sm"]},"application/vnd.street-stream":{"source":"iana"},"application/vnd.sun.wadl+xml":{"source":"iana","compressible":true,"extensions":["wadl"]},"application/vnd.sun.xml.calc":{"source":"apache","extensions":["sxc"]},"application/vnd.sun.xml.calc.template":{"source":"apache","extensions":["stc"]},"application/vnd.sun.xml.draw":{"source":"apache","extensions":["sxd"]},"application/vnd.sun.xml.draw.template":{"source":"apache","extensions":["std"]},"application/vnd.sun.xml.impress":{"source":"apache","extensions":["sxi"]},"application/vnd.sun.xml.impress.template":{"source":"apache","extensions":["sti"]},"application/vnd.sun.xml.math":{"source":"apache","extensions":["sxm"]},"application/vnd.sun.xml.writer":{"source":"apache","extensions":["sxw"]},"application/vnd.sun.xml.writer.global":{"source":"apache","extensions":["sxg"]},"application/vnd.sun.xml.writer.template":{"source":"apache","extensions":["stw"]},"application/vnd.sus-calendar":{"source":"iana","extensions":["sus","susp"]},"application/vnd.svd":{"source":"iana","extensions":["svd"]},"application/vnd.swiftview-ics":{"source":"iana"},"application/vnd.sycle+xml":{"source":"iana","compressible":true},"application/vnd.symbian.install":{"source":"apache","extensions":["sis","sisx"]},"application/vnd.syncml+xml":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["xsm"]},"application/vnd.syncml.dm+wbxml":{"source":"iana","charset":"UTF-8","extensions":["bdm"]},"application/vnd.syncml.dm+xml":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["xdm"]},"application/vnd.syncml.dm.notification":{"source":"iana"},"application/vnd.syncml.dmddf+wbxml":{"source":"iana"},"application/vnd.syncml.dmddf+xml":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["ddf"]},"application/vnd.syncml.dmtnds+wbxml":{"source":"iana"},"application/vnd.syncml.dmtnds+xml":{"source":"iana","charset":"UTF-8","compressible":true},"application/vnd.syncml.ds.notification":{"source":"iana"},"application/vnd.tableschema+json":{"source":"iana","compressible":true},"application/vnd.tao.intent-module-archive":{"source":"iana","extensions":["tao"]},"application/vnd.tcpdump.pcap":{"source":"iana","extensions":["pcap","cap","dmp"]},"application/vnd.think-cell.ppttc+json":{"source":"iana","compressible":true},"application/vnd.tmd.mediaflex.api+xml":{"source":"iana","compressible":true},"application/vnd.tml":{"source":"iana"},"application/vnd.tmobile-livetv":{"source":"iana","extensions":["tmo"]},"application/vnd.tri.onesource":{"source":"iana"},"application/vnd.trid.tpt":{"source":"iana","extensions":["tpt"]},"application/vnd.triscape.mxs":{"source":"iana","extensions":["mxs"]},"application/vnd.trueapp":{"source":"iana","extensions":["tra"]},"application/vnd.truedoc":{"source":"iana"},"application/vnd.ubisoft.webplayer":{"source":"iana"},"application/vnd.ufdl":{"source":"iana","extensions":["ufd","ufdl"]},"application/vnd.uiq.theme":{"source":"iana","extensions":["utz"]},"application/vnd.umajin":{"source":"iana","extensions":["umj"]},"application/vnd.unity":{"source":"iana","extensions":["unityweb"]},"application/vnd.uoml+xml":{"source":"iana","compressible":true,"extensions":["uoml"]},"application/vnd.uplanet.alert":{"source":"iana"},"application/vnd.uplanet.alert-wbxml":{"source":"iana"},"application/vnd.uplanet.bearer-choice":{"source":"iana"},"application/vnd.uplanet.bearer-choice-wbxml":{"source":"iana"},"application/vnd.uplanet.cacheop":{"source":"iana"},"application/vnd.uplanet.cacheop-wbxml":{"source":"iana"},"application/vnd.uplanet.channel":{"source":"iana"},"application/vnd.uplanet.channel-wbxml":{"source":"iana"},"application/vnd.uplanet.list":{"source":"iana"},"application/vnd.uplanet.list-wbxml":{"source":"iana"},"application/vnd.uplanet.listcmd":{"source":"iana"},"application/vnd.uplanet.listcmd-wbxml":{"source":"iana"},"application/vnd.uplanet.signal":{"source":"iana"},"application/vnd.uri-map":{"source":"iana"},"application/vnd.valve.source.material":{"source":"iana"},"application/vnd.vcx":{"source":"iana","extensions":["vcx"]},"application/vnd.vd-study":{"source":"iana"},"application/vnd.vectorworks":{"source":"iana"},"application/vnd.vel+json":{"source":"iana","compressible":true},"application/vnd.verimatrix.vcas":{"source":"iana"},"application/vnd.veryant.thin":{"source":"iana"},"application/vnd.ves.encrypted":{"source":"iana"},"application/vnd.vidsoft.vidconference":{"source":"iana"},"application/vnd.visio":{"source":"iana","extensions":["vsd","vst","vss","vsw"]},"application/vnd.visionary":{"source":"iana","extensions":["vis"]},"application/vnd.vividence.scriptfile":{"source":"iana"},"application/vnd.vsf":{"source":"iana","extensions":["vsf"]},"application/vnd.wap.sic":{"source":"iana"},"application/vnd.wap.slc":{"source":"iana"},"application/vnd.wap.wbxml":{"source":"iana","charset":"UTF-8","extensions":["wbxml"]},"application/vnd.wap.wmlc":{"source":"iana","extensions":["wmlc"]},"application/vnd.wap.wmlscriptc":{"source":"iana","extensions":["wmlsc"]},"application/vnd.webturbo":{"source":"iana","extensions":["wtb"]},"application/vnd.wfa.p2p":{"source":"iana"},"application/vnd.wfa.wsc":{"source":"iana"},"application/vnd.windows.devicepairing":{"source":"iana"},"application/vnd.wmc":{"source":"iana"},"application/vnd.wmf.bootstrap":{"source":"iana"},"application/vnd.wolfram.mathematica":{"source":"iana"},"application/vnd.wolfram.mathematica.package":{"source":"iana"},"application/vnd.wolfram.player":{"source":"iana","extensions":["nbp"]},"application/vnd.wordperfect":{"source":"iana","extensions":["wpd"]},"application/vnd.wqd":{"source":"iana","extensions":["wqd"]},"application/vnd.wrq-hp3000-labelled":{"source":"iana"},"application/vnd.wt.stf":{"source":"iana","extensions":["stf"]},"application/vnd.wv.csp+wbxml":{"source":"iana"},"application/vnd.wv.csp+xml":{"source":"iana","compressible":true},"application/vnd.wv.ssp+xml":{"source":"iana","compressible":true},"application/vnd.xacml+json":{"source":"iana","compressible":true},"application/vnd.xara":{"source":"iana","extensions":["xar"]},"application/vnd.xfdl":{"source":"iana","extensions":["xfdl"]},"application/vnd.xfdl.webform":{"source":"iana"},"application/vnd.xmi+xml":{"source":"iana","compressible":true},"application/vnd.xmpie.cpkg":{"source":"iana"},"application/vnd.xmpie.dpkg":{"source":"iana"},"application/vnd.xmpie.plan":{"source":"iana"},"application/vnd.xmpie.ppkg":{"source":"iana"},"application/vnd.xmpie.xlim":{"source":"iana"},"application/vnd.yamaha.hv-dic":{"source":"iana","extensions":["hvd"]},"application/vnd.yamaha.hv-script":{"source":"iana","extensions":["hvs"]},"application/vnd.yamaha.hv-voice":{"source":"iana","extensions":["hvp"]},"application/vnd.yamaha.openscoreformat":{"source":"iana","extensions":["osf"]},"application/vnd.yamaha.openscoreformat.osfpvg+xml":{"source":"iana","compressible":true,"extensions":["osfpvg"]},"application/vnd.yamaha.remote-setup":{"source":"iana"},"application/vnd.yamaha.smaf-audio":{"source":"iana","extensions":["saf"]},"application/vnd.yamaha.smaf-phrase":{"source":"iana","extensions":["spf"]},"application/vnd.yamaha.through-ngn":{"source":"iana"},"application/vnd.yamaha.tunnel-udpencap":{"source":"iana"},"application/vnd.yaoweme":{"source":"iana"},"application/vnd.yellowriver-custom-menu":{"source":"iana","extensions":["cmp"]},"application/vnd.youtube.yt":{"source":"iana"},"application/vnd.zul":{"source":"iana","extensions":["zir","zirz"]},"application/vnd.zzazz.deck+xml":{"source":"iana","compressible":true,"extensions":["zaz"]},"application/voicexml+xml":{"source":"iana","compressible":true,"extensions":["vxml"]},"application/voucher-cms+json":{"source":"iana","compressible":true},"application/vq-rtcpxr":{"source":"iana"},"application/wasm":{"compressible":true,"extensions":["wasm"]},"application/watcherinfo+xml":{"source":"iana","compressible":true},"application/webpush-options+json":{"source":"iana","compressible":true},"application/whoispp-query":{"source":"iana"},"application/whoispp-response":{"source":"iana"},"application/widget":{"source":"iana","extensions":["wgt"]},"application/winhlp":{"source":"apache","extensions":["hlp"]},"application/wita":{"source":"iana"},"application/wordperfect5.1":{"source":"iana"},"application/wsdl+xml":{"source":"iana","compressible":true,"extensions":["wsdl"]},"application/wspolicy+xml":{"source":"iana","compressible":true,"extensions":["wspolicy"]},"application/x-7z-compressed":{"source":"apache","compressible":false,"extensions":["7z"]},"application/x-abiword":{"source":"apache","extensions":["abw"]},"application/x-ace-compressed":{"source":"apache","extensions":["ace"]},"application/x-amf":{"source":"apache"},"application/x-apple-diskimage":{"source":"apache","extensions":["dmg"]},"application/x-arj":{"compressible":false,"extensions":["arj"]},"application/x-authorware-bin":{"source":"apache","extensions":["aab","x32","u32","vox"]},"application/x-authorware-map":{"source":"apache","extensions":["aam"]},"application/x-authorware-seg":{"source":"apache","extensions":["aas"]},"application/x-bcpio":{"source":"apache","extensions":["bcpio"]},"application/x-bdoc":{"compressible":false,"extensions":["bdoc"]},"application/x-bittorrent":{"source":"apache","extensions":["torrent"]},"application/x-blorb":{"source":"apache","extensions":["blb","blorb"]},"application/x-bzip":{"source":"apache","compressible":false,"extensions":["bz"]},"application/x-bzip2":{"source":"apache","compressible":false,"extensions":["bz2","boz"]},"application/x-cbr":{"source":"apache","extensions":["cbr","cba","cbt","cbz","cb7"]},"application/x-cdlink":{"source":"apache","extensions":["vcd"]},"application/x-cfs-compressed":{"source":"apache","extensions":["cfs"]},"application/x-chat":{"source":"apache","extensions":["chat"]},"application/x-chess-pgn":{"source":"apache","extensions":["pgn"]},"application/x-chrome-extension":{"extensions":["crx"]},"application/x-cocoa":{"source":"nginx","extensions":["cco"]},"application/x-compress":{"source":"apache"},"application/x-conference":{"source":"apache","extensions":["nsc"]},"application/x-cpio":{"source":"apache","extensions":["cpio"]},"application/x-csh":{"source":"apache","extensions":["csh"]},"application/x-deb":{"compressible":false},"application/x-debian-package":{"source":"apache","extensions":["deb","udeb"]},"application/x-dgc-compressed":{"source":"apache","extensions":["dgc"]},"application/x-director":{"source":"apache","extensions":["dir","dcr","dxr","cst","cct","cxt","w3d","fgd","swa"]},"application/x-doom":{"source":"apache","extensions":["wad"]},"application/x-dtbncx+xml":{"source":"apache","compressible":true,"extensions":["ncx"]},"application/x-dtbook+xml":{"source":"apache","compressible":true,"extensions":["dtb"]},"application/x-dtbresource+xml":{"source":"apache","compressible":true,"extensions":["res"]},"application/x-dvi":{"source":"apache","compressible":false,"extensions":["dvi"]},"application/x-envoy":{"source":"apache","extensions":["evy"]},"application/x-eva":{"source":"apache","extensions":["eva"]},"application/x-font-bdf":{"source":"apache","extensions":["bdf"]},"application/x-font-dos":{"source":"apache"},"application/x-font-framemaker":{"source":"apache"},"application/x-font-ghostscript":{"source":"apache","extensions":["gsf"]},"application/x-font-libgrx":{"source":"apache"},"application/x-font-linux-psf":{"source":"apache","extensions":["psf"]},"application/x-font-pcf":{"source":"apache","extensions":["pcf"]},"application/x-font-snf":{"source":"apache","extensions":["snf"]},"application/x-font-speedo":{"source":"apache"},"application/x-font-sunos-news":{"source":"apache"},"application/x-font-type1":{"source":"apache","extensions":["pfa","pfb","pfm","afm"]},"application/x-font-vfont":{"source":"apache"},"application/x-freearc":{"source":"apache","extensions":["arc"]},"application/x-futuresplash":{"source":"apache","extensions":["spl"]},"application/x-gca-compressed":{"source":"apache","extensions":["gca"]},"application/x-glulx":{"source":"apache","extensions":["ulx"]},"application/x-gnumeric":{"source":"apache","extensions":["gnumeric"]},"application/x-gramps-xml":{"source":"apache","extensions":["gramps"]},"application/x-gtar":{"source":"apache","extensions":["gtar"]},"application/x-gzip":{"source":"apache"},"application/x-hdf":{"source":"apache","extensions":["hdf"]},"application/x-httpd-php":{"compressible":true,"extensions":["php"]},"application/x-install-instructions":{"source":"apache","extensions":["install"]},"application/x-iso9660-image":{"source":"apache","extensions":["iso"]},"application/x-java-archive-diff":{"source":"nginx","extensions":["jardiff"]},"application/x-java-jnlp-file":{"source":"apache","compressible":false,"extensions":["jnlp"]},"application/x-javascript":{"compressible":true},"application/x-keepass2":{"extensions":["kdbx"]},"application/x-latex":{"source":"apache","compressible":false,"extensions":["latex"]},"application/x-lua-bytecode":{"extensions":["luac"]},"application/x-lzh-compressed":{"source":"apache","extensions":["lzh","lha"]},"application/x-makeself":{"source":"nginx","extensions":["run"]},"application/x-mie":{"source":"apache","extensions":["mie"]},"application/x-mobipocket-ebook":{"source":"apache","extensions":["prc","mobi"]},"application/x-mpegurl":{"compressible":false},"application/x-ms-application":{"source":"apache","extensions":["application"]},"application/x-ms-shortcut":{"source":"apache","extensions":["lnk"]},"application/x-ms-wmd":{"source":"apache","extensions":["wmd"]},"application/x-ms-wmz":{"source":"apache","extensions":["wmz"]},"application/x-ms-xbap":{"source":"apache","extensions":["xbap"]},"application/x-msaccess":{"source":"apache","extensions":["mdb"]},"application/x-msbinder":{"source":"apache","extensions":["obd"]},"application/x-mscardfile":{"source":"apache","extensions":["crd"]},"application/x-msclip":{"source":"apache","extensions":["clp"]},"application/x-msdos-program":{"extensions":["exe"]},"application/x-msdownload":{"source":"apache","extensions":["exe","dll","com","bat","msi"]},"application/x-msmediaview":{"source":"apache","extensions":["mvb","m13","m14"]},"application/x-msmetafile":{"source":"apache","extensions":["wmf","wmz","emf","emz"]},"application/x-msmoney":{"source":"apache","extensions":["mny"]},"application/x-mspublisher":{"source":"apache","extensions":["pub"]},"application/x-msschedule":{"source":"apache","extensions":["scd"]},"application/x-msterminal":{"source":"apache","extensions":["trm"]},"application/x-mswrite":{"source":"apache","extensions":["wri"]},"application/x-netcdf":{"source":"apache","extensions":["nc","cdf"]},"application/x-ns-proxy-autoconfig":{"compressible":true,"extensions":["pac"]},"application/x-nzb":{"source":"apache","extensions":["nzb"]},"application/x-perl":{"source":"nginx","extensions":["pl","pm"]},"application/x-pilot":{"source":"nginx","extensions":["prc","pdb"]},"application/x-pkcs12":{"source":"apache","compressible":false,"extensions":["p12","pfx"]},"application/x-pkcs7-certificates":{"source":"apache","extensions":["p7b","spc"]},"application/x-pkcs7-certreqresp":{"source":"apache","extensions":["p7r"]},"application/x-pki-message":{"source":"iana"},"application/x-rar-compressed":{"source":"apache","compressible":false,"extensions":["rar"]},"application/x-redhat-package-manager":{"source":"nginx","extensions":["rpm"]},"application/x-research-info-systems":{"source":"apache","extensions":["ris"]},"application/x-sea":{"source":"nginx","extensions":["sea"]},"application/x-sh":{"source":"apache","compressible":true,"extensions":["sh"]},"application/x-shar":{"source":"apache","extensions":["shar"]},"application/x-shockwave-flash":{"source":"apache","compressible":false,"extensions":["swf"]},"application/x-silverlight-app":{"source":"apache","extensions":["xap"]},"application/x-sql":{"source":"apache","extensions":["sql"]},"application/x-stuffit":{"source":"apache","compressible":false,"extensions":["sit"]},"application/x-stuffitx":{"source":"apache","extensions":["sitx"]},"application/x-subrip":{"source":"apache","extensions":["srt"]},"application/x-sv4cpio":{"source":"apache","extensions":["sv4cpio"]},"application/x-sv4crc":{"source":"apache","extensions":["sv4crc"]},"application/x-t3vm-image":{"source":"apache","extensions":["t3"]},"application/x-tads":{"source":"apache","extensions":["gam"]},"application/x-tar":{"source":"apache","compressible":true,"extensions":["tar"]},"application/x-tcl":{"source":"apache","extensions":["tcl","tk"]},"application/x-tex":{"source":"apache","extensions":["tex"]},"application/x-tex-tfm":{"source":"apache","extensions":["tfm"]},"application/x-texinfo":{"source":"apache","extensions":["texinfo","texi"]},"application/x-tgif":{"source":"apache","extensions":["obj"]},"application/x-ustar":{"source":"apache","extensions":["ustar"]},"application/x-virtualbox-hdd":{"compressible":true,"extensions":["hdd"]},"application/x-virtualbox-ova":{"compressible":true,"extensions":["ova"]},"application/x-virtualbox-ovf":{"compressible":true,"extensions":["ovf"]},"application/x-virtualbox-vbox":{"compressible":true,"extensions":["vbox"]},"application/x-virtualbox-vbox-extpack":{"compressible":false,"extensions":["vbox-extpack"]},"application/x-virtualbox-vdi":{"compressible":true,"extensions":["vdi"]},"application/x-virtualbox-vhd":{"compressible":true,"extensions":["vhd"]},"application/x-virtualbox-vmdk":{"compressible":true,"extensions":["vmdk"]},"application/x-wais-source":{"source":"apache","extensions":["src"]},"application/x-web-app-manifest+json":{"compressible":true,"extensions":["webapp"]},"application/x-www-form-urlencoded":{"source":"iana","compressible":true},"application/x-x509-ca-cert":{"source":"iana","extensions":["der","crt","pem"]},"application/x-x509-ca-ra-cert":{"source":"iana"},"application/x-x509-next-ca-cert":{"source":"iana"},"application/x-xfig":{"source":"apache","extensions":["fig"]},"application/x-xliff+xml":{"source":"apache","compressible":true,"extensions":["xlf"]},"application/x-xpinstall":{"source":"apache","compressible":false,"extensions":["xpi"]},"application/x-xz":{"source":"apache","extensions":["xz"]},"application/x-zmachine":{"source":"apache","extensions":["z1","z2","z3","z4","z5","z6","z7","z8"]},"application/x400-bp":{"source":"iana"},"application/xacml+xml":{"source":"iana","compressible":true},"application/xaml+xml":{"source":"apache","compressible":true,"extensions":["xaml"]},"application/xcap-att+xml":{"source":"iana","compressible":true,"extensions":["xav"]},"application/xcap-caps+xml":{"source":"iana","compressible":true,"extensions":["xca"]},"application/xcap-diff+xml":{"source":"iana","compressible":true,"extensions":["xdf"]},"application/xcap-el+xml":{"source":"iana","compressible":true,"extensions":["xel"]},"application/xcap-error+xml":{"source":"iana","compressible":true,"extensions":["xer"]},"application/xcap-ns+xml":{"source":"iana","compressible":true,"extensions":["xns"]},"application/xcon-conference-info+xml":{"source":"iana","compressible":true},"application/xcon-conference-info-diff+xml":{"source":"iana","compressible":true},"application/xenc+xml":{"source":"iana","compressible":true,"extensions":["xenc"]},"application/xhtml+xml":{"source":"iana","compressible":true,"extensions":["xhtml","xht"]},"application/xhtml-voice+xml":{"source":"apache","compressible":true},"application/xliff+xml":{"source":"iana","compressible":true,"extensions":["xlf"]},"application/xml":{"source":"iana","compressible":true,"extensions":["xml","xsl","xsd","rng"]},"application/xml-dtd":{"source":"iana","compressible":true,"extensions":["dtd"]},"application/xml-external-parsed-entity":{"source":"iana"},"application/xml-patch+xml":{"source":"iana","compressible":true},"application/xmpp+xml":{"source":"iana","compressible":true},"application/xop+xml":{"source":"iana","compressible":true,"extensions":["xop"]},"application/xproc+xml":{"source":"apache","compressible":true,"extensions":["xpl"]},"application/xslt+xml":{"source":"iana","compressible":true,"extensions":["xsl","xslt"]},"application/xspf+xml":{"source":"apache","compressible":true,"extensions":["xspf"]},"application/xv+xml":{"source":"iana","compressible":true,"extensions":["mxml","xhvml","xvml","xvm"]},"application/yang":{"source":"iana","extensions":["yang"]},"application/yang-data+json":{"source":"iana","compressible":true},"application/yang-data+xml":{"source":"iana","compressible":true},"application/yang-patch+json":{"source":"iana","compressible":true},"application/yang-patch+xml":{"source":"iana","compressible":true},"application/yin+xml":{"source":"iana","compressible":true,"extensions":["yin"]},"application/zip":{"source":"iana","compressible":false,"extensions":["zip"]},"application/zlib":{"source":"iana"},"application/zstd":{"source":"iana"},"audio/1d-interleaved-parityfec":{"source":"iana"},"audio/32kadpcm":{"source":"iana"},"audio/3gpp":{"source":"iana","compressible":false,"extensions":["3gpp"]},"audio/3gpp2":{"source":"iana"},"audio/aac":{"source":"iana"},"audio/ac3":{"source":"iana"},"audio/adpcm":{"source":"apache","extensions":["adp"]},"audio/amr":{"source":"iana"},"audio/amr-wb":{"source":"iana"},"audio/amr-wb+":{"source":"iana"},"audio/aptx":{"source":"iana"},"audio/asc":{"source":"iana"},"audio/atrac-advanced-lossless":{"source":"iana"},"audio/atrac-x":{"source":"iana"},"audio/atrac3":{"source":"iana"},"audio/basic":{"source":"iana","compressible":false,"extensions":["au","snd"]},"audio/bv16":{"source":"iana"},"audio/bv32":{"source":"iana"},"audio/clearmode":{"source":"iana"},"audio/cn":{"source":"iana"},"audio/dat12":{"source":"iana"},"audio/dls":{"source":"iana"},"audio/dsr-es201108":{"source":"iana"},"audio/dsr-es202050":{"source":"iana"},"audio/dsr-es202211":{"source":"iana"},"audio/dsr-es202212":{"source":"iana"},"audio/dv":{"source":"iana"},"audio/dvi4":{"source":"iana"},"audio/eac3":{"source":"iana"},"audio/encaprtp":{"source":"iana"},"audio/evrc":{"source":"iana"},"audio/evrc-qcp":{"source":"iana"},"audio/evrc0":{"source":"iana"},"audio/evrc1":{"source":"iana"},"audio/evrcb":{"source":"iana"},"audio/evrcb0":{"source":"iana"},"audio/evrcb1":{"source":"iana"},"audio/evrcnw":{"source":"iana"},"audio/evrcnw0":{"source":"iana"},"audio/evrcnw1":{"source":"iana"},"audio/evrcwb":{"source":"iana"},"audio/evrcwb0":{"source":"iana"},"audio/evrcwb1":{"source":"iana"},"audio/evs":{"source":"iana"},"audio/flexfec":{"source":"iana"},"audio/fwdred":{"source":"iana"},"audio/g711-0":{"source":"iana"},"audio/g719":{"source":"iana"},"audio/g722":{"source":"iana"},"audio/g7221":{"source":"iana"},"audio/g723":{"source":"iana"},"audio/g726-16":{"source":"iana"},"audio/g726-24":{"source":"iana"},"audio/g726-32":{"source":"iana"},"audio/g726-40":{"source":"iana"},"audio/g728":{"source":"iana"},"audio/g729":{"source":"iana"},"audio/g7291":{"source":"iana"},"audio/g729d":{"source":"iana"},"audio/g729e":{"source":"iana"},"audio/gsm":{"source":"iana"},"audio/gsm-efr":{"source":"iana"},"audio/gsm-hr-08":{"source":"iana"},"audio/ilbc":{"source":"iana"},"audio/ip-mr_v2.5":{"source":"iana"},"audio/isac":{"source":"apache"},"audio/l16":{"source":"iana"},"audio/l20":{"source":"iana"},"audio/l24":{"source":"iana","compressible":false},"audio/l8":{"source":"iana"},"audio/lpc":{"source":"iana"},"audio/melp":{"source":"iana"},"audio/melp1200":{"source":"iana"},"audio/melp2400":{"source":"iana"},"audio/melp600":{"source":"iana"},"audio/mhas":{"source":"iana"},"audio/midi":{"source":"apache","extensions":["mid","midi","kar","rmi"]},"audio/mobile-xmf":{"source":"iana","extensions":["mxmf"]},"audio/mp3":{"compressible":false,"extensions":["mp3"]},"audio/mp4":{"source":"iana","compressible":false,"extensions":["m4a","mp4a"]},"audio/mp4a-latm":{"source":"iana"},"audio/mpa":{"source":"iana"},"audio/mpa-robust":{"source":"iana"},"audio/mpeg":{"source":"iana","compressible":false,"extensions":["mpga","mp2","mp2a","mp3","m2a","m3a"]},"audio/mpeg4-generic":{"source":"iana"},"audio/musepack":{"source":"apache"},"audio/ogg":{"source":"iana","compressible":false,"extensions":["oga","ogg","spx"]},"audio/opus":{"source":"iana"},"audio/parityfec":{"source":"iana"},"audio/pcma":{"source":"iana"},"audio/pcma-wb":{"source":"iana"},"audio/pcmu":{"source":"iana"},"audio/pcmu-wb":{"source":"iana"},"audio/prs.sid":{"source":"iana"},"audio/qcelp":{"source":"iana"},"audio/raptorfec":{"source":"iana"},"audio/red":{"source":"iana"},"audio/rtp-enc-aescm128":{"source":"iana"},"audio/rtp-midi":{"source":"iana"},"audio/rtploopback":{"source":"iana"},"audio/rtx":{"source":"iana"},"audio/s3m":{"source":"apache","extensions":["s3m"]},"audio/silk":{"source":"apache","extensions":["sil"]},"audio/smv":{"source":"iana"},"audio/smv-qcp":{"source":"iana"},"audio/smv0":{"source":"iana"},"audio/sofa":{"source":"iana"},"audio/sp-midi":{"source":"iana"},"audio/speex":{"source":"iana"},"audio/t140c":{"source":"iana"},"audio/t38":{"source":"iana"},"audio/telephone-event":{"source":"iana"},"audio/tetra_acelp":{"source":"iana"},"audio/tetra_acelp_bb":{"source":"iana"},"audio/tone":{"source":"iana"},"audio/tsvcis":{"source":"iana"},"audio/uemclip":{"source":"iana"},"audio/ulpfec":{"source":"iana"},"audio/usac":{"source":"iana"},"audio/vdvi":{"source":"iana"},"audio/vmr-wb":{"source":"iana"},"audio/vnd.3gpp.iufp":{"source":"iana"},"audio/vnd.4sb":{"source":"iana"},"audio/vnd.audiokoz":{"source":"iana"},"audio/vnd.celp":{"source":"iana"},"audio/vnd.cisco.nse":{"source":"iana"},"audio/vnd.cmles.radio-events":{"source":"iana"},"audio/vnd.cns.anp1":{"source":"iana"},"audio/vnd.cns.inf1":{"source":"iana"},"audio/vnd.dece.audio":{"source":"iana","extensions":["uva","uvva"]},"audio/vnd.digital-winds":{"source":"iana","extensions":["eol"]},"audio/vnd.dlna.adts":{"source":"iana"},"audio/vnd.dolby.heaac.1":{"source":"iana"},"audio/vnd.dolby.heaac.2":{"source":"iana"},"audio/vnd.dolby.mlp":{"source":"iana"},"audio/vnd.dolby.mps":{"source":"iana"},"audio/vnd.dolby.pl2":{"source":"iana"},"audio/vnd.dolby.pl2x":{"source":"iana"},"audio/vnd.dolby.pl2z":{"source":"iana"},"audio/vnd.dolby.pulse.1":{"source":"iana"},"audio/vnd.dra":{"source":"iana","extensions":["dra"]},"audio/vnd.dts":{"source":"iana","extensions":["dts"]},"audio/vnd.dts.hd":{"source":"iana","extensions":["dtshd"]},"audio/vnd.dts.uhd":{"source":"iana"},"audio/vnd.dvb.file":{"source":"iana"},"audio/vnd.everad.plj":{"source":"iana"},"audio/vnd.hns.audio":{"source":"iana"},"audio/vnd.lucent.voice":{"source":"iana","extensions":["lvp"]},"audio/vnd.ms-playready.media.pya":{"source":"iana","extensions":["pya"]},"audio/vnd.nokia.mobile-xmf":{"source":"iana"},"audio/vnd.nortel.vbk":{"source":"iana"},"audio/vnd.nuera.ecelp4800":{"source":"iana","extensions":["ecelp4800"]},"audio/vnd.nuera.ecelp7470":{"source":"iana","extensions":["ecelp7470"]},"audio/vnd.nuera.ecelp9600":{"source":"iana","extensions":["ecelp9600"]},"audio/vnd.octel.sbc":{"source":"iana"},"audio/vnd.presonus.multitrack":{"source":"iana"},"audio/vnd.qcelp":{"source":"iana"},"audio/vnd.rhetorex.32kadpcm":{"source":"iana"},"audio/vnd.rip":{"source":"iana","extensions":["rip"]},"audio/vnd.rn-realaudio":{"compressible":false},"audio/vnd.sealedmedia.softseal.mpeg":{"source":"iana"},"audio/vnd.vmx.cvsd":{"source":"iana"},"audio/vnd.wave":{"compressible":false},"audio/vorbis":{"source":"iana","compressible":false},"audio/vorbis-config":{"source":"iana"},"audio/wav":{"compressible":false,"extensions":["wav"]},"audio/wave":{"compressible":false,"extensions":["wav"]},"audio/webm":{"source":"apache","compressible":false,"extensions":["weba"]},"audio/x-aac":{"source":"apache","compressible":false,"extensions":["aac"]},"audio/x-aiff":{"source":"apache","extensions":["aif","aiff","aifc"]},"audio/x-caf":{"source":"apache","compressible":false,"extensions":["caf"]},"audio/x-flac":{"source":"apache","extensions":["flac"]},"audio/x-m4a":{"source":"nginx","extensions":["m4a"]},"audio/x-matroska":{"source":"apache","extensions":["mka"]},"audio/x-mpegurl":{"source":"apache","extensions":["m3u"]},"audio/x-ms-wax":{"source":"apache","extensions":["wax"]},"audio/x-ms-wma":{"source":"apache","extensions":["wma"]},"audio/x-pn-realaudio":{"source":"apache","extensions":["ram","ra"]},"audio/x-pn-realaudio-plugin":{"source":"apache","extensions":["rmp"]},"audio/x-realaudio":{"source":"nginx","extensions":["ra"]},"audio/x-tta":{"source":"apache"},"audio/x-wav":{"source":"apache","extensions":["wav"]},"audio/xm":{"source":"apache","extensions":["xm"]},"chemical/x-cdx":{"source":"apache","extensions":["cdx"]},"chemical/x-cif":{"source":"apache","extensions":["cif"]},"chemical/x-cmdf":{"source":"apache","extensions":["cmdf"]},"chemical/x-cml":{"source":"apache","extensions":["cml"]},"chemical/x-csml":{"source":"apache","extensions":["csml"]},"chemical/x-pdb":{"source":"apache"},"chemical/x-xyz":{"source":"apache","extensions":["xyz"]},"font/collection":{"source":"iana","extensions":["ttc"]},"font/otf":{"source":"iana","compressible":true,"extensions":["otf"]},"font/sfnt":{"source":"iana"},"font/ttf":{"source":"iana","compressible":true,"extensions":["ttf"]},"font/woff":{"source":"iana","extensions":["woff"]},"font/woff2":{"source":"iana","extensions":["woff2"]},"image/aces":{"source":"iana","extensions":["exr"]},"image/apng":{"compressible":false,"extensions":["apng"]},"image/avci":{"source":"iana"},"image/avcs":{"source":"iana"},"image/avif":{"compressible":false,"extensions":["avif"]},"image/bmp":{"source":"iana","compressible":true,"extensions":["bmp"]},"image/cgm":{"source":"iana","extensions":["cgm"]},"image/dicom-rle":{"source":"iana","extensions":["drle"]},"image/emf":{"source":"iana","extensions":["emf"]},"image/fits":{"source":"iana","extensions":["fits"]},"image/g3fax":{"source":"iana","extensions":["g3"]},"image/gif":{"source":"iana","compressible":false,"extensions":["gif"]},"image/heic":{"source":"iana","extensions":["heic"]},"image/heic-sequence":{"source":"iana","extensions":["heics"]},"image/heif":{"source":"iana","extensions":["heif"]},"image/heif-sequence":{"source":"iana","extensions":["heifs"]},"image/hej2k":{"source":"iana","extensions":["hej2"]},"image/hsj2":{"source":"iana","extensions":["hsj2"]},"image/ief":{"source":"iana","extensions":["ief"]},"image/jls":{"source":"iana","extensions":["jls"]},"image/jp2":{"source":"iana","compressible":false,"extensions":["jp2","jpg2"]},"image/jpeg":{"source":"iana","compressible":false,"extensions":["jpeg","jpg","jpe"]},"image/jph":{"source":"iana","extensions":["jph"]},"image/jphc":{"source":"iana","extensions":["jhc"]},"image/jpm":{"source":"iana","compressible":false,"extensions":["jpm"]},"image/jpx":{"source":"iana","compressible":false,"extensions":["jpx","jpf"]},"image/jxr":{"source":"iana","extensions":["jxr"]},"image/jxra":{"source":"iana","extensions":["jxra"]},"image/jxrs":{"source":"iana","extensions":["jxrs"]},"image/jxs":{"source":"iana","extensions":["jxs"]},"image/jxsc":{"source":"iana","extensions":["jxsc"]},"image/jxsi":{"source":"iana","extensions":["jxsi"]},"image/jxss":{"source":"iana","extensions":["jxss"]},"image/ktx":{"source":"iana","extensions":["ktx"]},"image/ktx2":{"source":"iana","extensions":["ktx2"]},"image/naplps":{"source":"iana"},"image/pjpeg":{"compressible":false},"image/png":{"source":"iana","compressible":false,"extensions":["png"]},"image/prs.btif":{"source":"iana","extensions":["btif"]},"image/prs.pti":{"source":"iana","extensions":["pti"]},"image/pwg-raster":{"source":"iana"},"image/sgi":{"source":"apache","extensions":["sgi"]},"image/svg+xml":{"source":"iana","compressible":true,"extensions":["svg","svgz"]},"image/t38":{"source":"iana","extensions":["t38"]},"image/tiff":{"source":"iana","compressible":false,"extensions":["tif","tiff"]},"image/tiff-fx":{"source":"iana","extensions":["tfx"]},"image/vnd.adobe.photoshop":{"source":"iana","compressible":true,"extensions":["psd"]},"image/vnd.airzip.accelerator.azv":{"source":"iana","extensions":["azv"]},"image/vnd.cns.inf2":{"source":"iana"},"image/vnd.dece.graphic":{"source":"iana","extensions":["uvi","uvvi","uvg","uvvg"]},"image/vnd.djvu":{"source":"iana","extensions":["djvu","djv"]},"image/vnd.dvb.subtitle":{"source":"iana","extensions":["sub"]},"image/vnd.dwg":{"source":"iana","extensions":["dwg"]},"image/vnd.dxf":{"source":"iana","extensions":["dxf"]},"image/vnd.fastbidsheet":{"source":"iana","extensions":["fbs"]},"image/vnd.fpx":{"source":"iana","extensions":["fpx"]},"image/vnd.fst":{"source":"iana","extensions":["fst"]},"image/vnd.fujixerox.edmics-mmr":{"source":"iana","extensions":["mmr"]},"image/vnd.fujixerox.edmics-rlc":{"source":"iana","extensions":["rlc"]},"image/vnd.globalgraphics.pgb":{"source":"iana"},"image/vnd.microsoft.icon":{"source":"iana","extensions":["ico"]},"image/vnd.mix":{"source":"iana"},"image/vnd.mozilla.apng":{"source":"iana"},"image/vnd.ms-dds":{"extensions":["dds"]},"image/vnd.ms-modi":{"source":"iana","extensions":["mdi"]},"image/vnd.ms-photo":{"source":"apache","extensions":["wdp"]},"image/vnd.net-fpx":{"source":"iana","extensions":["npx"]},"image/vnd.pco.b16":{"source":"iana","extensions":["b16"]},"image/vnd.radiance":{"source":"iana"},"image/vnd.sealed.png":{"source":"iana"},"image/vnd.sealedmedia.softseal.gif":{"source":"iana"},"image/vnd.sealedmedia.softseal.jpg":{"source":"iana"},"image/vnd.svf":{"source":"iana"},"image/vnd.tencent.tap":{"source":"iana","extensions":["tap"]},"image/vnd.valve.source.texture":{"source":"iana","extensions":["vtf"]},"image/vnd.wap.wbmp":{"source":"iana","extensions":["wbmp"]},"image/vnd.xiff":{"source":"iana","extensions":["xif"]},"image/vnd.zbrush.pcx":{"source":"iana","extensions":["pcx"]},"image/webp":{"source":"apache","extensions":["webp"]},"image/wmf":{"source":"iana","extensions":["wmf"]},"image/x-3ds":{"source":"apache","extensions":["3ds"]},"image/x-cmu-raster":{"source":"apache","extensions":["ras"]},"image/x-cmx":{"source":"apache","extensions":["cmx"]},"image/x-freehand":{"source":"apache","extensions":["fh","fhc","fh4","fh5","fh7"]},"image/x-icon":{"source":"apache","compressible":true,"extensions":["ico"]},"image/x-jng":{"source":"nginx","extensions":["jng"]},"image/x-mrsid-image":{"source":"apache","extensions":["sid"]},"image/x-ms-bmp":{"source":"nginx","compressible":true,"extensions":["bmp"]},"image/x-pcx":{"source":"apache","extensions":["pcx"]},"image/x-pict":{"source":"apache","extensions":["pic","pct"]},"image/x-portable-anymap":{"source":"apache","extensions":["pnm"]},"image/x-portable-bitmap":{"source":"apache","extensions":["pbm"]},"image/x-portable-graymap":{"source":"apache","extensions":["pgm"]},"image/x-portable-pixmap":{"source":"apache","extensions":["ppm"]},"image/x-rgb":{"source":"apache","extensions":["rgb"]},"image/x-tga":{"source":"apache","extensions":["tga"]},"image/x-xbitmap":{"source":"apache","extensions":["xbm"]},"image/x-xcf":{"compressible":false},"image/x-xpixmap":{"source":"apache","extensions":["xpm"]},"image/x-xwindowdump":{"source":"apache","extensions":["xwd"]},"message/cpim":{"source":"iana"},"message/delivery-status":{"source":"iana"},"message/disposition-notification":{"source":"iana","extensions":["disposition-notification"]},"message/external-body":{"source":"iana"},"message/feedback-report":{"source":"iana"},"message/global":{"source":"iana","extensions":["u8msg"]},"message/global-delivery-status":{"source":"iana","extensions":["u8dsn"]},"message/global-disposition-notification":{"source":"iana","extensions":["u8mdn"]},"message/global-headers":{"source":"iana","extensions":["u8hdr"]},"message/http":{"source":"iana","compressible":false},"message/imdn+xml":{"source":"iana","compressible":true},"message/news":{"source":"iana"},"message/partial":{"source":"iana","compressible":false},"message/rfc822":{"source":"iana","compressible":true,"extensions":["eml","mime"]},"message/s-http":{"source":"iana"},"message/sip":{"source":"iana"},"message/sipfrag":{"source":"iana"},"message/tracking-status":{"source":"iana"},"message/vnd.si.simp":{"source":"iana"},"message/vnd.wfa.wsc":{"source":"iana","extensions":["wsc"]},"model/3mf":{"source":"iana","extensions":["3mf"]},"model/e57":{"source":"iana"},"model/gltf+json":{"source":"iana","compressible":true,"extensions":["gltf"]},"model/gltf-binary":{"source":"iana","compressible":true,"extensions":["glb"]},"model/iges":{"source":"iana","compressible":false,"extensions":["igs","iges"]},"model/mesh":{"source":"iana","compressible":false,"extensions":["msh","mesh","silo"]},"model/mtl":{"source":"iana","extensions":["mtl"]},"model/obj":{"source":"iana","extensions":["obj"]},"model/stl":{"source":"iana","extensions":["stl"]},"model/vnd.collada+xml":{"source":"iana","compressible":true,"extensions":["dae"]},"model/vnd.dwf":{"source":"iana","extensions":["dwf"]},"model/vnd.flatland.3dml":{"source":"iana"},"model/vnd.gdl":{"source":"iana","extensions":["gdl"]},"model/vnd.gs-gdl":{"source":"apache"},"model/vnd.gs.gdl":{"source":"iana"},"model/vnd.gtw":{"source":"iana","extensions":["gtw"]},"model/vnd.moml+xml":{"source":"iana","compressible":true},"model/vnd.mts":{"source":"iana","extensions":["mts"]},"model/vnd.opengex":{"source":"iana","extensions":["ogex"]},"model/vnd.parasolid.transmit.binary":{"source":"iana","extensions":["x_b"]},"model/vnd.parasolid.transmit.text":{"source":"iana","extensions":["x_t"]},"model/vnd.rosette.annotated-data-model":{"source":"iana"},"model/vnd.usdz+zip":{"source":"iana","compressible":false,"extensions":["usdz"]},"model/vnd.valve.source.compiled-map":{"source":"iana","extensions":["bsp"]},"model/vnd.vtu":{"source":"iana","extensions":["vtu"]},"model/vrml":{"source":"iana","compressible":false,"extensions":["wrl","vrml"]},"model/x3d+binary":{"source":"apache","compressible":false,"extensions":["x3db","x3dbz"]},"model/x3d+fastinfoset":{"source":"iana","extensions":["x3db"]},"model/x3d+vrml":{"source":"apache","compressible":false,"extensions":["x3dv","x3dvz"]},"model/x3d+xml":{"source":"iana","compressible":true,"extensions":["x3d","x3dz"]},"model/x3d-vrml":{"source":"iana","extensions":["x3dv"]},"multipart/alternative":{"source":"iana","compressible":false},"multipart/appledouble":{"source":"iana"},"multipart/byteranges":{"source":"iana"},"multipart/digest":{"source":"iana"},"multipart/encrypted":{"source":"iana","compressible":false},"multipart/form-data":{"source":"iana","compressible":false},"multipart/header-set":{"source":"iana"},"multipart/mixed":{"source":"iana"},"multipart/multilingual":{"source":"iana"},"multipart/parallel":{"source":"iana"},"multipart/related":{"source":"iana","compressible":false},"multipart/report":{"source":"iana"},"multipart/signed":{"source":"iana","compressible":false},"multipart/vnd.bint.med-plus":{"source":"iana"},"multipart/voice-message":{"source":"iana"},"multipart/x-mixed-replace":{"source":"iana"},"text/1d-interleaved-parityfec":{"source":"iana"},"text/cache-manifest":{"source":"iana","compressible":true,"extensions":["appcache","manifest"]},"text/calendar":{"source":"iana","extensions":["ics","ifb"]},"text/calender":{"compressible":true},"text/cmd":{"compressible":true},"text/coffeescript":{"extensions":["coffee","litcoffee"]},"text/css":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["css"]},"text/csv":{"source":"iana","compressible":true,"extensions":["csv"]},"text/csv-schema":{"source":"iana"},"text/directory":{"source":"iana"},"text/dns":{"source":"iana"},"text/ecmascript":{"source":"iana"},"text/encaprtp":{"source":"iana"},"text/enriched":{"source":"iana"},"text/flexfec":{"source":"iana"},"text/fwdred":{"source":"iana"},"text/gff3":{"source":"iana"},"text/grammar-ref-list":{"source":"iana"},"text/html":{"source":"iana","compressible":true,"extensions":["html","htm","shtml"]},"text/jade":{"extensions":["jade"]},"text/javascript":{"source":"iana","compressible":true},"text/jcr-cnd":{"source":"iana"},"text/jsx":{"compressible":true,"extensions":["jsx"]},"text/less":{"compressible":true,"extensions":["less"]},"text/markdown":{"source":"iana","compressible":true,"extensions":["markdown","md"]},"text/mathml":{"source":"nginx","extensions":["mml"]},"text/mdx":{"compressible":true,"extensions":["mdx"]},"text/mizar":{"source":"iana"},"text/n3":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["n3"]},"text/parameters":{"source":"iana","charset":"UTF-8"},"text/parityfec":{"source":"iana"},"text/plain":{"source":"iana","compressible":true,"extensions":["txt","text","conf","def","list","log","in","ini"]},"text/provenance-notation":{"source":"iana","charset":"UTF-8"},"text/prs.fallenstein.rst":{"source":"iana"},"text/prs.lines.tag":{"source":"iana","extensions":["dsc"]},"text/prs.prop.logic":{"source":"iana"},"text/raptorfec":{"source":"iana"},"text/red":{"source":"iana"},"text/rfc822-headers":{"source":"iana"},"text/richtext":{"source":"iana","compressible":true,"extensions":["rtx"]},"text/rtf":{"source":"iana","compressible":true,"extensions":["rtf"]},"text/rtp-enc-aescm128":{"source":"iana"},"text/rtploopback":{"source":"iana"},"text/rtx":{"source":"iana"},"text/sgml":{"source":"iana","extensions":["sgml","sgm"]},"text/shaclc":{"source":"iana"},"text/shex":{"extensions":["shex"]},"text/slim":{"extensions":["slim","slm"]},"text/spdx":{"source":"iana","extensions":["spdx"]},"text/strings":{"source":"iana"},"text/stylus":{"extensions":["stylus","styl"]},"text/t140":{"source":"iana"},"text/tab-separated-values":{"source":"iana","compressible":true,"extensions":["tsv"]},"text/troff":{"source":"iana","extensions":["t","tr","roff","man","me","ms"]},"text/turtle":{"source":"iana","charset":"UTF-8","extensions":["ttl"]},"text/ulpfec":{"source":"iana"},"text/uri-list":{"source":"iana","compressible":true,"extensions":["uri","uris","urls"]},"text/vcard":{"source":"iana","compressible":true,"extensions":["vcard"]},"text/vnd.a":{"source":"iana"},"text/vnd.abc":{"source":"iana"},"text/vnd.ascii-art":{"source":"iana"},"text/vnd.curl":{"source":"iana","extensions":["curl"]},"text/vnd.curl.dcurl":{"source":"apache","extensions":["dcurl"]},"text/vnd.curl.mcurl":{"source":"apache","extensions":["mcurl"]},"text/vnd.curl.scurl":{"source":"apache","extensions":["scurl"]},"text/vnd.debian.copyright":{"source":"iana","charset":"UTF-8"},"text/vnd.dmclientscript":{"source":"iana"},"text/vnd.dvb.subtitle":{"source":"iana","extensions":["sub"]},"text/vnd.esmertec.theme-descriptor":{"source":"iana","charset":"UTF-8"},"text/vnd.ficlab.flt":{"source":"iana"},"text/vnd.fly":{"source":"iana","extensions":["fly"]},"text/vnd.fmi.flexstor":{"source":"iana","extensions":["flx"]},"text/vnd.gml":{"source":"iana"},"text/vnd.graphviz":{"source":"iana","extensions":["gv"]},"text/vnd.hans":{"source":"iana"},"text/vnd.hgl":{"source":"iana"},"text/vnd.in3d.3dml":{"source":"iana","extensions":["3dml"]},"text/vnd.in3d.spot":{"source":"iana","extensions":["spot"]},"text/vnd.iptc.newsml":{"source":"iana"},"text/vnd.iptc.nitf":{"source":"iana"},"text/vnd.latex-z":{"source":"iana"},"text/vnd.motorola.reflex":{"source":"iana"},"text/vnd.ms-mediapackage":{"source":"iana"},"text/vnd.net2phone.commcenter.command":{"source":"iana"},"text/vnd.radisys.msml-basic-layout":{"source":"iana"},"text/vnd.senx.warpscript":{"source":"iana"},"text/vnd.si.uricatalogue":{"source":"iana"},"text/vnd.sosi":{"source":"iana"},"text/vnd.sun.j2me.app-descriptor":{"source":"iana","charset":"UTF-8","extensions":["jad"]},"text/vnd.trolltech.linguist":{"source":"iana","charset":"UTF-8"},"text/vnd.wap.si":{"source":"iana"},"text/vnd.wap.sl":{"source":"iana"},"text/vnd.wap.wml":{"source":"iana","extensions":["wml"]},"text/vnd.wap.wmlscript":{"source":"iana","extensions":["wmls"]},"text/vtt":{"source":"iana","charset":"UTF-8","compressible":true,"extensions":["vtt"]},"text/x-asm":{"source":"apache","extensions":["s","asm"]},"text/x-c":{"source":"apache","extensions":["c","cc","cxx","cpp","h","hh","dic"]},"text/x-component":{"source":"nginx","extensions":["htc"]},"text/x-fortran":{"source":"apache","extensions":["f","for","f77","f90"]},"text/x-gwt-rpc":{"compressible":true},"text/x-handlebars-template":{"extensions":["hbs"]},"text/x-java-source":{"source":"apache","extensions":["java"]},"text/x-jquery-tmpl":{"compressible":true},"text/x-lua":{"extensions":["lua"]},"text/x-markdown":{"compressible":true,"extensions":["mkd"]},"text/x-nfo":{"source":"apache","extensions":["nfo"]},"text/x-opml":{"source":"apache","extensions":["opml"]},"text/x-org":{"compressible":true,"extensions":["org"]},"text/x-pascal":{"source":"apache","extensions":["p","pas"]},"text/x-processing":{"compressible":true,"extensions":["pde"]},"text/x-sass":{"extensions":["sass"]},"text/x-scss":{"extensions":["scss"]},"text/x-setext":{"source":"apache","extensions":["etx"]},"text/x-sfv":{"source":"apache","extensions":["sfv"]},"text/x-suse-ymp":{"compressible":true,"extensions":["ymp"]},"text/x-uuencode":{"source":"apache","extensions":["uu"]},"text/x-vcalendar":{"source":"apache","extensions":["vcs"]},"text/x-vcard":{"source":"apache","extensions":["vcf"]},"text/xml":{"source":"iana","compressible":true,"extensions":["xml"]},"text/xml-external-parsed-entity":{"source":"iana"},"text/yaml":{"extensions":["yaml","yml"]},"video/1d-interleaved-parityfec":{"source":"iana"},"video/3gpp":{"source":"iana","extensions":["3gp","3gpp"]},"video/3gpp-tt":{"source":"iana"},"video/3gpp2":{"source":"iana","extensions":["3g2"]},"video/bmpeg":{"source":"iana"},"video/bt656":{"source":"iana"},"video/celb":{"source":"iana"},"video/dv":{"source":"iana"},"video/encaprtp":{"source":"iana"},"video/flexfec":{"source":"iana"},"video/h261":{"source":"iana","extensions":["h261"]},"video/h263":{"source":"iana","extensions":["h263"]},"video/h263-1998":{"source":"iana"},"video/h263-2000":{"source":"iana"},"video/h264":{"source":"iana","extensions":["h264"]},"video/h264-rcdo":{"source":"iana"},"video/h264-svc":{"source":"iana"},"video/h265":{"source":"iana"},"video/iso.segment":{"source":"iana"},"video/jpeg":{"source":"iana","extensions":["jpgv"]},"video/jpeg2000":{"source":"iana"},"video/jpm":{"source":"apache","extensions":["jpm","jpgm"]},"video/mj2":{"source":"iana","extensions":["mj2","mjp2"]},"video/mp1s":{"source":"iana"},"video/mp2p":{"source":"iana"},"video/mp2t":{"source":"iana","extensions":["ts"]},"video/mp4":{"source":"iana","compressible":false,"extensions":["mp4","mp4v","mpg4"]},"video/mp4v-es":{"source":"iana"},"video/mpeg":{"source":"iana","compressible":false,"extensions":["mpeg","mpg","mpe","m1v","m2v"]},"video/mpeg4-generic":{"source":"iana"},"video/mpv":{"source":"iana"},"video/nv":{"source":"iana"},"video/ogg":{"source":"iana","compressible":false,"extensions":["ogv"]},"video/parityfec":{"source":"iana"},"video/pointer":{"source":"iana"},"video/quicktime":{"source":"iana","compressible":false,"extensions":["qt","mov"]},"video/raptorfec":{"source":"iana"},"video/raw":{"source":"iana"},"video/rtp-enc-aescm128":{"source":"iana"},"video/rtploopback":{"source":"iana"},"video/rtx":{"source":"iana"},"video/smpte291":{"source":"iana"},"video/smpte292m":{"source":"iana"},"video/ulpfec":{"source":"iana"},"video/vc1":{"source":"iana"},"video/vc2":{"source":"iana"},"video/vnd.cctv":{"source":"iana"},"video/vnd.dece.hd":{"source":"iana","extensions":["uvh","uvvh"]},"video/vnd.dece.mobile":{"source":"iana","extensions":["uvm","uvvm"]},"video/vnd.dece.mp4":{"source":"iana"},"video/vnd.dece.pd":{"source":"iana","extensions":["uvp","uvvp"]},"video/vnd.dece.sd":{"source":"iana","extensions":["uvs","uvvs"]},"video/vnd.dece.video":{"source":"iana","extensions":["uvv","uvvv"]},"video/vnd.directv.mpeg":{"source":"iana"},"video/vnd.directv.mpeg-tts":{"source":"iana"},"video/vnd.dlna.mpeg-tts":{"source":"iana"},"video/vnd.dvb.file":{"source":"iana","extensions":["dvb"]},"video/vnd.fvt":{"source":"iana","extensions":["fvt"]},"video/vnd.hns.video":{"source":"iana"},"video/vnd.iptvforum.1dparityfec-1010":{"source":"iana"},"video/vnd.iptvforum.1dparityfec-2005":{"source":"iana"},"video/vnd.iptvforum.2dparityfec-1010":{"source":"iana"},"video/vnd.iptvforum.2dparityfec-2005":{"source":"iana"},"video/vnd.iptvforum.ttsavc":{"source":"iana"},"video/vnd.iptvforum.ttsmpeg2":{"source":"iana"},"video/vnd.motorola.video":{"source":"iana"},"video/vnd.motorola.videop":{"source":"iana"},"video/vnd.mpegurl":{"source":"iana","extensions":["mxu","m4u"]},"video/vnd.ms-playready.media.pyv":{"source":"iana","extensions":["pyv"]},"video/vnd.nokia.interleaved-multimedia":{"source":"iana"},"video/vnd.nokia.mp4vr":{"source":"iana"},"video/vnd.nokia.videovoip":{"source":"iana"},"video/vnd.objectvideo":{"source":"iana"},"video/vnd.radgamettools.bink":{"source":"iana"},"video/vnd.radgamettools.smacker":{"source":"iana"},"video/vnd.sealed.mpeg1":{"source":"iana"},"video/vnd.sealed.mpeg4":{"source":"iana"},"video/vnd.sealed.swf":{"source":"iana"},"video/vnd.sealedmedia.softseal.mov":{"source":"iana"},"video/vnd.uvvu.mp4":{"source":"iana","extensions":["uvu","uvvu"]},"video/vnd.vivo":{"source":"iana","extensions":["viv"]},"video/vnd.youtube.yt":{"source":"iana"},"video/vp8":{"source":"iana"},"video/webm":{"source":"apache","compressible":false,"extensions":["webm"]},"video/x-f4v":{"source":"apache","extensions":["f4v"]},"video/x-fli":{"source":"apache","extensions":["fli"]},"video/x-flv":{"source":"apache","compressible":false,"extensions":["flv"]},"video/x-m4v":{"source":"apache","extensions":["m4v"]},"video/x-matroska":{"source":"apache","compressible":false,"extensions":["mkv","mk3d","mks"]},"video/x-mng":{"source":"apache","extensions":["mng"]},"video/x-ms-asf":{"source":"apache","extensions":["asf","asx"]},"video/x-ms-vob":{"source":"apache","extensions":["vob"]},"video/x-ms-wm":{"source":"apache","extensions":["wm"]},"video/x-ms-wmv":{"source":"apache","compressible":false,"extensions":["wmv"]},"video/x-ms-wmx":{"source":"apache","extensions":["wmx"]},"video/x-ms-wvx":{"source":"apache","extensions":["wvx"]},"video/x-msvideo":{"source":"apache","extensions":["avi"]},"video/x-sgi-movie":{"source":"apache","extensions":["movie"]},"video/x-smv":{"source":"apache","extensions":["smv"]},"x-conference/x-cooltalk":{"source":"apache","extensions":["ice"]},"x-shader/x-fragment":{"compressible":true},"x-shader/x-vertex":{"compressible":true}}; - -/***/ }), -/* 76 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -class LRU { - constructor(max) { - this.max = max; - this.size = 0; - this.cache = new Map(); - this._cache = new Map(); - } - - get(key, options) { - let item = this.cache.get(key); - const maxAge = options && options.maxAge; - // only call Date.now() when necessary - let now; - function getNow() { - now = now || Date.now(); - return now; - } - if (item) { - // check expired - if (item.expired && getNow() > item.expired) { - item.expired = 0; - item.value = undefined; - } else { - // update expired in get - if (maxAge !== undefined) { - const expired = maxAge ? getNow() + maxAge : 0; - item.expired = expired; - } - } - return item.value; - } - - // try to read from _cache - item = this._cache.get(key); - if (item) { - // check expired - if (item.expired && getNow() > item.expired) { - item.expired = 0; - item.value = undefined; - } else { - // not expired, save to cache - this._update(key, item); - // update expired in get - if (maxAge !== undefined) { - const expired = maxAge ? getNow() + maxAge : 0; - item.expired = expired; - } - } - return item.value; - } - } - - set(key, value, options) { - const maxAge = options && options.maxAge; - const expired = maxAge ? Date.now() + maxAge : 0; - let item = this.cache.get(key); - if (item) { - item.expired = expired; - item.value = value; - } else { - item = { - value, - expired, - }; - this._update(key, item); - } - } - - keys() { - const cacheKeys = new Set(); - const now = Date.now(); - - for (const entry of this.cache.entries()) { - checkEntry(entry); - } - - for (const entry of this._cache.entries()) { - checkEntry(entry); - } - - function checkEntry(entry) { - const key = entry[0]; - const item = entry[1]; - if (entry[1].value && (!entry[1].expired) || item.expired >= now) { - cacheKeys.add(key); - } - } - - return Array.from(cacheKeys.keys()); - } - - _update(key, item) { - this.cache.set(key, item); - this.size++; - if (this.size >= this.max) { - this.size = 0; - this._cache = this.cache; - this.cache = new Map(); - } - } -} - -module.exports = LRU; - - - -/***/ }), -/* 77 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * escape-html - * Copyright(c) 2012-2013 TJ Holowaychuk - * Copyright(c) 2015 Andreas Lubbe - * Copyright(c) 2015 Tiancheng "Timothy" Gu - * MIT Licensed - */ - - - -/** - * Module variables. - * @private - */ - -var matchHtmlRegExp = /["'&<>]/; - -/** - * Module exports. - * @public - */ - -module.exports = escapeHtml; - -/** - * Escape special characters in the given string of html. - * - * @param {string} string The string to escape for inserting into HTML - * @return {string} - * @public - */ - -function escapeHtml(string) { - var str = '' + string; - var match = matchHtmlRegExp.exec(str); - - if (!match) { - return str; - } - - var escape; - var html = ''; - var index = 0; - var lastIndex = 0; - - for (index = match.index; index < str.length; index++) { - switch (str.charCodeAt(index)) { - case 34: // " - escape = '"'; - break; - case 38: // & - escape = '&'; - break; - case 39: // ' - escape = '''; - break; - case 60: // < - escape = '<'; - break; - case 62: // > - escape = '>'; - break; - default: - continue; - } - - if (lastIndex !== index) { - html += str.substring(lastIndex, index); - } - - lastIndex = index + 1; - html += escape; - } - - return lastIndex !== index - ? html + str.substring(lastIndex, index) - : html; -} - - -/***/ }), -/* 78 */ -/***/ (function(module, exports) { - -/*! - * media-typer - * Copyright(c) 2014 Douglas Christopher Wilson - * MIT Licensed - */ - -/** - * RegExp to match *( ";" parameter ) in RFC 2616 sec 3.7 - * - * parameter = token "=" ( token | quoted-string ) - * token = 1* - * separators = "(" | ")" | "<" | ">" | "@" - * | "," | ";" | ":" | "\" | <"> - * | "/" | "[" | "]" | "?" | "=" - * | "{" | "}" | SP | HT - * quoted-string = ( <"> *(qdtext | quoted-pair ) <"> ) - * qdtext = > - * quoted-pair = "\" CHAR - * CHAR = - * TEXT = - * LWS = [CRLF] 1*( SP | HT ) - * CRLF = CR LF - * CR = - * LF = - * SP = - * SHT = - * CTL = - * OCTET = - */ -var paramRegExp = /; *([!#$%&'\*\+\-\.0-9A-Z\^_`a-z\|~]+) *= *("(?:[ !\u0023-\u005b\u005d-\u007e\u0080-\u00ff]|\\[\u0020-\u007e])*"|[!#$%&'\*\+\-\.0-9A-Z\^_`a-z\|~]+) */g; -var textRegExp = /^[\u0020-\u007e\u0080-\u00ff]+$/ -var tokenRegExp = /^[!#$%&'\*\+\-\.0-9A-Z\^_`a-z\|~]+$/ - -/** - * RegExp to match quoted-pair in RFC 2616 - * - * quoted-pair = "\" CHAR - * CHAR = - */ -var qescRegExp = /\\([\u0000-\u007f])/g; - -/** - * RegExp to match chars that must be quoted-pair in RFC 2616 - */ -var quoteRegExp = /([\\"])/g; - -/** - * RegExp to match type in RFC 6838 - * - * type-name = restricted-name - * subtype-name = restricted-name - * restricted-name = restricted-name-first *126restricted-name-chars - * restricted-name-first = ALPHA / DIGIT - * restricted-name-chars = ALPHA / DIGIT / "!" / "#" / - * "$" / "&" / "-" / "^" / "_" - * restricted-name-chars =/ "." ; Characters before first dot always - * ; specify a facet name - * restricted-name-chars =/ "+" ; Characters after last plus always - * ; specify a structured syntax suffix - * ALPHA = %x41-5A / %x61-7A ; A-Z / a-z - * DIGIT = %x30-39 ; 0-9 - */ -var subtypeNameRegExp = /^[A-Za-z0-9][A-Za-z0-9!#$&^_.-]{0,126}$/ -var typeNameRegExp = /^[A-Za-z0-9][A-Za-z0-9!#$&^_-]{0,126}$/ -var typeRegExp = /^ *([A-Za-z0-9][A-Za-z0-9!#$&^_-]{0,126})\/([A-Za-z0-9][A-Za-z0-9!#$&^_.+-]{0,126}) *$/; - -/** - * Module exports. - */ - -exports.format = format -exports.parse = parse - -/** - * Format object to media type. - * - * @param {object} obj - * @return {string} - * @api public - */ - -function format(obj) { - if (!obj || typeof obj !== 'object') { - throw new TypeError('argument obj is required') - } - - var parameters = obj.parameters - var subtype = obj.subtype - var suffix = obj.suffix - var type = obj.type - - if (!type || !typeNameRegExp.test(type)) { - throw new TypeError('invalid type') - } - - if (!subtype || !subtypeNameRegExp.test(subtype)) { - throw new TypeError('invalid subtype') - } - - // format as type/subtype - var string = type + '/' + subtype - - // append +suffix - if (suffix) { - if (!typeNameRegExp.test(suffix)) { - throw new TypeError('invalid suffix') - } - - string += '+' + suffix - } - - // append parameters - if (parameters && typeof parameters === 'object') { - var param - var params = Object.keys(parameters).sort() - - for (var i = 0; i < params.length; i++) { - param = params[i] - - if (!tokenRegExp.test(param)) { - throw new TypeError('invalid parameter name') - } - - string += '; ' + param + '=' + qstring(parameters[param]) - } - } - - return string -} - -/** - * Parse media type to object. - * - * @param {string|object} string - * @return {Object} - * @api public - */ - -function parse(string) { - if (!string) { - throw new TypeError('argument string is required') - } - - // support req/res-like objects as argument - if (typeof string === 'object') { - string = getcontenttype(string) - } - - if (typeof string !== 'string') { - throw new TypeError('argument string is required to be a string') - } - - var index = string.indexOf(';') - var type = index !== -1 - ? string.substr(0, index) - : string - - var key - var match - var obj = splitType(type) - var params = {} - var value - - paramRegExp.lastIndex = index - - while (match = paramRegExp.exec(string)) { - if (match.index !== index) { - throw new TypeError('invalid parameter format') - } - - index += match[0].length - key = match[1].toLowerCase() - value = match[2] - - if (value[0] === '"') { - // remove quotes and escapes - value = value - .substr(1, value.length - 2) - .replace(qescRegExp, '$1') - } - - params[key] = value - } - - if (index !== -1 && index !== string.length) { - throw new TypeError('invalid parameter format') - } - - obj.parameters = params - - return obj -} - -/** - * Get content-type from req/res objects. - * - * @param {object} - * @return {Object} - * @api private - */ - -function getcontenttype(obj) { - if (typeof obj.getHeader === 'function') { - // res-like - return obj.getHeader('content-type') - } - - if (typeof obj.headers === 'object') { - // req-like - return obj.headers && obj.headers['content-type'] - } -} - -/** - * Quote a string if necessary. - * - * @param {string} val - * @return {string} - * @api private - */ - -function qstring(val) { - var str = String(val) - - // no need to quote tokens - if (tokenRegExp.test(str)) { - return str - } - - if (str.length > 0 && !textRegExp.test(str)) { - throw new TypeError('invalid parameter value') - } - - return '"' + str.replace(quoteRegExp, '\\$1') + '"' -} - -/** - * Simply "type/subtype+siffx" into parts. - * - * @param {string} string - * @return {Object} - * @api private - */ - -function splitType(string) { - var match = typeRegExp.exec(string.toLowerCase()) - - if (!match) { - throw new TypeError('invalid media type') - } - - var type = match[1] - var subtype = match[2] - var suffix - - // suffix after last + - var index = subtype.lastIndexOf('+') - if (index !== -1) { - suffix = subtype.substr(index + 1) - subtype = subtype.substr(0, index) - } - - var obj = { - type: type, - subtype: subtype, - suffix: suffix - } - - return obj -} - - -/***/ }), -/* 79 */ -/***/ (function(module) { - -module.exports = {"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","306":"(Unused)","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Unordered Collection","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"}; - -/***/ }), -/* 80 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * destroy - * Copyright(c) 2014 Jonathan Ong - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var ReadStream = __webpack_require__(2).ReadStream -var Stream = __webpack_require__(3) - -/** - * Module exports. - * @public - */ - -module.exports = destroy - -/** - * Destroy a stream. - * - * @param {object} stream - * @public - */ - -function destroy(stream) { - if (stream instanceof ReadStream) { - return destroyReadStream(stream) - } - - if (!(stream instanceof Stream)) { - return stream - } - - if (typeof stream.destroy === 'function') { - stream.destroy() - } - - return stream -} - -/** - * Destroy a ReadStream. - * - * @param {object} stream - * @private - */ - -function destroyReadStream(stream) { - stream.destroy() - - if (typeof stream.close === 'function') { - // node.js core bug work-around - stream.on('open', onOpenClose) - } - - return stream -} - -/** - * On open handler to close stream. - * @private - */ - -function onOpenClose() { - if (typeof this.fd === 'number') { - // actually close down the fd - this.close() - } -} - - -/***/ }), -/* 81 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * vary - * Copyright(c) 2014-2017 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - */ - -module.exports = vary -module.exports.append = append - -/** - * RegExp to match field-name in RFC 7230 sec 3.2 - * - * field-name = token - * token = 1*tchar - * tchar = "!" / "#" / "$" / "%" / "&" / "'" / "*" - * / "+" / "-" / "." / "^" / "_" / "`" / "|" / "~" - * / DIGIT / ALPHA - * ; any VCHAR, except delimiters - */ - -var FIELD_NAME_REGEXP = /^[!#$%&'*+\-.^_`|~0-9A-Za-z]+$/ - -/** - * Append a field to a vary header. - * - * @param {String} header - * @param {String|Array} field - * @return {String} - * @public - */ - -function append (header, field) { - if (typeof header !== 'string') { - throw new TypeError('header argument is required') - } - - if (!field) { - throw new TypeError('field argument is required') - } - - // get fields array - var fields = !Array.isArray(field) - ? parse(String(field)) - : field - - // assert on invalid field names - for (var j = 0; j < fields.length; j++) { - if (!FIELD_NAME_REGEXP.test(fields[j])) { - throw new TypeError('field argument contains an invalid header name') - } - } - - // existing, unspecified vary - if (header === '*') { - return header - } - - // enumerate current values - var val = header - var vals = parse(header.toLowerCase()) - - // unspecified vary - if (fields.indexOf('*') !== -1 || vals.indexOf('*') !== -1) { - return '*' - } - - for (var i = 0; i < fields.length; i++) { - var fld = fields[i].toLowerCase() - - // append value (case-preserving) - if (vals.indexOf(fld) === -1) { - vals.push(fld) - val = val - ? val + ', ' + fields[i] - : fields[i] - } - } - - return val -} - -/** - * Parse a vary header into an array. - * - * @param {String} header - * @return {Array} - * @private - */ - -function parse (header) { - var end = 0 - var list = [] - var start = 0 - - // gather tokens - for (var i = 0, len = header.length; i < len; i++) { - switch (header.charCodeAt(i)) { - case 0x20: /* */ - if (start === end) { - start = end = i + 1 - } - break - case 0x2c: /* , */ - list.push(header.substring(start, end)) - start = end = i + 1 - break - default: - end = i + 1 - break - } - } - - // final token - list.push(header.substring(start, end)) - - return list -} - -/** - * Mark that a request is varied on a header field. - * - * @param {Object} res - * @param {String|Array} field - * @public - */ - -function vary (res, field) { - if (!res || !res.getHeader || !res.setHeader) { - // quack quack - throw new TypeError('res argument is required') - } - - // get existing header - var val = res.getHeader('Vary') || '' - var header = Array.isArray(val) - ? val.join(', ') - : String(val) - - // set new header - if ((val = append(header, field))) { - res.setHeader('Vary', val) - } -} - - -/***/ }), -/* 82 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * encodeurl - * Copyright(c) 2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = encodeUrl - -/** - * RegExp to match non-URL code points, *after* encoding (i.e. not including "%") - * and including invalid escape sequences. - * @private - */ - -var ENCODE_CHARS_REGEXP = /(?:[^\x21\x25\x26-\x3B\x3D\x3F-\x5B\x5D\x5F\x61-\x7A\x7E]|%(?:[^0-9A-Fa-f]|[0-9A-Fa-f][^0-9A-Fa-f]|$))+/g - -/** - * RegExp to match unmatched surrogate pair. - * @private - */ - -var UNMATCHED_SURROGATE_PAIR_REGEXP = /(^|[^\uD800-\uDBFF])[\uDC00-\uDFFF]|[\uD800-\uDBFF]([^\uDC00-\uDFFF]|$)/g - -/** - * String to replace unmatched surrogate pair with. - * @private - */ - -var UNMATCHED_SURROGATE_PAIR_REPLACE = '$1\uFFFD$2' - -/** - * Encode a URL to a percent-encoded form, excluding already-encoded sequences. - * - * This function will take an already-encoded URL and encode all the non-URL - * code points. This function will not encode the "%" character unless it is - * not part of a valid sequence (`%20` will be left as-is, but `%foo` will - * be encoded as `%25foo`). - * - * This encode is meant to be "safe" and does not throw errors. It will try as - * hard as it can to properly encode the given URL, including replacing any raw, - * unpaired surrogate pairs with the Unicode replacement character prior to - * encoding. - * - * @param {string} url - * @return {string} - * @public - */ - -function encodeUrl (url) { - return String(url) - .replace(UNMATCHED_SURROGATE_PAIR_REGEXP, UNMATCHED_SURROGATE_PAIR_REPLACE) - .replace(ENCODE_CHARS_REGEXP, encodeURI) -} - - -/***/ }), -/* 83 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -/** - * Expose compositor. - */ - -module.exports = compose - -/** - * Compose `middleware` returning - * a fully valid middleware comprised - * of all those which are passed. - * - * @param {Array} middleware - * @return {Function} - * @api public - */ - -function compose (middleware) { - if (!Array.isArray(middleware)) throw new TypeError('Middleware stack must be an array!') - for (const fn of middleware) { - if (typeof fn !== 'function') throw new TypeError('Middleware must be composed of functions!') - } - - /** - * @param {Object} context - * @return {Promise} - * @api public - */ - - return function (context, next) { - // last called middleware # - let index = -1 - return dispatch(0) - function dispatch (i) { - if (i <= index) return Promise.reject(new Error('next() called multiple times')) - index = i - let fn = middleware[i] - if (i === middleware.length) fn = next - if (!fn) return Promise.resolve() - try { - return Promise.resolve(fn(context, dispatch.bind(null, i + 1))); - } catch (err) { - return Promise.reject(err) - } - } - } -} - - -/***/ }), -/* 84 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - - -/** - * Module dependencies. - */ - -const util = __webpack_require__(1); -const createError = __webpack_require__(31); -const httpAssert = __webpack_require__(90); -const delegate = __webpack_require__(97); -const statuses = __webpack_require__(6); -const Cookies = __webpack_require__(98); - -const COOKIES = Symbol('context#cookies'); - -/** - * Context prototype. - */ - -const proto = module.exports = { - - /** - * util.inspect() implementation, which - * just returns the JSON output. - * - * @return {Object} - * @api public - */ - - inspect() { - if (this === proto) return this; - return this.toJSON(); - }, - - /** - * Return JSON representation. - * - * Here we explicitly invoke .toJSON() on each - * object, as iteration will otherwise fail due - * to the getters and cause utilities such as - * clone() to fail. - * - * @return {Object} - * @api public - */ - - toJSON() { - return { - request: this.request.toJSON(), - response: this.response.toJSON(), - app: this.app.toJSON(), - originalUrl: this.originalUrl, - req: '', - res: '', - socket: '' - }; - }, - - /** - * Similar to .throw(), adds assertion. - * - * this.assert(this.user, 401, 'Please login!'); - * - * See: https://github.com/jshttp/http-assert - * - * @param {Mixed} test - * @param {Number} status - * @param {String} message - * @api public - */ - - assert: httpAssert, - - /** - * Throw an error with `status` (default 500) and - * `msg`. Note that these are user-level - * errors, and the message may be exposed to the client. - * - * this.throw(403) - * this.throw(400, 'name required') - * this.throw('something exploded') - * this.throw(new Error('invalid')) - * this.throw(400, new Error('invalid')) - * - * See: https://github.com/jshttp/http-errors - * - * Note: `status` should only be passed as the first parameter. - * - * @param {String|Number|Error} err, msg or status - * @param {String|Number|Error} [err, msg or status] - * @param {Object} [props] - * @api public - */ - - throw(...args) { - throw createError(...args); - }, - - /** - * Default error handling. - * - * @param {Error} err - * @api private - */ - - onerror(err) { - // don't do anything if there is no error. - // this allows you to pass `this.onerror` - // to node-style callbacks. - if (null == err) return; - - // When dealing with cross-globals a normal `instanceof` check doesn't work properly. - // See https://github.com/koajs/koa/issues/1466 - // We can probably remove it once jest fixes https://github.com/facebook/jest/issues/2549. - const isNativeError = - Object.prototype.toString.call(err) === '[object Error]' || - err instanceof Error; - if (!isNativeError) err = new Error(util.format('non-error thrown: %j', err)); - - let headerSent = false; - if (this.headerSent || !this.writable) { - headerSent = err.headerSent = true; - } - - // delegate - this.app.emit('error', err, this); - - // nothing we can do here other - // than delegate to the app-level - // handler and log. - if (headerSent) { - return; - } - - const { res } = this; - - // first unset all headers - /* istanbul ignore else */ - if (typeof res.getHeaderNames === 'function') { - res.getHeaderNames().forEach(name => res.removeHeader(name)); - } else { - res._headers = {}; // Node < 7.7 - } - - // then set those specified - this.set(err.headers); - - // force text/plain - this.type = 'text'; - - let statusCode = err.status || err.statusCode; - - // ENOENT support - if ('ENOENT' === err.code) statusCode = 404; - - // default to 500 - if ('number' !== typeof statusCode || !statuses[statusCode]) statusCode = 500; - - // respond - const code = statuses[statusCode]; - const msg = err.expose ? err.message : code; - this.status = err.status = statusCode; - this.length = Buffer.byteLength(msg); - res.end(msg); - }, - - get cookies() { - if (!this[COOKIES]) { - this[COOKIES] = new Cookies(this.req, this.res, { - keys: this.app.keys, - secure: this.request.secure - }); - } - return this[COOKIES]; - }, - - set cookies(_cookies) { - this[COOKIES] = _cookies; - } -}; - -/** - * Custom inspection implementation for newer Node.js versions. - * - * @return {Object} - * @api public - */ - -/* istanbul ignore else */ -if (util.inspect.custom) { - module.exports[util.inspect.custom] = module.exports.inspect; -} - -/** - * Response delegation. - */ - -delegate(proto, 'response') - .method('attachment') - .method('redirect') - .method('remove') - .method('vary') - .method('has') - .method('set') - .method('append') - .method('flushHeaders') - .access('status') - .access('message') - .access('body') - .access('length') - .access('type') - .access('lastModified') - .access('etag') - .getter('headerSent') - .getter('writable'); - -/** - * Request delegation. - */ - -delegate(proto, 'request') - .method('acceptsLanguages') - .method('acceptsEncodings') - .method('acceptsCharsets') - .method('accepts') - .method('get') - .method('is') - .access('querystring') - .access('idempotent') - .access('socket') - .access('search') - .access('method') - .access('query') - .access('path') - .access('url') - .access('accept') - .getter('origin') - .getter('href') - .getter('subdomains') - .getter('protocol') - .getter('host') - .getter('hostname') - .getter('URL') - .getter('header') - .getter('headers') - .getter('secure') - .getter('stale') - .getter('fresh') - .getter('ips') - .getter('ip'); - - -/***/ }), -/* 85 */ -/***/ (function(module, exports, __webpack_require__) { - -/*! - * depd - * Copyright(c) 2014-2017 Douglas Christopher Wilson - * MIT Licensed - */ - -/** - * Module dependencies. - */ - -var callSiteToString = __webpack_require__(32).callSiteToString -var eventListenerCount = __webpack_require__(32).eventListenerCount -var relative = __webpack_require__(0).relative - -/** - * Module exports. - */ - -module.exports = depd - -/** - * Get the path to base files on. - */ - -var basePath = process.cwd() - -/** - * Determine if namespace is contained in the string. - */ - -function containsNamespace (str, namespace) { - var vals = str.split(/[ ,]+/) - var ns = String(namespace).toLowerCase() - - for (var i = 0; i < vals.length; i++) { - var val = vals[i] - - // namespace contained - if (val && (val === '*' || val.toLowerCase() === ns)) { - return true - } - } - - return false -} - -/** - * Convert a data descriptor to accessor descriptor. - */ - -function convertDataDescriptorToAccessor (obj, prop, message) { - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - var value = descriptor.value - - descriptor.get = function getter () { return value } - - if (descriptor.writable) { - descriptor.set = function setter (val) { return (value = val) } - } - - delete descriptor.value - delete descriptor.writable - - Object.defineProperty(obj, prop, descriptor) - - return descriptor -} - -/** - * Create arguments string to keep arity. - */ - -function createArgumentsString (arity) { - var str = '' - - for (var i = 0; i < arity; i++) { - str += ', arg' + i - } - - return str.substr(2) -} - -/** - * Create stack string from stack. - */ - -function createStackString (stack) { - var str = this.name + ': ' + this.namespace - - if (this.message) { - str += ' deprecated ' + this.message - } - - for (var i = 0; i < stack.length; i++) { - str += '\n at ' + callSiteToString(stack[i]) - } - - return str -} - -/** - * Create deprecate for namespace in caller. - */ - -function depd (namespace) { - if (!namespace) { - throw new TypeError('argument namespace is required') - } - - var stack = getStack() - var site = callSiteLocation(stack[1]) - var file = site[0] - - function deprecate (message) { - // call to self as log - log.call(deprecate, message) - } - - deprecate._file = file - deprecate._ignored = isignored(namespace) - deprecate._namespace = namespace - deprecate._traced = istraced(namespace) - deprecate._warned = Object.create(null) - - deprecate.function = wrapfunction - deprecate.property = wrapproperty - - return deprecate -} - -/** - * Determine if namespace is ignored. - */ - -function isignored (namespace) { - /* istanbul ignore next: tested in a child processs */ - if (process.noDeprecation) { - // --no-deprecation support - return true - } - - var str = process.env.NO_DEPRECATION || '' - - // namespace ignored - return containsNamespace(str, namespace) -} - -/** - * Determine if namespace is traced. - */ - -function istraced (namespace) { - /* istanbul ignore next: tested in a child processs */ - if (process.traceDeprecation) { - // --trace-deprecation support - return true - } - - var str = process.env.TRACE_DEPRECATION || '' - - // namespace traced - return containsNamespace(str, namespace) -} - -/** - * Display deprecation message. - */ - -function log (message, site) { - var haslisteners = eventListenerCount(process, 'deprecation') !== 0 - - // abort early if no destination - if (!haslisteners && this._ignored) { - return - } - - var caller - var callFile - var callSite - var depSite - var i = 0 - var seen = false - var stack = getStack() - var file = this._file - - if (site) { - // provided site - depSite = site - callSite = callSiteLocation(stack[1]) - callSite.name = depSite.name - file = callSite[0] - } else { - // get call site - i = 2 - depSite = callSiteLocation(stack[i]) - callSite = depSite - } - - // get caller of deprecated thing in relation to file - for (; i < stack.length; i++) { - caller = callSiteLocation(stack[i]) - callFile = caller[0] - - if (callFile === file) { - seen = true - } else if (callFile === this._file) { - file = this._file - } else if (seen) { - break - } - } - - var key = caller - ? depSite.join(':') + '__' + caller.join(':') - : undefined - - if (key !== undefined && key in this._warned) { - // already warned - return - } - - this._warned[key] = true - - // generate automatic message from call site - var msg = message - if (!msg) { - msg = callSite === depSite || !callSite.name - ? defaultMessage(depSite) - : defaultMessage(callSite) - } - - // emit deprecation if listeners exist - if (haslisteners) { - var err = DeprecationError(this._namespace, msg, stack.slice(i)) - process.emit('deprecation', err) - return - } - - // format and write message - var format = process.stderr.isTTY - ? formatColor - : formatPlain - var output = format.call(this, msg, caller, stack.slice(i)) - process.stderr.write(output + '\n', 'utf8') -} - -/** - * Get call site location as array. - */ - -function callSiteLocation (callSite) { - var file = callSite.getFileName() || '' - var line = callSite.getLineNumber() - var colm = callSite.getColumnNumber() - - if (callSite.isEval()) { - file = callSite.getEvalOrigin() + ', ' + file - } - - var site = [file, line, colm] - - site.callSite = callSite - site.name = callSite.getFunctionName() - - return site -} - -/** - * Generate a default message from the site. - */ - -function defaultMessage (site) { - var callSite = site.callSite - var funcName = site.name - - // make useful anonymous name - if (!funcName) { - funcName = '' - } - - var context = callSite.getThis() - var typeName = context && callSite.getTypeName() - - // ignore useless type name - if (typeName === 'Object') { - typeName = undefined - } - - // make useful type name - if (typeName === 'Function') { - typeName = context.name || typeName - } - - return typeName && callSite.getMethodName() - ? typeName + '.' + funcName - : funcName -} - -/** - * Format deprecation message without color. - */ - -function formatPlain (msg, caller, stack) { - var timestamp = new Date().toUTCString() - - var formatted = timestamp + - ' ' + this._namespace + - ' deprecated ' + msg - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n at ' + callSiteToString(stack[i]) - } - - return formatted - } - - if (caller) { - formatted += ' at ' + formatLocation(caller) - } - - return formatted -} - -/** - * Format deprecation message with color. - */ - -function formatColor (msg, caller, stack) { - var formatted = '\x1b[36;1m' + this._namespace + '\x1b[22;39m' + // bold cyan - ' \x1b[33;1mdeprecated\x1b[22;39m' + // bold yellow - ' \x1b[0m' + msg + '\x1b[39m' // reset - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n \x1b[36mat ' + callSiteToString(stack[i]) + '\x1b[39m' // cyan - } - - return formatted - } - - if (caller) { - formatted += ' \x1b[36m' + formatLocation(caller) + '\x1b[39m' // cyan - } - - return formatted -} - -/** - * Format call site location. - */ - -function formatLocation (callSite) { - return relative(basePath, callSite[0]) + - ':' + callSite[1] + - ':' + callSite[2] -} - -/** - * Get the stack as array of call sites. - */ - -function getStack () { - var limit = Error.stackTraceLimit - var obj = {} - var prep = Error.prepareStackTrace - - Error.prepareStackTrace = prepareObjectStackTrace - Error.stackTraceLimit = Math.max(10, limit) - - // capture the stack - Error.captureStackTrace(obj) - - // slice this function off the top - var stack = obj.stack.slice(1) - - Error.prepareStackTrace = prep - Error.stackTraceLimit = limit - - return stack -} - -/** - * Capture call site stack from v8. - */ - -function prepareObjectStackTrace (obj, stack) { - return stack -} - -/** - * Return a wrapped function in a deprecation message. - */ - -function wrapfunction (fn, message) { - if (typeof fn !== 'function') { - throw new TypeError('argument fn must be a function') - } - - var args = createArgumentsString(fn.length) - var deprecate = this // eslint-disable-line no-unused-vars - var stack = getStack() - var site = callSiteLocation(stack[1]) - - site.name = fn.name - - // eslint-disable-next-line no-eval - var deprecatedfn = eval('(function (' + args + ') {\n' + - '"use strict"\n' + - 'log.call(deprecate, message, site)\n' + - 'return fn.apply(this, arguments)\n' + - '})') - - return deprecatedfn -} - -/** - * Wrap property in a deprecation message. - */ - -function wrapproperty (obj, prop, message) { - if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { - throw new TypeError('argument obj must be object') - } - - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - - if (!descriptor) { - throw new TypeError('must call property on owner object') - } - - if (!descriptor.configurable) { - throw new TypeError('property must be configurable') - } - - var deprecate = this - var stack = getStack() - var site = callSiteLocation(stack[1]) - - // set site name - site.name = prop - - // convert data descriptor - if ('value' in descriptor) { - descriptor = convertDataDescriptorToAccessor(obj, prop, message) - } - - var get = descriptor.get - var set = descriptor.set - - // wrap getter - if (typeof get === 'function') { - descriptor.get = function getter () { - log.call(deprecate, message, site) - return get.apply(this, arguments) - } - } - - // wrap setter - if (typeof set === 'function') { - descriptor.set = function setter () { - log.call(deprecate, message, site) - return set.apply(this, arguments) - } - } - - Object.defineProperty(obj, prop, descriptor) -} - -/** - * Create DeprecationError for deprecation - */ - -function DeprecationError (namespace, message, stack) { - var error = new Error() - var stackString - - Object.defineProperty(error, 'constructor', { - value: DeprecationError - }) - - Object.defineProperty(error, 'message', { - configurable: true, - enumerable: false, - value: message, - writable: true - }) - - Object.defineProperty(error, 'name', { - enumerable: false, - configurable: true, - value: 'DeprecationError', - writable: true - }) - - Object.defineProperty(error, 'namespace', { - configurable: true, - enumerable: false, - value: namespace, - writable: true - }) - - Object.defineProperty(error, 'stack', { - configurable: true, - enumerable: false, - get: function () { - if (stackString !== undefined) { - return stackString - } - - // prepare stack trace - return (stackString = createStackString.call(this, stack)) - }, - set: function setter (val) { - stackString = val - } - }) - - return error -} - - -/***/ }), -/* 86 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * depd - * Copyright(c) 2014 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - */ - -module.exports = callSiteToString - -/** - * Format a CallSite file location to a string. - */ - -function callSiteFileLocation (callSite) { - var fileName - var fileLocation = '' - - if (callSite.isNative()) { - fileLocation = 'native' - } else if (callSite.isEval()) { - fileName = callSite.getScriptNameOrSourceURL() - if (!fileName) { - fileLocation = callSite.getEvalOrigin() - } - } else { - fileName = callSite.getFileName() - } - - if (fileName) { - fileLocation += fileName - - var lineNumber = callSite.getLineNumber() - if (lineNumber != null) { - fileLocation += ':' + lineNumber - - var columnNumber = callSite.getColumnNumber() - if (columnNumber) { - fileLocation += ':' + columnNumber - } - } - } - - return fileLocation || 'unknown source' -} - -/** - * Format a CallSite to a string. - */ - -function callSiteToString (callSite) { - var addSuffix = true - var fileLocation = callSiteFileLocation(callSite) - var functionName = callSite.getFunctionName() - var isConstructor = callSite.isConstructor() - var isMethodCall = !(callSite.isToplevel() || isConstructor) - var line = '' - - if (isMethodCall) { - var methodName = callSite.getMethodName() - var typeName = getConstructorName(callSite) - - if (functionName) { - if (typeName && functionName.indexOf(typeName) !== 0) { - line += typeName + '.' - } - - line += functionName - - if (methodName && functionName.lastIndexOf('.' + methodName) !== functionName.length - methodName.length - 1) { - line += ' [as ' + methodName + ']' - } - } else { - line += typeName + '.' + (methodName || '') - } - } else if (isConstructor) { - line += 'new ' + (functionName || '') - } else if (functionName) { - line += functionName - } else { - addSuffix = false - line += fileLocation - } - - if (addSuffix) { - line += ' (' + fileLocation + ')' - } - - return line -} - -/** - * Get constructor name of reviver. - */ - -function getConstructorName (obj) { - var receiver = obj.receiver - return (receiver.constructor && receiver.constructor.name) || null -} - - -/***/ }), -/* 87 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * depd - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = eventListenerCount - -/** - * Get the count of listeners on an event emitter of a specific type. - */ - -function eventListenerCount (emitter, type) { - return emitter.listeners(type).length -} - - -/***/ }), -/* 88 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -/* eslint no-proto: 0 */ -module.exports = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array ? setProtoOf : mixinProperties) - -function setProtoOf (obj, proto) { - obj.__proto__ = proto - return obj -} - -function mixinProperties (obj, proto) { - for (var prop in proto) { - if (!Object.prototype.hasOwnProperty.call(obj, prop)) { - obj[prop] = proto[prop] - } - } - return obj -} - - -/***/ }), -/* 89 */ -/***/ (function(module, exports) { - -if (typeof Object.create === 'function') { - // implementation from standard node.js 'util' module - module.exports = function inherits(ctor, superCtor) { - if (superCtor) { - ctor.super_ = superCtor - ctor.prototype = Object.create(superCtor.prototype, { - constructor: { - value: ctor, - enumerable: false, - writable: true, - configurable: true - } - }) - } - }; -} else { - // old school shim for old browsers - module.exports = function inherits(ctor, superCtor) { - if (superCtor) { - ctor.super_ = superCtor - var TempCtor = function () {} - TempCtor.prototype = superCtor.prototype - ctor.prototype = new TempCtor() - ctor.prototype.constructor = ctor - } - } -} - - -/***/ }), -/* 90 */ -/***/ (function(module, exports, __webpack_require__) { - -var createError = __webpack_require__(33) -var eql = __webpack_require__(94) - -module.exports = assert - -function assert (value, status, msg, opts) { - if (value) return - throw createError(status, msg, opts) -} - -assert.equal = function (a, b, status, msg, opts) { - assert(a == b, status, msg, opts) // eslint-disable-line eqeqeq -} - -assert.notEqual = function (a, b, status, msg, opts) { - assert(a != b, status, msg, opts) // eslint-disable-line eqeqeq -} - -assert.ok = function (value, status, msg, opts) { - assert(value, status, msg, opts) -} - -assert.strictEqual = function (a, b, status, msg, opts) { - assert(a === b, status, msg, opts) -} - -assert.notStrictEqual = function (a, b, status, msg, opts) { - assert(a !== b, status, msg, opts) -} - -assert.deepEqual = function (a, b, status, msg, opts) { - assert(eql(a, b), status, msg, opts) -} - -assert.notDeepEqual = function (a, b, status, msg, opts) { - assert(!eql(a, b), status, msg, opts) -} - - -/***/ }), -/* 91 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * depd - * Copyright(c) 2014 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - */ - -module.exports = callSiteToString - -/** - * Format a CallSite file location to a string. - */ - -function callSiteFileLocation (callSite) { - var fileName - var fileLocation = '' - - if (callSite.isNative()) { - fileLocation = 'native' - } else if (callSite.isEval()) { - fileName = callSite.getScriptNameOrSourceURL() - if (!fileName) { - fileLocation = callSite.getEvalOrigin() - } - } else { - fileName = callSite.getFileName() - } - - if (fileName) { - fileLocation += fileName - - var lineNumber = callSite.getLineNumber() - if (lineNumber != null) { - fileLocation += ':' + lineNumber - - var columnNumber = callSite.getColumnNumber() - if (columnNumber) { - fileLocation += ':' + columnNumber - } - } - } - - return fileLocation || 'unknown source' -} - -/** - * Format a CallSite to a string. - */ - -function callSiteToString (callSite) { - var addSuffix = true - var fileLocation = callSiteFileLocation(callSite) - var functionName = callSite.getFunctionName() - var isConstructor = callSite.isConstructor() - var isMethodCall = !(callSite.isToplevel() || isConstructor) - var line = '' - - if (isMethodCall) { - var methodName = callSite.getMethodName() - var typeName = getConstructorName(callSite) - - if (functionName) { - if (typeName && functionName.indexOf(typeName) !== 0) { - line += typeName + '.' - } - - line += functionName - - if (methodName && functionName.lastIndexOf('.' + methodName) !== functionName.length - methodName.length - 1) { - line += ' [as ' + methodName + ']' - } - } else { - line += typeName + '.' + (methodName || '') - } - } else if (isConstructor) { - line += 'new ' + (functionName || '') - } else if (functionName) { - line += functionName - } else { - addSuffix = false - line += fileLocation - } - - if (addSuffix) { - line += ' (' + fileLocation + ')' - } - - return line -} - -/** - * Get constructor name of reviver. - */ - -function getConstructorName (obj) { - var receiver = obj.receiver - return (receiver.constructor && receiver.constructor.name) || null -} - - -/***/ }), -/* 92 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * depd - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = eventListenerCount - -/** - * Get the count of listeners on an event emitter of a specific type. - */ - -function eventListenerCount (emitter, type) { - return emitter.listeners(type).length -} - - -/***/ }), -/* 93 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -/* eslint no-proto: 0 */ -module.exports = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array ? setProtoOf : mixinProperties) - -function setProtoOf (obj, proto) { - obj.__proto__ = proto - return obj -} - -function mixinProperties (obj, proto) { - for (var prop in proto) { - if (!obj.hasOwnProperty(prop)) { - obj[prop] = proto[prop] - } - } - return obj -} - - -/***/ }), -/* 94 */ -/***/ (function(module, exports, __webpack_require__) { - -var pSlice = Array.prototype.slice; -var objectKeys = __webpack_require__(95); -var isArguments = __webpack_require__(96); - -var deepEqual = module.exports = function (actual, expected, opts) { - if (!opts) opts = {}; - // 7.1. All identical values are equivalent, as determined by ===. - if (actual === expected) { - return true; - - } else if (actual instanceof Date && expected instanceof Date) { - return actual.getTime() === expected.getTime(); - - // 7.3. Other pairs that do not both pass typeof value == 'object', - // equivalence is determined by ==. - } else if (!actual || !expected || typeof actual != 'object' && typeof expected != 'object') { - return opts.strict ? actual === expected : actual == expected; - - // 7.4. For all other Object pairs, including Array objects, equivalence is - // determined by having the same number of owned properties (as verified - // with Object.prototype.hasOwnProperty.call), the same set of keys - // (although not necessarily the same order), equivalent values for every - // corresponding key, and an identical 'prototype' property. Note: this - // accounts for both named and indexed properties on Arrays. - } else { - return objEquiv(actual, expected, opts); - } -} - -function isUndefinedOrNull(value) { - return value === null || value === undefined; -} - -function isBuffer (x) { - if (!x || typeof x !== 'object' || typeof x.length !== 'number') return false; - if (typeof x.copy !== 'function' || typeof x.slice !== 'function') { - return false; - } - if (x.length > 0 && typeof x[0] !== 'number') return false; - return true; -} - -function objEquiv(a, b, opts) { - var i, key; - if (isUndefinedOrNull(a) || isUndefinedOrNull(b)) - return false; - // an identical 'prototype' property. - if (a.prototype !== b.prototype) return false; - //~~~I've managed to break Object.keys through screwy arguments passing. - // Converting to array solves the problem. - if (isArguments(a)) { - if (!isArguments(b)) { - return false; - } - a = pSlice.call(a); - b = pSlice.call(b); - return deepEqual(a, b, opts); - } - if (isBuffer(a)) { - if (!isBuffer(b)) { - return false; - } - if (a.length !== b.length) return false; - for (i = 0; i < a.length; i++) { - if (a[i] !== b[i]) return false; - } - return true; - } - try { - var ka = objectKeys(a), - kb = objectKeys(b); - } catch (e) {//happens when one is a string literal and the other isn't - return false; - } - // having the same number of owned properties (keys incorporates - // hasOwnProperty) - if (ka.length != kb.length) - return false; - //the same set of keys (although not necessarily the same order), - ka.sort(); - kb.sort(); - //~~~cheap key test - for (i = ka.length - 1; i >= 0; i--) { - if (ka[i] != kb[i]) - return false; - } - //equivalent values for every corresponding key, and - //~~~possibly expensive deep test - for (i = ka.length - 1; i >= 0; i--) { - key = ka[i]; - if (!deepEqual(a[key], b[key], opts)) return false; - } - return typeof a === typeof b; -} - - -/***/ }), -/* 95 */ -/***/ (function(module, exports) { - -exports = module.exports = typeof Object.keys === 'function' - ? Object.keys : shim; - -exports.shim = shim; -function shim (obj) { - var keys = []; - for (var key in obj) keys.push(key); - return keys; -} - - -/***/ }), -/* 96 */ -/***/ (function(module, exports) { - -var supportsArgumentsClass = (function(){ - return Object.prototype.toString.call(arguments) -})() == '[object Arguments]'; - -exports = module.exports = supportsArgumentsClass ? supported : unsupported; - -exports.supported = supported; -function supported(object) { - return Object.prototype.toString.call(object) == '[object Arguments]'; -}; - -exports.unsupported = unsupported; -function unsupported(object){ - return object && - typeof object == 'object' && - typeof object.length == 'number' && - Object.prototype.hasOwnProperty.call(object, 'callee') && - !Object.prototype.propertyIsEnumerable.call(object, 'callee') || - false; -}; - - -/***/ }), -/* 97 */ -/***/ (function(module, exports) { - - -/** - * Expose `Delegator`. - */ - -module.exports = Delegator; - -/** - * Initialize a delegator. - * - * @param {Object} proto - * @param {String} target - * @api public - */ - -function Delegator(proto, target) { - if (!(this instanceof Delegator)) return new Delegator(proto, target); - this.proto = proto; - this.target = target; - this.methods = []; - this.getters = []; - this.setters = []; - this.fluents = []; -} - -/** - * Delegate method `name`. - * - * @param {String} name - * @return {Delegator} self - * @api public - */ - -Delegator.prototype.method = function(name){ - var proto = this.proto; - var target = this.target; - this.methods.push(name); - - proto[name] = function(){ - return this[target][name].apply(this[target], arguments); - }; - - return this; -}; - -/** - * Delegator accessor `name`. - * - * @param {String} name - * @return {Delegator} self - * @api public - */ - -Delegator.prototype.access = function(name){ - return this.getter(name).setter(name); -}; - -/** - * Delegator getter `name`. - * - * @param {String} name - * @return {Delegator} self - * @api public - */ - -Delegator.prototype.getter = function(name){ - var proto = this.proto; - var target = this.target; - this.getters.push(name); - - proto.__defineGetter__(name, function(){ - return this[target][name]; - }); - - return this; -}; - -/** - * Delegator setter `name`. - * - * @param {String} name - * @return {Delegator} self - * @api public - */ - -Delegator.prototype.setter = function(name){ - var proto = this.proto; - var target = this.target; - this.setters.push(name); - - proto.__defineSetter__(name, function(val){ - return this[target][name] = val; - }); - - return this; -}; - -/** - * Delegator fluent accessor - * - * @param {String} name - * @return {Delegator} self - * @api public - */ - -Delegator.prototype.fluent = function (name) { - var proto = this.proto; - var target = this.target; - this.fluents.push(name); - - proto[name] = function(val){ - if ('undefined' != typeof val) { - this[target][name] = val; - return this; - } else { - return this[target][name]; - } - }; - - return this; -}; - - -/***/ }), -/* 98 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * cookies - * Copyright(c) 2014 Jed Schmidt, http://jed.is/ - * Copyright(c) 2015-2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -var deprecate = __webpack_require__(99)('cookies') -var Keygrip = __webpack_require__(100) -var http = __webpack_require__(9) -var cache = {} - -/** - * RegExp to match field-content in RFC 7230 sec 3.2 - * - * field-content = field-vchar [ 1*( SP / HTAB ) field-vchar ] - * field-vchar = VCHAR / obs-text - * obs-text = %x80-FF - */ - -var fieldContentRegExp = /^[\u0009\u0020-\u007e\u0080-\u00ff]+$/; - -/** - * RegExp to match Same-Site cookie attribute value. - */ - -var SAME_SITE_REGEXP = /^(?:lax|none|strict)$/i - -function Cookies(request, response, options) { - if (!(this instanceof Cookies)) return new Cookies(request, response, options) - - this.secure = undefined - this.request = request - this.response = response - - if (options) { - if (Array.isArray(options)) { - // array of key strings - deprecate('"keys" argument; provide using options {"keys": [...]}') - this.keys = new Keygrip(options) - } else if (options.constructor && options.constructor.name === 'Keygrip') { - // any keygrip constructor to allow different versions - deprecate('"keys" argument; provide using options {"keys": keygrip}') - this.keys = options - } else { - this.keys = Array.isArray(options.keys) ? new Keygrip(options.keys) : options.keys - this.secure = options.secure - } - } -} - -Cookies.prototype.get = function(name, opts) { - var sigName = name + ".sig" - , header, match, value, remote, data, index - , signed = opts && opts.signed !== undefined ? opts.signed : !!this.keys - - header = this.request.headers["cookie"] - if (!header) return - - match = header.match(getPattern(name)) - if (!match) return - - value = match[1] - if (!opts || !signed) return value - - remote = this.get(sigName) - if (!remote) return - - data = name + "=" + value - if (!this.keys) throw new Error('.keys required for signed cookies'); - index = this.keys.index(data, remote) - - if (index < 0) { - this.set(sigName, null, {path: "/", signed: false }) - } else { - index && this.set(sigName, this.keys.sign(data), { signed: false }) - return value - } -}; - -Cookies.prototype.set = function(name, value, opts) { - var res = this.response - , req = this.request - , headers = res.getHeader("Set-Cookie") || [] - , secure = this.secure !== undefined ? !!this.secure : req.protocol === 'https' || req.connection.encrypted - , cookie = new Cookie(name, value, opts) - , signed = opts && opts.signed !== undefined ? opts.signed : !!this.keys - - if (typeof headers == "string") headers = [headers] - - if (!secure && opts && opts.secure) { - throw new Error('Cannot send secure cookie over unencrypted connection') - } - - cookie.secure = opts && opts.secure !== undefined - ? opts.secure - : secure - - if (opts && "secureProxy" in opts) { - deprecate('"secureProxy" option; use "secure" option, provide "secure" to constructor if needed') - cookie.secure = opts.secureProxy - } - - pushCookie(headers, cookie) - - if (opts && signed) { - if (!this.keys) throw new Error('.keys required for signed cookies'); - cookie.value = this.keys.sign(cookie.toString()) - cookie.name += ".sig" - pushCookie(headers, cookie) - } - - var setHeader = res.set ? http.OutgoingMessage.prototype.setHeader : res.setHeader - setHeader.call(res, 'Set-Cookie', headers) - return this -}; - -function Cookie(name, value, attrs) { - if (!fieldContentRegExp.test(name)) { - throw new TypeError('argument name is invalid'); - } - - if (value && !fieldContentRegExp.test(value)) { - throw new TypeError('argument value is invalid'); - } - - this.name = name - this.value = value || "" - - for (var name in attrs) { - this[name] = attrs[name] - } - - if (!this.value) { - this.expires = new Date(0) - this.maxAge = null - } - - if (this.path && !fieldContentRegExp.test(this.path)) { - throw new TypeError('option path is invalid'); - } - - if (this.domain && !fieldContentRegExp.test(this.domain)) { - throw new TypeError('option domain is invalid'); - } - - if (this.sameSite && this.sameSite !== true && !SAME_SITE_REGEXP.test(this.sameSite)) { - throw new TypeError('option sameSite is invalid') - } -} - -Cookie.prototype.path = "/"; -Cookie.prototype.expires = undefined; -Cookie.prototype.domain = undefined; -Cookie.prototype.httpOnly = true; -Cookie.prototype.sameSite = false; -Cookie.prototype.secure = false; -Cookie.prototype.overwrite = false; - -Cookie.prototype.toString = function() { - return this.name + "=" + this.value -}; - -Cookie.prototype.toHeader = function() { - var header = this.toString() - - if (this.maxAge) this.expires = new Date(Date.now() + this.maxAge); - - if (this.path ) header += "; path=" + this.path - if (this.expires ) header += "; expires=" + this.expires.toUTCString() - if (this.domain ) header += "; domain=" + this.domain - if (this.sameSite ) header += "; samesite=" + (this.sameSite === true ? 'strict' : this.sameSite.toLowerCase()) - if (this.secure ) header += "; secure" - if (this.httpOnly ) header += "; httponly" - - return header -}; - -// back-compat so maxage mirrors maxAge -Object.defineProperty(Cookie.prototype, 'maxage', { - configurable: true, - enumerable: true, - get: function () { return this.maxAge }, - set: function (val) { return this.maxAge = val } -}); -deprecate.property(Cookie.prototype, 'maxage', '"maxage"; use "maxAge" instead') - -function getPattern(name) { - if (cache[name]) return cache[name] - - return cache[name] = new RegExp( - "(?:^|;) *" + - name.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&") + - "=([^;]*)" - ) -} - -function pushCookie(headers, cookie) { - if (cookie.overwrite) { - for (var i = headers.length - 1; i >= 0; i--) { - if (headers[i].indexOf(cookie.name + '=') === 0) { - headers.splice(i, 1) - } - } - } - - headers.push(cookie.toHeader()) -} - -Cookies.connect = Cookies.express = function(keys) { - return function(req, res, next) { - req.cookies = res.cookies = new Cookies(req, res, { - keys: keys - }) - - next() - } -} - -Cookies.Cookie = Cookie - -module.exports = Cookies - - -/***/ }), -/* 99 */ -/***/ (function(module, exports, __webpack_require__) { - -/*! - * depd - * Copyright(c) 2014-2018 Douglas Christopher Wilson - * MIT Licensed - */ - -/** - * Module dependencies. - */ - -var relative = __webpack_require__(0).relative - -/** - * Module exports. - */ - -module.exports = depd - -/** - * Get the path to base files on. - */ - -var basePath = process.cwd() - -/** - * Determine if namespace is contained in the string. - */ - -function containsNamespace (str, namespace) { - var vals = str.split(/[ ,]+/) - var ns = String(namespace).toLowerCase() - - for (var i = 0; i < vals.length; i++) { - var val = vals[i] - - // namespace contained - if (val && (val === '*' || val.toLowerCase() === ns)) { - return true - } - } - - return false -} - -/** - * Convert a data descriptor to accessor descriptor. - */ - -function convertDataDescriptorToAccessor (obj, prop, message) { - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - var value = descriptor.value - - descriptor.get = function getter () { return value } - - if (descriptor.writable) { - descriptor.set = function setter (val) { return (value = val) } - } - - delete descriptor.value - delete descriptor.writable - - Object.defineProperty(obj, prop, descriptor) - - return descriptor -} - -/** - * Create arguments string to keep arity. - */ - -function createArgumentsString (arity) { - var str = '' - - for (var i = 0; i < arity; i++) { - str += ', arg' + i - } - - return str.substr(2) -} - -/** - * Create stack string from stack. - */ - -function createStackString (stack) { - var str = this.name + ': ' + this.namespace - - if (this.message) { - str += ' deprecated ' + this.message - } - - for (var i = 0; i < stack.length; i++) { - str += '\n at ' + stack[i].toString() - } - - return str -} - -/** - * Create deprecate for namespace in caller. - */ - -function depd (namespace) { - if (!namespace) { - throw new TypeError('argument namespace is required') - } - - var stack = getStack() - var site = callSiteLocation(stack[1]) - var file = site[0] - - function deprecate (message) { - // call to self as log - log.call(deprecate, message) - } - - deprecate._file = file - deprecate._ignored = isignored(namespace) - deprecate._namespace = namespace - deprecate._traced = istraced(namespace) - deprecate._warned = Object.create(null) - - deprecate.function = wrapfunction - deprecate.property = wrapproperty - - return deprecate -} - -/** - * Determine if event emitter has listeners of a given type. - * - * The way to do this check is done three different ways in Node.js >= 0.8 - * so this consolidates them into a minimal set using instance methods. - * - * @param {EventEmitter} emitter - * @param {string} type - * @returns {boolean} - * @private - */ - -function eehaslisteners (emitter, type) { - var count = typeof emitter.listenerCount !== 'function' - ? emitter.listeners(type).length - : emitter.listenerCount(type) - - return count > 0 -} - -/** - * Determine if namespace is ignored. - */ - -function isignored (namespace) { - if (process.noDeprecation) { - // --no-deprecation support - return true - } - - var str = process.env.NO_DEPRECATION || '' - - // namespace ignored - return containsNamespace(str, namespace) -} - -/** - * Determine if namespace is traced. - */ - -function istraced (namespace) { - if (process.traceDeprecation) { - // --trace-deprecation support - return true - } - - var str = process.env.TRACE_DEPRECATION || '' - - // namespace traced - return containsNamespace(str, namespace) -} - -/** - * Display deprecation message. - */ - -function log (message, site) { - var haslisteners = eehaslisteners(process, 'deprecation') - - // abort early if no destination - if (!haslisteners && this._ignored) { - return - } - - var caller - var callFile - var callSite - var depSite - var i = 0 - var seen = false - var stack = getStack() - var file = this._file - - if (site) { - // provided site - depSite = site - callSite = callSiteLocation(stack[1]) - callSite.name = depSite.name - file = callSite[0] - } else { - // get call site - i = 2 - depSite = callSiteLocation(stack[i]) - callSite = depSite - } - - // get caller of deprecated thing in relation to file - for (; i < stack.length; i++) { - caller = callSiteLocation(stack[i]) - callFile = caller[0] - - if (callFile === file) { - seen = true - } else if (callFile === this._file) { - file = this._file - } else if (seen) { - break - } - } - - var key = caller - ? depSite.join(':') + '__' + caller.join(':') - : undefined - - if (key !== undefined && key in this._warned) { - // already warned - return - } - - this._warned[key] = true - - // generate automatic message from call site - var msg = message - if (!msg) { - msg = callSite === depSite || !callSite.name - ? defaultMessage(depSite) - : defaultMessage(callSite) - } - - // emit deprecation if listeners exist - if (haslisteners) { - var err = DeprecationError(this._namespace, msg, stack.slice(i)) - process.emit('deprecation', err) - return - } - - // format and write message - var format = process.stderr.isTTY - ? formatColor - : formatPlain - var output = format.call(this, msg, caller, stack.slice(i)) - process.stderr.write(output + '\n', 'utf8') -} - -/** - * Get call site location as array. - */ - -function callSiteLocation (callSite) { - var file = callSite.getFileName() || '' - var line = callSite.getLineNumber() - var colm = callSite.getColumnNumber() - - if (callSite.isEval()) { - file = callSite.getEvalOrigin() + ', ' + file - } - - var site = [file, line, colm] - - site.callSite = callSite - site.name = callSite.getFunctionName() - - return site -} - -/** - * Generate a default message from the site. - */ - -function defaultMessage (site) { - var callSite = site.callSite - var funcName = site.name - - // make useful anonymous name - if (!funcName) { - funcName = '' - } - - var context = callSite.getThis() - var typeName = context && callSite.getTypeName() - - // ignore useless type name - if (typeName === 'Object') { - typeName = undefined - } - - // make useful type name - if (typeName === 'Function') { - typeName = context.name || typeName - } - - return typeName && callSite.getMethodName() - ? typeName + '.' + funcName - : funcName -} - -/** - * Format deprecation message without color. - */ - -function formatPlain (msg, caller, stack) { - var timestamp = new Date().toUTCString() - - var formatted = timestamp + - ' ' + this._namespace + - ' deprecated ' + msg - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n at ' + stack[i].toString() - } - - return formatted - } - - if (caller) { - formatted += ' at ' + formatLocation(caller) - } - - return formatted -} - -/** - * Format deprecation message with color. - */ - -function formatColor (msg, caller, stack) { - var formatted = '\x1b[36;1m' + this._namespace + '\x1b[22;39m' + // bold cyan - ' \x1b[33;1mdeprecated\x1b[22;39m' + // bold yellow - ' \x1b[0m' + msg + '\x1b[39m' // reset - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n \x1b[36mat ' + stack[i].toString() + '\x1b[39m' // cyan - } - - return formatted - } - - if (caller) { - formatted += ' \x1b[36m' + formatLocation(caller) + '\x1b[39m' // cyan - } - - return formatted -} - -/** - * Format call site location. - */ - -function formatLocation (callSite) { - return relative(basePath, callSite[0]) + - ':' + callSite[1] + - ':' + callSite[2] -} - -/** - * Get the stack as array of call sites. - */ - -function getStack () { - var limit = Error.stackTraceLimit - var obj = {} - var prep = Error.prepareStackTrace - - Error.prepareStackTrace = prepareObjectStackTrace - Error.stackTraceLimit = Math.max(10, limit) - - // capture the stack - Error.captureStackTrace(obj) - - // slice this function off the top - var stack = obj.stack.slice(1) - - Error.prepareStackTrace = prep - Error.stackTraceLimit = limit - - return stack -} - -/** - * Capture call site stack from v8. - */ - -function prepareObjectStackTrace (obj, stack) { - return stack -} - -/** - * Return a wrapped function in a deprecation message. - */ - -function wrapfunction (fn, message) { - if (typeof fn !== 'function') { - throw new TypeError('argument fn must be a function') - } - - var args = createArgumentsString(fn.length) - var stack = getStack() - var site = callSiteLocation(stack[1]) - - site.name = fn.name - - // eslint-disable-next-line no-new-func - var deprecatedfn = new Function('fn', 'log', 'deprecate', 'message', 'site', - '"use strict"\n' + - 'return function (' + args + ') {' + - 'log.call(deprecate, message, site)\n' + - 'return fn.apply(this, arguments)\n' + - '}')(fn, log, this, message, site) - - return deprecatedfn -} - -/** - * Wrap property in a deprecation message. - */ - -function wrapproperty (obj, prop, message) { - if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { - throw new TypeError('argument obj must be object') - } - - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - - if (!descriptor) { - throw new TypeError('must call property on owner object') - } - - if (!descriptor.configurable) { - throw new TypeError('property must be configurable') - } - - var deprecate = this - var stack = getStack() - var site = callSiteLocation(stack[1]) - - // set site name - site.name = prop - - // convert data descriptor - if ('value' in descriptor) { - descriptor = convertDataDescriptorToAccessor(obj, prop, message) - } - - var get = descriptor.get - var set = descriptor.set - - // wrap getter - if (typeof get === 'function') { - descriptor.get = function getter () { - log.call(deprecate, message, site) - return get.apply(this, arguments) - } - } - - // wrap setter - if (typeof set === 'function') { - descriptor.set = function setter () { - log.call(deprecate, message, site) - return set.apply(this, arguments) - } - } - - Object.defineProperty(obj, prop, descriptor) -} - -/** - * Create DeprecationError for deprecation - */ - -function DeprecationError (namespace, message, stack) { - var error = new Error() - var stackString - - Object.defineProperty(error, 'constructor', { - value: DeprecationError - }) - - Object.defineProperty(error, 'message', { - configurable: true, - enumerable: false, - value: message, - writable: true - }) - - Object.defineProperty(error, 'name', { - enumerable: false, - configurable: true, - value: 'DeprecationError', - writable: true - }) - - Object.defineProperty(error, 'namespace', { - configurable: true, - enumerable: false, - value: namespace, - writable: true - }) - - Object.defineProperty(error, 'stack', { - configurable: true, - enumerable: false, - get: function () { - if (stackString !== undefined) { - return stackString - } - - // prepare stack trace - return (stackString = createStackString.call(this, stack)) - }, - set: function setter (val) { - stackString = val - } - }) - - return error -} - - -/***/ }), -/* 100 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * keygrip - * Copyright(c) 2011-2014 Jed Schmidt - * MIT Licensed - */ - - - -var compare = __webpack_require__(101) -var crypto = __webpack_require__(8) - -function Keygrip(keys, algorithm, encoding) { - if (!algorithm) algorithm = "sha1"; - if (!encoding) encoding = "base64"; - if (!(this instanceof Keygrip)) return new Keygrip(keys, algorithm, encoding) - - if (!keys || !(0 in keys)) { - throw new Error("Keys must be provided.") - } - - function sign(data, key) { - return crypto - .createHmac(algorithm, key) - .update(data).digest(encoding) - .replace(/\/|\+|=/g, function(x) { - return ({ "/": "_", "+": "-", "=": "" })[x] - }) - } - - this.sign = function(data){ return sign(data, keys[0]) } - - this.verify = function(data, digest) { - return this.index(data, digest) > -1 - } - - this.index = function(data, digest) { - for (var i = 0, l = keys.length; i < l; i++) { - if (compare(digest, sign(data, keys[i]))) { - return i - } - } - - return -1 - } -} - -Keygrip.sign = Keygrip.verify = Keygrip.index = function() { - throw new Error("Usage: require('keygrip')()") -} - -module.exports = Keygrip - - -/***/ }), -/* 101 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Implements Brad Hill's Double HMAC pattern from -// https://www.nccgroup.trust/us/about-us/newsroom-and-events/blog/2011/february/double-hmac-verification/. -// The approach is similar to the node's native implementation of timing safe buffer comparison that will be available on v6+. -// https://github.com/nodejs/node/issues/3043 -// https://github.com/nodejs/node/pull/3073 - -var crypto = __webpack_require__(8); - -function bufferEqual(a, b) { - if (a.length !== b.length) { - return false; - } - // `crypto.timingSafeEqual` was introduced in Node v6.6.0 - // - if (crypto.timingSafeEqual) { - return crypto.timingSafeEqual(a, b); - } - for (var i = 0; i < a.length; i++) { - if (a[i] !== b[i]) { - return false; - } - } - return true; -} - -function timeSafeCompare(a, b) { - var sa = String(a); - var sb = String(b); - var key = crypto.pseudoRandomBytes(32); - var ah = crypto.createHmac('sha256', key).update(sa).digest(); - var bh = crypto.createHmac('sha256', key).update(sb).digest(); - - return bufferEqual(ah, bh) && a === b; -} - -module.exports = timeSafeCompare; - - -/***/ }), -/* 102 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - - -/** - * Module dependencies. - */ - -const URL = __webpack_require__(16).URL; -const net = __webpack_require__(103); -const accepts = __webpack_require__(104); -const contentType = __webpack_require__(110); -const stringify = __webpack_require__(16).format; -const parse = __webpack_require__(111); -const qs = __webpack_require__(36); -const typeis = __webpack_require__(13); -const fresh = __webpack_require__(112); -const only = __webpack_require__(14); -const util = __webpack_require__(1); - -const IP = Symbol('context#ip'); - -/** - * Prototype. - */ - -module.exports = { - - /** - * Return request header. - * - * @return {Object} - * @api public - */ - - get header() { - return this.req.headers; - }, - - /** - * Set request header. - * - * @api public - */ - - set header(val) { - this.req.headers = val; - }, - - /** - * Return request header, alias as request.header - * - * @return {Object} - * @api public - */ - - get headers() { - return this.req.headers; - }, - - /** - * Set request header, alias as request.header - * - * @api public - */ - - set headers(val) { - this.req.headers = val; - }, - - /** - * Get request URL. - * - * @return {String} - * @api public - */ - - get url() { - return this.req.url; - }, - - /** - * Set request URL. - * - * @api public - */ - - set url(val) { - this.req.url = val; - }, - - /** - * Get origin of URL. - * - * @return {String} - * @api public - */ - - get origin() { - return `${this.protocol}://${this.host}`; - }, - - /** - * Get full request URL. - * - * @return {String} - * @api public - */ - - get href() { - // support: `GET http://example.com/foo` - if (/^https?:\/\//i.test(this.originalUrl)) return this.originalUrl; - return this.origin + this.originalUrl; - }, - - /** - * Get request method. - * - * @return {String} - * @api public - */ - - get method() { - return this.req.method; - }, - - /** - * Set request method. - * - * @param {String} val - * @api public - */ - - set method(val) { - this.req.method = val; - }, - - /** - * Get request pathname. - * - * @return {String} - * @api public - */ - - get path() { - return parse(this.req).pathname; - }, - - /** - * Set pathname, retaining the query string when present. - * - * @param {String} path - * @api public - */ - - set path(path) { - const url = parse(this.req); - if (url.pathname === path) return; - - url.pathname = path; - url.path = null; - - this.url = stringify(url); - }, - - /** - * Get parsed query string. - * - * @return {Object} - * @api public - */ - - get query() { - const str = this.querystring; - const c = this._querycache = this._querycache || {}; - return c[str] || (c[str] = qs.parse(str)); - }, - - /** - * Set query string as an object. - * - * @param {Object} obj - * @api public - */ - - set query(obj) { - this.querystring = qs.stringify(obj); - }, - - /** - * Get query string. - * - * @return {String} - * @api public - */ - - get querystring() { - if (!this.req) return ''; - return parse(this.req).query || ''; - }, - - /** - * Set query string. - * - * @param {String} str - * @api public - */ - - set querystring(str) { - const url = parse(this.req); - if (url.search === `?${str}`) return; - - url.search = str; - url.path = null; - - this.url = stringify(url); - }, - - /** - * Get the search string. Same as the query string - * except it includes the leading ?. - * - * @return {String} - * @api public - */ - - get search() { - if (!this.querystring) return ''; - return `?${this.querystring}`; - }, - - /** - * Set the search string. Same as - * request.querystring= but included for ubiquity. - * - * @param {String} str - * @api public - */ - - set search(str) { - this.querystring = str; - }, - - /** - * Parse the "Host" header field host - * and support X-Forwarded-Host when a - * proxy is enabled. - * - * @return {String} hostname:port - * @api public - */ - - get host() { - const proxy = this.app.proxy; - let host = proxy && this.get('X-Forwarded-Host'); - if (!host) { - if (this.req.httpVersionMajor >= 2) host = this.get(':authority'); - if (!host) host = this.get('Host'); - } - if (!host) return ''; - return host.split(/\s*,\s*/, 1)[0]; - }, - - /** - * Parse the "Host" header field hostname - * and support X-Forwarded-Host when a - * proxy is enabled. - * - * @return {String} hostname - * @api public - */ - - get hostname() { - const host = this.host; - if (!host) return ''; - if ('[' === host[0]) return this.URL.hostname || ''; // IPv6 - return host.split(':', 1)[0]; - }, - - /** - * Get WHATWG parsed URL. - * Lazily memoized. - * - * @return {URL|Object} - * @api public - */ - - get URL() { - /* istanbul ignore else */ - if (!this.memoizedURL) { - const originalUrl = this.originalUrl || ''; // avoid undefined in template string - try { - this.memoizedURL = new URL(`${this.origin}${originalUrl}`); - } catch (err) { - this.memoizedURL = Object.create(null); - } - } - return this.memoizedURL; - }, - - /** - * Check if the request is fresh, aka - * Last-Modified and/or the ETag - * still match. - * - * @return {Boolean} - * @api public - */ - - get fresh() { - const method = this.method; - const s = this.ctx.status; - - // GET or HEAD for weak freshness validation only - if ('GET' !== method && 'HEAD' !== method) return false; - - // 2xx or 304 as per rfc2616 14.26 - if ((s >= 200 && s < 300) || 304 === s) { - return fresh(this.header, this.response.header); - } - - return false; - }, - - /** - * Check if the request is stale, aka - * "Last-Modified" and / or the "ETag" for the - * resource has changed. - * - * @return {Boolean} - * @api public - */ - - get stale() { - return !this.fresh; - }, - - /** - * Check if the request is idempotent. - * - * @return {Boolean} - * @api public - */ - - get idempotent() { - const methods = ['GET', 'HEAD', 'PUT', 'DELETE', 'OPTIONS', 'TRACE']; - return !!~methods.indexOf(this.method); - }, - - /** - * Return the request socket. - * - * @return {Connection} - * @api public - */ - - get socket() { - return this.req.socket; - }, - - /** - * Get the charset when present or undefined. - * - * @return {String} - * @api public - */ - - get charset() { - try { - const { parameters } = contentType.parse(this.req); - return parameters.charset || ''; - } catch (e) { - return ''; - } - }, - - /** - * Return parsed Content-Length when present. - * - * @return {Number} - * @api public - */ - - get length() { - const len = this.get('Content-Length'); - if (len === '') return; - return ~~len; - }, - - /** - * Return the protocol string "http" or "https" - * when requested with TLS. When the proxy setting - * is enabled the "X-Forwarded-Proto" header - * field will be trusted. If you're running behind - * a reverse proxy that supplies https for you this - * may be enabled. - * - * @return {String} - * @api public - */ - - get protocol() { - if (this.socket.encrypted) return 'https'; - if (!this.app.proxy) return 'http'; - const proto = this.get('X-Forwarded-Proto'); - return proto ? proto.split(/\s*,\s*/, 1)[0] : 'http'; - }, - - /** - * Shorthand for: - * - * this.protocol == 'https' - * - * @return {Boolean} - * @api public - */ - - get secure() { - return 'https' === this.protocol; - }, - - /** - * When `app.proxy` is `true`, parse - * the "X-Forwarded-For" ip address list. - * - * For example if the value was "client, proxy1, proxy2" - * you would receive the array `["client", "proxy1", "proxy2"]` - * where "proxy2" is the furthest down-stream. - * - * @return {Array} - * @api public - */ - - get ips() { - const proxy = this.app.proxy; - const val = this.get(this.app.proxyIpHeader); - let ips = proxy && val - ? val.split(/\s*,\s*/) - : []; - if (this.app.maxIpsCount > 0) { - ips = ips.slice(-this.app.maxIpsCount); - } - return ips; - }, - - /** - * Return request's remote address - * When `app.proxy` is `true`, parse - * the "X-Forwarded-For" ip address list and return the first one - * - * @return {String} - * @api public - */ - - get ip() { - if (!this[IP]) { - this[IP] = this.ips[0] || this.socket.remoteAddress || ''; - } - return this[IP]; - }, - - set ip(_ip) { - this[IP] = _ip; - }, - - /** - * Return subdomains as an array. - * - * Subdomains are the dot-separated parts of the host before the main domain - * of the app. By default, the domain of the app is assumed to be the last two - * parts of the host. This can be changed by setting `app.subdomainOffset`. - * - * For example, if the domain is "tobi.ferrets.example.com": - * If `app.subdomainOffset` is not set, this.subdomains is - * `["ferrets", "tobi"]`. - * If `app.subdomainOffset` is 3, this.subdomains is `["tobi"]`. - * - * @return {Array} - * @api public - */ - - get subdomains() { - const offset = this.app.subdomainOffset; - const hostname = this.hostname; - if (net.isIP(hostname)) return []; - return hostname - .split('.') - .reverse() - .slice(offset); - }, - - /** - * Get accept object. - * Lazily memoized. - * - * @return {Object} - * @api private - */ - - get accept() { - return this._accept || (this._accept = accepts(this.req)); - }, - - /** - * Set accept object. - * - * @param {Object} - * @api private - */ - - set accept(obj) { - this._accept = obj; - }, - - /** - * Check if the given `type(s)` is acceptable, returning - * the best match when true, otherwise `false`, in which - * case you should respond with 406 "Not Acceptable". - * - * The `type` value may be a single mime type string - * such as "application/json", the extension name - * such as "json" or an array `["json", "html", "text/plain"]`. When a list - * or array is given the _best_ match, if any is returned. - * - * Examples: - * - * // Accept: text/html - * this.accepts('html'); - * // => "html" - * - * // Accept: text/*, application/json - * this.accepts('html'); - * // => "html" - * this.accepts('text/html'); - * // => "text/html" - * this.accepts('json', 'text'); - * // => "json" - * this.accepts('application/json'); - * // => "application/json" - * - * // Accept: text/*, application/json - * this.accepts('image/png'); - * this.accepts('png'); - * // => false - * - * // Accept: text/*;q=.5, application/json - * this.accepts(['html', 'json']); - * this.accepts('html', 'json'); - * // => "json" - * - * @param {String|Array} type(s)... - * @return {String|Array|false} - * @api public - */ - - accepts(...args) { - return this.accept.types(...args); - }, - - /** - * Return accepted encodings or best fit based on `encodings`. - * - * Given `Accept-Encoding: gzip, deflate` - * an array sorted by quality is returned: - * - * ['gzip', 'deflate'] - * - * @param {String|Array} encoding(s)... - * @return {String|Array} - * @api public - */ - - acceptsEncodings(...args) { - return this.accept.encodings(...args); - }, - - /** - * Return accepted charsets or best fit based on `charsets`. - * - * Given `Accept-Charset: utf-8, iso-8859-1;q=0.2, utf-7;q=0.5` - * an array sorted by quality is returned: - * - * ['utf-8', 'utf-7', 'iso-8859-1'] - * - * @param {String|Array} charset(s)... - * @return {String|Array} - * @api public - */ - - acceptsCharsets(...args) { - return this.accept.charsets(...args); - }, - - /** - * Return accepted languages or best fit based on `langs`. - * - * Given `Accept-Language: en;q=0.8, es, pt` - * an array sorted by quality is returned: - * - * ['es', 'pt', 'en'] - * - * @param {String|Array} lang(s)... - * @return {Array|String} - * @api public - */ - - acceptsLanguages(...args) { - return this.accept.languages(...args); - }, - - /** - * Check if the incoming request contains the "Content-Type" - * header field and if it contains any of the given mime `type`s. - * If there is no request body, `null` is returned. - * If there is no content type, `false` is returned. - * Otherwise, it returns the first `type` that matches. - * - * Examples: - * - * // With Content-Type: text/html; charset=utf-8 - * this.is('html'); // => 'html' - * this.is('text/html'); // => 'text/html' - * this.is('text/*', 'application/json'); // => 'text/html' - * - * // When Content-Type is application/json - * this.is('json', 'urlencoded'); // => 'json' - * this.is('application/json'); // => 'application/json' - * this.is('html', 'application/*'); // => 'application/json' - * - * this.is('html'); // => false - * - * @param {String|String[]} [type] - * @param {String[]} [types] - * @return {String|false|null} - * @api public - */ - - is(type, ...types) { - return typeis(this.req, type, ...types); - }, - - /** - * Return the request mime type void of - * parameters such as "charset". - * - * @return {String} - * @api public - */ - - get type() { - const type = this.get('Content-Type'); - if (!type) return ''; - return type.split(';')[0]; - }, - - /** - * Return request header. - * - * The `Referrer` header field is special-cased, - * both `Referrer` and `Referer` are interchangeable. - * - * Examples: - * - * this.get('Content-Type'); - * // => "text/plain" - * - * this.get('content-type'); - * // => "text/plain" - * - * this.get('Something'); - * // => '' - * - * @param {String} field - * @return {String} - * @api public - */ - - get(field) { - const req = this.req; - switch (field = field.toLowerCase()) { - case 'referer': - case 'referrer': - return req.headers.referrer || req.headers.referer || ''; - default: - return req.headers[field] || ''; - } - }, - - /** - * Inspect implementation. - * - * @return {Object} - * @api public - */ - - inspect() { - if (!this.req) return; - return this.toJSON(); - }, - - /** - * Return JSON representation. - * - * @return {Object} - * @api public - */ - - toJSON() { - return only(this, [ - 'method', - 'url', - 'header' - ]); - } -}; - -/** - * Custom inspection implementation for newer Node.js versions. - * - * @return {Object} - * @api public - */ - -/* istanbul ignore else */ -if (util.inspect.custom) { - module.exports[util.inspect.custom] = module.exports.inspect; -} - - -/***/ }), -/* 103 */ -/***/ (function(module, exports) { - -module.exports = require("net"); - -/***/ }), -/* 104 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * accepts - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var Negotiator = __webpack_require__(105) -var mime = __webpack_require__(12) - -/** - * Module exports. - * @public - */ - -module.exports = Accepts - -/** - * Create a new Accepts object for the given req. - * - * @param {object} req - * @public - */ - -function Accepts (req) { - if (!(this instanceof Accepts)) { - return new Accepts(req) - } - - this.headers = req.headers - this.negotiator = new Negotiator(req) -} - -/** - * Check if the given `type(s)` is acceptable, returning - * the best match when true, otherwise `undefined`, in which - * case you should respond with 406 "Not Acceptable". - * - * The `type` value may be a single mime type string - * such as "application/json", the extension name - * such as "json" or an array `["json", "html", "text/plain"]`. When a list - * or array is given the _best_ match, if any is returned. - * - * Examples: - * - * // Accept: text/html - * this.types('html'); - * // => "html" - * - * // Accept: text/*, application/json - * this.types('html'); - * // => "html" - * this.types('text/html'); - * // => "text/html" - * this.types('json', 'text'); - * // => "json" - * this.types('application/json'); - * // => "application/json" - * - * // Accept: text/*, application/json - * this.types('image/png'); - * this.types('png'); - * // => undefined - * - * // Accept: text/*;q=.5, application/json - * this.types(['html', 'json']); - * this.types('html', 'json'); - * // => "json" - * - * @param {String|Array} types... - * @return {String|Array|Boolean} - * @public - */ - -Accepts.prototype.type = -Accepts.prototype.types = function (types_) { - var types = types_ - - // support flattened arguments - if (types && !Array.isArray(types)) { - types = new Array(arguments.length) - for (var i = 0; i < types.length; i++) { - types[i] = arguments[i] - } - } - - // no types, return all requested types - if (!types || types.length === 0) { - return this.negotiator.mediaTypes() - } - - // no accept header, return first given type - if (!this.headers.accept) { - return types[0] - } - - var mimes = types.map(extToMime) - var accepts = this.negotiator.mediaTypes(mimes.filter(validMime)) - var first = accepts[0] - - return first - ? types[mimes.indexOf(first)] - : false -} - -/** - * Return accepted encodings or best fit based on `encodings`. - * - * Given `Accept-Encoding: gzip, deflate` - * an array sorted by quality is returned: - * - * ['gzip', 'deflate'] - * - * @param {String|Array} encodings... - * @return {String|Array} - * @public - */ - -Accepts.prototype.encoding = -Accepts.prototype.encodings = function (encodings_) { - var encodings = encodings_ - - // support flattened arguments - if (encodings && !Array.isArray(encodings)) { - encodings = new Array(arguments.length) - for (var i = 0; i < encodings.length; i++) { - encodings[i] = arguments[i] - } - } - - // no encodings, return all requested encodings - if (!encodings || encodings.length === 0) { - return this.negotiator.encodings() - } - - return this.negotiator.encodings(encodings)[0] || false -} - -/** - * Return accepted charsets or best fit based on `charsets`. - * - * Given `Accept-Charset: utf-8, iso-8859-1;q=0.2, utf-7;q=0.5` - * an array sorted by quality is returned: - * - * ['utf-8', 'utf-7', 'iso-8859-1'] - * - * @param {String|Array} charsets... - * @return {String|Array} - * @public - */ - -Accepts.prototype.charset = -Accepts.prototype.charsets = function (charsets_) { - var charsets = charsets_ - - // support flattened arguments - if (charsets && !Array.isArray(charsets)) { - charsets = new Array(arguments.length) - for (var i = 0; i < charsets.length; i++) { - charsets[i] = arguments[i] - } - } - - // no charsets, return all requested charsets - if (!charsets || charsets.length === 0) { - return this.negotiator.charsets() - } - - return this.negotiator.charsets(charsets)[0] || false -} - -/** - * Return accepted languages or best fit based on `langs`. - * - * Given `Accept-Language: en;q=0.8, es, pt` - * an array sorted by quality is returned: - * - * ['es', 'pt', 'en'] - * - * @param {String|Array} langs... - * @return {Array|String} - * @public - */ - -Accepts.prototype.lang = -Accepts.prototype.langs = -Accepts.prototype.language = -Accepts.prototype.languages = function (languages_) { - var languages = languages_ - - // support flattened arguments - if (languages && !Array.isArray(languages)) { - languages = new Array(arguments.length) - for (var i = 0; i < languages.length; i++) { - languages[i] = arguments[i] - } - } - - // no languages, return all requested languages - if (!languages || languages.length === 0) { - return this.negotiator.languages() - } - - return this.negotiator.languages(languages)[0] || false -} - -/** - * Convert extnames to mime. - * - * @param {String} type - * @return {String} - * @private - */ - -function extToMime (type) { - return type.indexOf('/') === -1 - ? mime.lookup(type) - : type -} - -/** - * Check if mime is valid. - * - * @param {String} type - * @return {String} - * @private - */ - -function validMime (type) { - return typeof type === 'string' -} - - -/***/ }), -/* 105 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * negotiator - * Copyright(c) 2012 Federico Romero - * Copyright(c) 2012-2014 Isaac Z. Schlueter - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Cached loaded submodules. - * @private - */ - -var modules = Object.create(null); - -/** - * Module exports. - * @public - */ - -module.exports = Negotiator; -module.exports.Negotiator = Negotiator; - -/** - * Create a Negotiator instance from a request. - * @param {object} request - * @public - */ - -function Negotiator(request) { - if (!(this instanceof Negotiator)) { - return new Negotiator(request); - } - - this.request = request; -} - -Negotiator.prototype.charset = function charset(available) { - var set = this.charsets(available); - return set && set[0]; -}; - -Negotiator.prototype.charsets = function charsets(available) { - var preferredCharsets = loadModule('charset').preferredCharsets; - return preferredCharsets(this.request.headers['accept-charset'], available); -}; - -Negotiator.prototype.encoding = function encoding(available) { - var set = this.encodings(available); - return set && set[0]; -}; - -Negotiator.prototype.encodings = function encodings(available) { - var preferredEncodings = loadModule('encoding').preferredEncodings; - return preferredEncodings(this.request.headers['accept-encoding'], available); -}; - -Negotiator.prototype.language = function language(available) { - var set = this.languages(available); - return set && set[0]; -}; - -Negotiator.prototype.languages = function languages(available) { - var preferredLanguages = loadModule('language').preferredLanguages; - return preferredLanguages(this.request.headers['accept-language'], available); -}; - -Negotiator.prototype.mediaType = function mediaType(available) { - var set = this.mediaTypes(available); - return set && set[0]; -}; - -Negotiator.prototype.mediaTypes = function mediaTypes(available) { - var preferredMediaTypes = loadModule('mediaType').preferredMediaTypes; - return preferredMediaTypes(this.request.headers.accept, available); -}; - -// Backwards compatibility -Negotiator.prototype.preferredCharset = Negotiator.prototype.charset; -Negotiator.prototype.preferredCharsets = Negotiator.prototype.charsets; -Negotiator.prototype.preferredEncoding = Negotiator.prototype.encoding; -Negotiator.prototype.preferredEncodings = Negotiator.prototype.encodings; -Negotiator.prototype.preferredLanguage = Negotiator.prototype.language; -Negotiator.prototype.preferredLanguages = Negotiator.prototype.languages; -Negotiator.prototype.preferredMediaType = Negotiator.prototype.mediaType; -Negotiator.prototype.preferredMediaTypes = Negotiator.prototype.mediaTypes; - -/** - * Load the given module. - * @private - */ - -function loadModule(moduleName) { - var module = modules[moduleName]; - - if (module !== undefined) { - return module; - } - - // This uses a switch for static require analysis - switch (moduleName) { - case 'charset': - module = __webpack_require__(106); - break; - case 'encoding': - module = __webpack_require__(107); - break; - case 'language': - module = __webpack_require__(108); - break; - case 'mediaType': - module = __webpack_require__(109); - break; - default: - throw new Error('Cannot find module \'' + moduleName + '\''); - } - - // Store to prevent invoking require() - modules[moduleName] = module; - - return module; -} - - -/***/ }), -/* 106 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/** - * negotiator - * Copyright(c) 2012 Isaac Z. Schlueter - * Copyright(c) 2014 Federico Romero - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = preferredCharsets; -module.exports.preferredCharsets = preferredCharsets; - -/** - * Module variables. - * @private - */ - -var simpleCharsetRegExp = /^\s*([^\s;]+)\s*(?:;(.*))?$/; - -/** - * Parse the Accept-Charset header. - * @private - */ - -function parseAcceptCharset(accept) { - var accepts = accept.split(','); - - for (var i = 0, j = 0; i < accepts.length; i++) { - var charset = parseCharset(accepts[i].trim(), i); - - if (charset) { - accepts[j++] = charset; - } - } - - // trim accepts - accepts.length = j; - - return accepts; -} - -/** - * Parse a charset from the Accept-Charset header. - * @private - */ - -function parseCharset(str, i) { - var match = simpleCharsetRegExp.exec(str); - if (!match) return null; - - var charset = match[1]; - var q = 1; - if (match[2]) { - var params = match[2].split(';') - for (var j = 0; j < params.length; j++) { - var p = params[j].trim().split('='); - if (p[0] === 'q') { - q = parseFloat(p[1]); - break; - } - } - } - - return { - charset: charset, - q: q, - i: i - }; -} - -/** - * Get the priority of a charset. - * @private - */ - -function getCharsetPriority(charset, accepted, index) { - var priority = {o: -1, q: 0, s: 0}; - - for (var i = 0; i < accepted.length; i++) { - var spec = specify(charset, accepted[i], index); - - if (spec && (priority.s - spec.s || priority.q - spec.q || priority.o - spec.o) < 0) { - priority = spec; - } - } - - return priority; -} - -/** - * Get the specificity of the charset. - * @private - */ - -function specify(charset, spec, index) { - var s = 0; - if(spec.charset.toLowerCase() === charset.toLowerCase()){ - s |= 1; - } else if (spec.charset !== '*' ) { - return null - } - - return { - i: index, - o: spec.i, - q: spec.q, - s: s - } -} - -/** - * Get the preferred charsets from an Accept-Charset header. - * @public - */ - -function preferredCharsets(accept, provided) { - // RFC 2616 sec 14.2: no header = * - var accepts = parseAcceptCharset(accept === undefined ? '*' : accept || ''); - - if (!provided) { - // sorted list of all charsets - return accepts - .filter(isQuality) - .sort(compareSpecs) - .map(getFullCharset); - } - - var priorities = provided.map(function getPriority(type, index) { - return getCharsetPriority(type, accepts, index); - }); - - // sorted list of accepted charsets - return priorities.filter(isQuality).sort(compareSpecs).map(function getCharset(priority) { - return provided[priorities.indexOf(priority)]; - }); -} - -/** - * Compare two specs. - * @private - */ - -function compareSpecs(a, b) { - return (b.q - a.q) || (b.s - a.s) || (a.o - b.o) || (a.i - b.i) || 0; -} - -/** - * Get full charset string. - * @private - */ - -function getFullCharset(spec) { - return spec.charset; -} - -/** - * Check if a spec has any quality. - * @private - */ - -function isQuality(spec) { - return spec.q > 0; -} - - -/***/ }), -/* 107 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/** - * negotiator - * Copyright(c) 2012 Isaac Z. Schlueter - * Copyright(c) 2014 Federico Romero - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = preferredEncodings; -module.exports.preferredEncodings = preferredEncodings; - -/** - * Module variables. - * @private - */ - -var simpleEncodingRegExp = /^\s*([^\s;]+)\s*(?:;(.*))?$/; - -/** - * Parse the Accept-Encoding header. - * @private - */ - -function parseAcceptEncoding(accept) { - var accepts = accept.split(','); - var hasIdentity = false; - var minQuality = 1; - - for (var i = 0, j = 0; i < accepts.length; i++) { - var encoding = parseEncoding(accepts[i].trim(), i); - - if (encoding) { - accepts[j++] = encoding; - hasIdentity = hasIdentity || specify('identity', encoding); - minQuality = Math.min(minQuality, encoding.q || 1); - } - } - - if (!hasIdentity) { - /* - * If identity doesn't explicitly appear in the accept-encoding header, - * it's added to the list of acceptable encoding with the lowest q - */ - accepts[j++] = { - encoding: 'identity', - q: minQuality, - i: i - }; - } - - // trim accepts - accepts.length = j; - - return accepts; -} - -/** - * Parse an encoding from the Accept-Encoding header. - * @private - */ - -function parseEncoding(str, i) { - var match = simpleEncodingRegExp.exec(str); - if (!match) return null; - - var encoding = match[1]; - var q = 1; - if (match[2]) { - var params = match[2].split(';'); - for (var j = 0; j < params.length; j++) { - var p = params[j].trim().split('='); - if (p[0] === 'q') { - q = parseFloat(p[1]); - break; - } - } - } - - return { - encoding: encoding, - q: q, - i: i - }; -} - -/** - * Get the priority of an encoding. - * @private - */ - -function getEncodingPriority(encoding, accepted, index) { - var priority = {o: -1, q: 0, s: 0}; - - for (var i = 0; i < accepted.length; i++) { - var spec = specify(encoding, accepted[i], index); - - if (spec && (priority.s - spec.s || priority.q - spec.q || priority.o - spec.o) < 0) { - priority = spec; - } - } - - return priority; -} - -/** - * Get the specificity of the encoding. - * @private - */ - -function specify(encoding, spec, index) { - var s = 0; - if(spec.encoding.toLowerCase() === encoding.toLowerCase()){ - s |= 1; - } else if (spec.encoding !== '*' ) { - return null - } - - return { - i: index, - o: spec.i, - q: spec.q, - s: s - } -}; - -/** - * Get the preferred encodings from an Accept-Encoding header. - * @public - */ - -function preferredEncodings(accept, provided) { - var accepts = parseAcceptEncoding(accept || ''); - - if (!provided) { - // sorted list of all encodings - return accepts - .filter(isQuality) - .sort(compareSpecs) - .map(getFullEncoding); - } - - var priorities = provided.map(function getPriority(type, index) { - return getEncodingPriority(type, accepts, index); - }); - - // sorted list of accepted encodings - return priorities.filter(isQuality).sort(compareSpecs).map(function getEncoding(priority) { - return provided[priorities.indexOf(priority)]; - }); -} - -/** - * Compare two specs. - * @private - */ - -function compareSpecs(a, b) { - return (b.q - a.q) || (b.s - a.s) || (a.o - b.o) || (a.i - b.i) || 0; -} - -/** - * Get full encoding string. - * @private - */ - -function getFullEncoding(spec) { - return spec.encoding; -} - -/** - * Check if a spec has any quality. - * @private - */ - -function isQuality(spec) { - return spec.q > 0; -} - - -/***/ }), -/* 108 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/** - * negotiator - * Copyright(c) 2012 Isaac Z. Schlueter - * Copyright(c) 2014 Federico Romero - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = preferredLanguages; -module.exports.preferredLanguages = preferredLanguages; - -/** - * Module variables. - * @private - */ - -var simpleLanguageRegExp = /^\s*([^\s\-;]+)(?:-([^\s;]+))?\s*(?:;(.*))?$/; - -/** - * Parse the Accept-Language header. - * @private - */ - -function parseAcceptLanguage(accept) { - var accepts = accept.split(','); - - for (var i = 0, j = 0; i < accepts.length; i++) { - var language = parseLanguage(accepts[i].trim(), i); - - if (language) { - accepts[j++] = language; - } - } - - // trim accepts - accepts.length = j; - - return accepts; -} - -/** - * Parse a language from the Accept-Language header. - * @private - */ - -function parseLanguage(str, i) { - var match = simpleLanguageRegExp.exec(str); - if (!match) return null; - - var prefix = match[1], - suffix = match[2], - full = prefix; - - if (suffix) full += "-" + suffix; - - var q = 1; - if (match[3]) { - var params = match[3].split(';') - for (var j = 0; j < params.length; j++) { - var p = params[j].split('='); - if (p[0] === 'q') q = parseFloat(p[1]); - } - } - - return { - prefix: prefix, - suffix: suffix, - q: q, - i: i, - full: full - }; -} - -/** - * Get the priority of a language. - * @private - */ - -function getLanguagePriority(language, accepted, index) { - var priority = {o: -1, q: 0, s: 0}; - - for (var i = 0; i < accepted.length; i++) { - var spec = specify(language, accepted[i], index); - - if (spec && (priority.s - spec.s || priority.q - spec.q || priority.o - spec.o) < 0) { - priority = spec; - } - } - - return priority; -} - -/** - * Get the specificity of the language. - * @private - */ - -function specify(language, spec, index) { - var p = parseLanguage(language) - if (!p) return null; - var s = 0; - if(spec.full.toLowerCase() === p.full.toLowerCase()){ - s |= 4; - } else if (spec.prefix.toLowerCase() === p.full.toLowerCase()) { - s |= 2; - } else if (spec.full.toLowerCase() === p.prefix.toLowerCase()) { - s |= 1; - } else if (spec.full !== '*' ) { - return null - } - - return { - i: index, - o: spec.i, - q: spec.q, - s: s - } -}; - -/** - * Get the preferred languages from an Accept-Language header. - * @public - */ - -function preferredLanguages(accept, provided) { - // RFC 2616 sec 14.4: no header = * - var accepts = parseAcceptLanguage(accept === undefined ? '*' : accept || ''); - - if (!provided) { - // sorted list of all languages - return accepts - .filter(isQuality) - .sort(compareSpecs) - .map(getFullLanguage); - } - - var priorities = provided.map(function getPriority(type, index) { - return getLanguagePriority(type, accepts, index); - }); - - // sorted list of accepted languages - return priorities.filter(isQuality).sort(compareSpecs).map(function getLanguage(priority) { - return provided[priorities.indexOf(priority)]; - }); -} - -/** - * Compare two specs. - * @private - */ - -function compareSpecs(a, b) { - return (b.q - a.q) || (b.s - a.s) || (a.o - b.o) || (a.i - b.i) || 0; -} - -/** - * Get full language string. - * @private - */ - -function getFullLanguage(spec) { - return spec.full; -} - -/** - * Check if a spec has any quality. - * @private - */ - -function isQuality(spec) { - return spec.q > 0; -} - - -/***/ }), -/* 109 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/** - * negotiator - * Copyright(c) 2012 Isaac Z. Schlueter - * Copyright(c) 2014 Federico Romero - * Copyright(c) 2014-2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = preferredMediaTypes; -module.exports.preferredMediaTypes = preferredMediaTypes; - -/** - * Module variables. - * @private - */ - -var simpleMediaTypeRegExp = /^\s*([^\s\/;]+)\/([^;\s]+)\s*(?:;(.*))?$/; - -/** - * Parse the Accept header. - * @private - */ - -function parseAccept(accept) { - var accepts = splitMediaTypes(accept); - - for (var i = 0, j = 0; i < accepts.length; i++) { - var mediaType = parseMediaType(accepts[i].trim(), i); - - if (mediaType) { - accepts[j++] = mediaType; - } - } - - // trim accepts - accepts.length = j; - - return accepts; -} - -/** - * Parse a media type from the Accept header. - * @private - */ - -function parseMediaType(str, i) { - var match = simpleMediaTypeRegExp.exec(str); - if (!match) return null; - - var params = Object.create(null); - var q = 1; - var subtype = match[2]; - var type = match[1]; - - if (match[3]) { - var kvps = splitParameters(match[3]).map(splitKeyValuePair); - - for (var j = 0; j < kvps.length; j++) { - var pair = kvps[j]; - var key = pair[0].toLowerCase(); - var val = pair[1]; - - // get the value, unwrapping quotes - var value = val && val[0] === '"' && val[val.length - 1] === '"' - ? val.substr(1, val.length - 2) - : val; - - if (key === 'q') { - q = parseFloat(value); - break; - } - - // store parameter - params[key] = value; - } - } - - return { - type: type, - subtype: subtype, - params: params, - q: q, - i: i - }; -} - -/** - * Get the priority of a media type. - * @private - */ - -function getMediaTypePriority(type, accepted, index) { - var priority = {o: -1, q: 0, s: 0}; - - for (var i = 0; i < accepted.length; i++) { - var spec = specify(type, accepted[i], index); - - if (spec && (priority.s - spec.s || priority.q - spec.q || priority.o - spec.o) < 0) { - priority = spec; - } - } - - return priority; -} - -/** - * Get the specificity of the media type. - * @private - */ - -function specify(type, spec, index) { - var p = parseMediaType(type); - var s = 0; - - if (!p) { - return null; - } - - if(spec.type.toLowerCase() == p.type.toLowerCase()) { - s |= 4 - } else if(spec.type != '*') { - return null; - } - - if(spec.subtype.toLowerCase() == p.subtype.toLowerCase()) { - s |= 2 - } else if(spec.subtype != '*') { - return null; - } - - var keys = Object.keys(spec.params); - if (keys.length > 0) { - if (keys.every(function (k) { - return spec.params[k] == '*' || (spec.params[k] || '').toLowerCase() == (p.params[k] || '').toLowerCase(); - })) { - s |= 1 - } else { - return null - } - } - - return { - i: index, - o: spec.i, - q: spec.q, - s: s, - } -} - -/** - * Get the preferred media types from an Accept header. - * @public - */ - -function preferredMediaTypes(accept, provided) { - // RFC 2616 sec 14.2: no header = */* - var accepts = parseAccept(accept === undefined ? '*/*' : accept || ''); - - if (!provided) { - // sorted list of all types - return accepts - .filter(isQuality) - .sort(compareSpecs) - .map(getFullType); - } - - var priorities = provided.map(function getPriority(type, index) { - return getMediaTypePriority(type, accepts, index); - }); - - // sorted list of accepted types - return priorities.filter(isQuality).sort(compareSpecs).map(function getType(priority) { - return provided[priorities.indexOf(priority)]; - }); -} - -/** - * Compare two specs. - * @private - */ - -function compareSpecs(a, b) { - return (b.q - a.q) || (b.s - a.s) || (a.o - b.o) || (a.i - b.i) || 0; -} - -/** - * Get full type string. - * @private - */ - -function getFullType(spec) { - return spec.type + '/' + spec.subtype; -} - -/** - * Check if a spec has any quality. - * @private - */ - -function isQuality(spec) { - return spec.q > 0; -} - -/** - * Count the number of quotes in a string. - * @private - */ - -function quoteCount(string) { - var count = 0; - var index = 0; - - while ((index = string.indexOf('"', index)) !== -1) { - count++; - index++; - } - - return count; -} - -/** - * Split a key value pair. - * @private - */ - -function splitKeyValuePair(str) { - var index = str.indexOf('='); - var key; - var val; - - if (index === -1) { - key = str; - } else { - key = str.substr(0, index); - val = str.substr(index + 1); - } - - return [key, val]; -} - -/** - * Split an Accept header into media types. - * @private - */ - -function splitMediaTypes(accept) { - var accepts = accept.split(','); - - for (var i = 1, j = 0; i < accepts.length; i++) { - if (quoteCount(accepts[j]) % 2 == 0) { - accepts[++j] = accepts[i]; - } else { - accepts[j] += ',' + accepts[i]; - } - } - - // trim accepts - accepts.length = j + 1; - - return accepts; -} - -/** - * Split a string of parameters. - * @private - */ - -function splitParameters(str) { - var parameters = str.split(';'); - - for (var i = 1, j = 0; i < parameters.length; i++) { - if (quoteCount(parameters[j]) % 2 == 0) { - parameters[++j] = parameters[i]; - } else { - parameters[j] += ';' + parameters[i]; - } - } - - // trim parameters - parameters.length = j + 1; - - for (var i = 0; i < parameters.length; i++) { - parameters[i] = parameters[i].trim(); - } - - return parameters; -} - - -/***/ }), -/* 110 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * content-type - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * RegExp to match *( ";" parameter ) in RFC 7231 sec 3.1.1.1 - * - * parameter = token "=" ( token / quoted-string ) - * token = 1*tchar - * tchar = "!" / "#" / "$" / "%" / "&" / "'" / "*" - * / "+" / "-" / "." / "^" / "_" / "`" / "|" / "~" - * / DIGIT / ALPHA - * ; any VCHAR, except delimiters - * quoted-string = DQUOTE *( qdtext / quoted-pair ) DQUOTE - * qdtext = HTAB / SP / %x21 / %x23-5B / %x5D-7E / obs-text - * obs-text = %x80-FF - * quoted-pair = "\" ( HTAB / SP / VCHAR / obs-text ) - */ -var PARAM_REGEXP = /; *([!#$%&'*+.^_`|~0-9A-Za-z-]+) *= *("(?:[\u000b\u0020\u0021\u0023-\u005b\u005d-\u007e\u0080-\u00ff]|\\[\u000b\u0020-\u00ff])*"|[!#$%&'*+.^_`|~0-9A-Za-z-]+) */g -var TEXT_REGEXP = /^[\u000b\u0020-\u007e\u0080-\u00ff]+$/ -var TOKEN_REGEXP = /^[!#$%&'*+.^_`|~0-9A-Za-z-]+$/ - -/** - * RegExp to match quoted-pair in RFC 7230 sec 3.2.6 - * - * quoted-pair = "\" ( HTAB / SP / VCHAR / obs-text ) - * obs-text = %x80-FF - */ -var QESC_REGEXP = /\\([\u000b\u0020-\u00ff])/g - -/** - * RegExp to match chars that must be quoted-pair in RFC 7230 sec 3.2.6 - */ -var QUOTE_REGEXP = /([\\"])/g - -/** - * RegExp to match type in RFC 7231 sec 3.1.1.1 - * - * media-type = type "/" subtype - * type = token - * subtype = token - */ -var TYPE_REGEXP = /^[!#$%&'*+.^_`|~0-9A-Za-z-]+\/[!#$%&'*+.^_`|~0-9A-Za-z-]+$/ - -/** - * Module exports. - * @public - */ - -exports.format = format -exports.parse = parse - -/** - * Format object to media type. - * - * @param {object} obj - * @return {string} - * @public - */ - -function format (obj) { - if (!obj || typeof obj !== 'object') { - throw new TypeError('argument obj is required') - } - - var parameters = obj.parameters - var type = obj.type - - if (!type || !TYPE_REGEXP.test(type)) { - throw new TypeError('invalid type') - } - - var string = type - - // append parameters - if (parameters && typeof parameters === 'object') { - var param - var params = Object.keys(parameters).sort() - - for (var i = 0; i < params.length; i++) { - param = params[i] - - if (!TOKEN_REGEXP.test(param)) { - throw new TypeError('invalid parameter name') - } - - string += '; ' + param + '=' + qstring(parameters[param]) - } - } - - return string -} - -/** - * Parse media type to object. - * - * @param {string|object} string - * @return {Object} - * @public - */ - -function parse (string) { - if (!string) { - throw new TypeError('argument string is required') - } - - // support req/res-like objects as argument - var header = typeof string === 'object' - ? getcontenttype(string) - : string - - if (typeof header !== 'string') { - throw new TypeError('argument string is required to be a string') - } - - var index = header.indexOf(';') - var type = index !== -1 - ? header.substr(0, index).trim() - : header.trim() - - if (!TYPE_REGEXP.test(type)) { - throw new TypeError('invalid media type') - } - - var obj = new ContentType(type.toLowerCase()) - - // parse parameters - if (index !== -1) { - var key - var match - var value - - PARAM_REGEXP.lastIndex = index - - while ((match = PARAM_REGEXP.exec(header))) { - if (match.index !== index) { - throw new TypeError('invalid parameter format') - } - - index += match[0].length - key = match[1].toLowerCase() - value = match[2] - - if (value[0] === '"') { - // remove quotes and escapes - value = value - .substr(1, value.length - 2) - .replace(QESC_REGEXP, '$1') - } - - obj.parameters[key] = value - } - - if (index !== header.length) { - throw new TypeError('invalid parameter format') - } - } - - return obj -} - -/** - * Get content-type from req/res objects. - * - * @param {object} - * @return {Object} - * @private - */ - -function getcontenttype (obj) { - var header - - if (typeof obj.getHeader === 'function') { - // res-like - header = obj.getHeader('content-type') - } else if (typeof obj.headers === 'object') { - // req-like - header = obj.headers && obj.headers['content-type'] - } - - if (typeof header !== 'string') { - throw new TypeError('content-type header is missing from object') - } - - return header -} - -/** - * Quote a string if necessary. - * - * @param {string} val - * @return {string} - * @private - */ - -function qstring (val) { - var str = String(val) - - // no need to quote tokens - if (TOKEN_REGEXP.test(str)) { - return str - } - - if (str.length > 0 && !TEXT_REGEXP.test(str)) { - throw new TypeError('invalid parameter value') - } - - return '"' + str.replace(QUOTE_REGEXP, '\\$1') + '"' -} - -/** - * Class to represent a content type. - * @private - */ -function ContentType (type) { - this.parameters = Object.create(null) - this.type = type -} - - -/***/ }), -/* 111 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * parseurl - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2014-2017 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var url = __webpack_require__(16) -var parse = url.parse -var Url = url.Url - -/** - * Module exports. - * @public - */ - -module.exports = parseurl -module.exports.original = originalurl - -/** - * Parse the `req` url with memoization. - * - * @param {ServerRequest} req - * @return {Object} - * @public - */ - -function parseurl (req) { - var url = req.url - - if (url === undefined) { - // URL is undefined - return undefined - } - - var parsed = req._parsedUrl - - if (fresh(url, parsed)) { - // Return cached URL parse - return parsed - } - - // Parse the URL - parsed = fastparse(url) - parsed._raw = url - - return (req._parsedUrl = parsed) -}; - -/** - * Parse the `req` original url with fallback and memoization. - * - * @param {ServerRequest} req - * @return {Object} - * @public - */ - -function originalurl (req) { - var url = req.originalUrl - - if (typeof url !== 'string') { - // Fallback - return parseurl(req) - } - - var parsed = req._parsedOriginalUrl - - if (fresh(url, parsed)) { - // Return cached URL parse - return parsed - } - - // Parse the URL - parsed = fastparse(url) - parsed._raw = url - - return (req._parsedOriginalUrl = parsed) -}; - -/** - * Parse the `str` url with fast-path short-cut. - * - * @param {string} str - * @return {Object} - * @private - */ - -function fastparse (str) { - if (typeof str !== 'string' || str.charCodeAt(0) !== 0x2f /* / */) { - return parse(str) - } - - var pathname = str - var query = null - var search = null - - // This takes the regexp from https://github.com/joyent/node/pull/7878 - // Which is /^(\/[^?#\s]*)(\?[^#\s]*)?$/ - // And unrolls it into a for loop - for (var i = 1; i < str.length; i++) { - switch (str.charCodeAt(i)) { - case 0x3f: /* ? */ - if (search === null) { - pathname = str.substring(0, i) - query = str.substring(i + 1) - search = str.substring(i) - } - break - case 0x09: /* \t */ - case 0x0a: /* \n */ - case 0x0c: /* \f */ - case 0x0d: /* \r */ - case 0x20: /* */ - case 0x23: /* # */ - case 0xa0: - case 0xfeff: - return parse(str) - } - } - - var url = Url !== undefined - ? new Url() - : {} - - url.path = str - url.href = str - url.pathname = pathname - - if (search !== null) { - url.query = query - url.search = search - } - - return url -} - -/** - * Determine if parsed is still fresh for url. - * - * @param {string} url - * @param {object} parsedUrl - * @return {boolean} - * @private - */ - -function fresh (url, parsedUrl) { - return typeof parsedUrl === 'object' && - parsedUrl !== null && - (Url === undefined || parsedUrl instanceof Url) && - parsedUrl._raw === url -} - - -/***/ }), -/* 112 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * fresh - * Copyright(c) 2012 TJ Holowaychuk - * Copyright(c) 2016-2017 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * RegExp to check for no-cache token in Cache-Control. - * @private - */ - -var CACHE_CONTROL_NO_CACHE_REGEXP = /(?:^|,)\s*?no-cache\s*?(?:,|$)/ - -/** - * Module exports. - * @public - */ - -module.exports = fresh - -/** - * Check freshness of the response using request and response headers. - * - * @param {Object} reqHeaders - * @param {Object} resHeaders - * @return {Boolean} - * @public - */ - -function fresh (reqHeaders, resHeaders) { - // fields - var modifiedSince = reqHeaders['if-modified-since'] - var noneMatch = reqHeaders['if-none-match'] - - // unconditional request - if (!modifiedSince && !noneMatch) { - return false - } - - // Always return stale when Cache-Control: no-cache - // to support end-to-end reload requests - // https://tools.ietf.org/html/rfc2616#section-14.9.4 - var cacheControl = reqHeaders['cache-control'] - if (cacheControl && CACHE_CONTROL_NO_CACHE_REGEXP.test(cacheControl)) { - return false - } - - // if-none-match - if (noneMatch && noneMatch !== '*') { - var etag = resHeaders['etag'] - - if (!etag) { - return false - } - - var etagStale = true - var matches = parseTokenList(noneMatch) - for (var i = 0; i < matches.length; i++) { - var match = matches[i] - if (match === etag || match === 'W/' + etag || 'W/' + match === etag) { - etagStale = false - break - } - } - - if (etagStale) { - return false - } - } - - // if-modified-since - if (modifiedSince) { - var lastModified = resHeaders['last-modified'] - var modifiedStale = !lastModified || !(parseHttpDate(lastModified) <= parseHttpDate(modifiedSince)) - - if (modifiedStale) { - return false - } - } - - return true -} - -/** - * Parse an HTTP Date into a number. - * - * @param {string} date - * @private - */ - -function parseHttpDate (date) { - var timestamp = date && Date.parse(date) - - // istanbul ignore next: guard against date.js Date.parse patching - return typeof timestamp === 'number' - ? timestamp - : NaN -} - -/** - * Parse a HTTP token list. - * - * @param {string} str - * @private - */ - -function parseTokenList (str) { - var end = 0 - var list = [] - var start = 0 - - // gather tokens - for (var i = 0, len = str.length; i < len; i++) { - switch (str.charCodeAt(i)) { - case 0x20: /* */ - if (start === end) { - start = end = i + 1 - } - break - case 0x2c: /* , */ - list.push(str.substring(start, end)) - start = end = i + 1 - break - default: - end = i + 1 - break - } - } - - // final token - list.push(str.substring(start, end)) - - return list -} - - -/***/ }), -/* 113 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -const co = __webpack_require__(114) -const compose = __webpack_require__(37) - -module.exports = convert - -function convert (mw) { - if (typeof mw !== 'function') { - throw new TypeError('middleware must be a function') - } - if (mw.constructor.name !== 'GeneratorFunction') { - // assume it's Promise-based middleware - return mw - } - const converted = function (ctx, next) { - return co.call(ctx, mw.call(ctx, createGenerator(next))) - } - converted._name = mw._name || mw.name - return converted -} - -function * createGenerator (next) { - return yield next() -} - -// convert.compose(mw, mw, mw) -// convert.compose([mw, mw, mw]) -convert.compose = function (arr) { - if (!Array.isArray(arr)) { - arr = Array.from(arguments) - } - return compose(arr.map(convert)) -} - -convert.back = function (mw) { - if (typeof mw !== 'function') { - throw new TypeError('middleware must be a function') - } - if (mw.constructor.name === 'GeneratorFunction') { - // assume it's generator middleware - return mw - } - const converted = function * (next) { - let ctx = this - let called = false - // no need try...catch here, it's ok even `mw()` throw exception - yield Promise.resolve(mw(ctx, function () { - if (called) { - // guard against multiple next() calls - // https://github.com/koajs/compose/blob/4e3e96baf58b817d71bd44a8c0d78bb42623aa95/index.js#L36 - return Promise.reject(new Error('next() called multiple times')) - } - called = true - return co.call(ctx, next) - })) - } - converted._name = mw._name || mw.name - return converted -} - - -/***/ }), -/* 114 */ -/***/ (function(module, exports) { - - -/** - * slice() reference. - */ - -var slice = Array.prototype.slice; - -/** - * Expose `co`. - */ - -module.exports = co['default'] = co.co = co; - -/** - * Wrap the given generator `fn` into a - * function that returns a promise. - * This is a separate function so that - * every `co()` call doesn't create a new, - * unnecessary closure. - * - * @param {GeneratorFunction} fn - * @return {Function} - * @api public - */ - -co.wrap = function (fn) { - createPromise.__generatorFunction__ = fn; - return createPromise; - function createPromise() { - return co.call(this, fn.apply(this, arguments)); - } -}; - -/** - * Execute the generator function or a generator - * and return a promise. - * - * @param {Function} fn - * @return {Promise} - * @api public - */ - -function co(gen) { - var ctx = this; - var args = slice.call(arguments, 1) - - // we wrap everything in a promise to avoid promise chaining, - // which leads to memory leak errors. - // see https://github.com/tj/co/issues/180 - return new Promise(function(resolve, reject) { - if (typeof gen === 'function') gen = gen.apply(ctx, args); - if (!gen || typeof gen.next !== 'function') return resolve(gen); - - onFulfilled(); - - /** - * @param {Mixed} res - * @return {Promise} - * @api private - */ - - function onFulfilled(res) { - var ret; - try { - ret = gen.next(res); - } catch (e) { - return reject(e); - } - next(ret); - } - - /** - * @param {Error} err - * @return {Promise} - * @api private - */ - - function onRejected(err) { - var ret; - try { - ret = gen.throw(err); - } catch (e) { - return reject(e); - } - next(ret); - } - - /** - * Get the next value in the generator, - * return a promise. - * - * @param {Object} ret - * @return {Promise} - * @api private - */ - - function next(ret) { - if (ret.done) return resolve(ret.value); - var value = toPromise.call(ctx, ret.value); - if (value && isPromise(value)) return value.then(onFulfilled, onRejected); - return onRejected(new TypeError('You may only yield a function, promise, generator, array, or object, ' - + 'but the following object was passed: "' + String(ret.value) + '"')); - } - }); -} - -/** - * Convert a `yield`ed value into a promise. - * - * @param {Mixed} obj - * @return {Promise} - * @api private - */ - -function toPromise(obj) { - if (!obj) return obj; - if (isPromise(obj)) return obj; - if (isGeneratorFunction(obj) || isGenerator(obj)) return co.call(this, obj); - if ('function' == typeof obj) return thunkToPromise.call(this, obj); - if (Array.isArray(obj)) return arrayToPromise.call(this, obj); - if (isObject(obj)) return objectToPromise.call(this, obj); - return obj; -} - -/** - * Convert a thunk to a promise. - * - * @param {Function} - * @return {Promise} - * @api private - */ - -function thunkToPromise(fn) { - var ctx = this; - return new Promise(function (resolve, reject) { - fn.call(ctx, function (err, res) { - if (err) return reject(err); - if (arguments.length > 2) res = slice.call(arguments, 1); - resolve(res); - }); - }); -} - -/** - * Convert an array of "yieldables" to a promise. - * Uses `Promise.all()` internally. - * - * @param {Array} obj - * @return {Promise} - * @api private - */ - -function arrayToPromise(obj) { - return Promise.all(obj.map(toPromise, this)); -} - -/** - * Convert an object of "yieldables" to a promise. - * Uses `Promise.all()` internally. - * - * @param {Object} obj - * @return {Promise} - * @api private - */ - -function objectToPromise(obj){ - var results = new obj.constructor(); - var keys = Object.keys(obj); - var promises = []; - for (var i = 0; i < keys.length; i++) { - var key = keys[i]; - var promise = toPromise.call(this, obj[key]); - if (promise && isPromise(promise)) defer(promise, key); - else results[key] = obj[key]; - } - return Promise.all(promises).then(function () { - return results; - }); - - function defer(promise, key) { - // predefine the key in the result - results[key] = undefined; - promises.push(promise.then(function (res) { - results[key] = res; - })); - } -} - -/** - * Check if `obj` is a promise. - * - * @param {Object} obj - * @return {Boolean} - * @api private - */ - -function isPromise(obj) { - return 'function' == typeof obj.then; -} - -/** - * Check if `obj` is a generator. - * - * @param {Mixed} obj - * @return {Boolean} - * @api private - */ - -function isGenerator(obj) { - return 'function' == typeof obj.next && 'function' == typeof obj.throw; -} - -/** - * Check if `obj` is a generator function. - * - * @param {Mixed} obj - * @return {Boolean} - * @api private - */ -function isGeneratorFunction(obj) { - var constructor = obj.constructor; - if (!constructor) return false; - if ('GeneratorFunction' === constructor.name || 'GeneratorFunction' === constructor.displayName) return true; - return isGenerator(constructor.prototype); -} - -/** - * Check for plain object. - * - * @param {Mixed} val - * @return {Boolean} - * @api private - */ - -function isObject(val) { - return Object == val.constructor; -} - - -/***/ }), -/* 115 */ -/***/ (function(module, exports, __webpack_require__) { - -module.exports = __webpack_require__(116)().Promise - - -/***/ }), -/* 116 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -module.exports = __webpack_require__(117)(global, loadImplementation); - -/** - * Node.js version of loadImplementation. - * - * Requires the given implementation and returns the registration - * containing {Promise, implementation} - * - * If implementation is undefined or global.Promise, loads it - * Otherwise uses require - */ -function loadImplementation(implementation){ - var impl = null - - if(shouldPreferGlobalPromise(implementation)){ - // if no implementation or env specified use global.Promise - impl = { - Promise: global.Promise, - implementation: 'global.Promise' - } - } else if(implementation){ - // if implementation specified, require it - var lib = __webpack_require__(118)(implementation) - impl = { - Promise: lib.Promise || lib, - implementation: implementation - } - } else { - // try to auto detect implementation. This is non-deterministic - // and should prefer other branches, but this is our last chance - // to load something without throwing error - impl = tryAutoDetect() - } - - if(impl === null){ - throw new Error('Cannot find any-promise implementation nor'+ - ' global.Promise. You must install polyfill or call'+ - ' require("any-promise/register") with your preferred'+ - ' implementation, e.g. require("any-promise/register/bluebird")'+ - ' on application load prior to any require("any-promise").') - } - - return impl -} - -/** - * Determines if the global.Promise should be preferred if an implementation - * has not been registered. - */ -function shouldPreferGlobalPromise(implementation){ - if(implementation){ - return implementation === 'global.Promise' - } else if(typeof global.Promise !== 'undefined'){ - // Load global promise if implementation not specified - // Versions < 0.11 did not have global Promise - // Do not use for version < 0.12 as version 0.11 contained buggy versions - var version = (/v(\d+)\.(\d+)\.(\d+)/).exec(process.version) - return !(version && +version[1] == 0 && +version[2] < 12) - } - - // do not have global.Promise or another implementation was specified - return false -} - -/** - * Look for common libs as last resort there is no guarantee that - * this will return a desired implementation or even be deterministic. - * The priority is also nearly arbitrary. We are only doing this - * for older versions of Node.js <0.12 that do not have a reasonable - * global.Promise implementation and we the user has not registered - * the preference. This preserves the behavior of any-promise <= 0.1 - * and may be deprecated or removed in the future - */ -function tryAutoDetect(){ - var libs = [ - "es6-promise", - "promise", - "native-promise-only", - "bluebird", - "rsvp", - "when", - "q", - "pinkie", - "lie", - "vow"] - var i = 0, len = libs.length - for(; i < len; i++){ - try { - return loadImplementation(libs[i]) - } catch(e){} - } - return null -} - - -/***/ }), -/* 117 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - // global key for user preferred registration -var REGISTRATION_KEY = '@@any-promise/REGISTRATION', - // Prior registration (preferred or detected) - registered = null - -/** - * Registers the given implementation. An implementation must - * be registered prior to any call to `require("any-promise")`, - * typically on application load. - * - * If called with no arguments, will return registration in - * following priority: - * - * For Node.js: - * - * 1. Previous registration - * 2. global.Promise if node.js version >= 0.12 - * 3. Auto detected promise based on first sucessful require of - * known promise libraries. Note this is a last resort, as the - * loaded library is non-deterministic. node.js >= 0.12 will - * always use global.Promise over this priority list. - * 4. Throws error. - * - * For Browser: - * - * 1. Previous registration - * 2. window.Promise - * 3. Throws error. - * - * Options: - * - * Promise: Desired Promise constructor - * global: Boolean - Should the registration be cached in a global variable to - * allow cross dependency/bundle registration? (default true) - */ -module.exports = function(root, loadImplementation){ - return function register(implementation, opts){ - implementation = implementation || null - opts = opts || {} - // global registration unless explicitly {global: false} in options (default true) - var registerGlobal = opts.global !== false; - - // load any previous global registration - if(registered === null && registerGlobal){ - registered = root[REGISTRATION_KEY] || null - } - - if(registered !== null - && implementation !== null - && registered.implementation !== implementation){ - // Throw error if attempting to redefine implementation - throw new Error('any-promise already defined as "'+registered.implementation+ - '". You can only register an implementation before the first '+ - ' call to require("any-promise") and an implementation cannot be changed') - } - - if(registered === null){ - // use provided implementation - if(implementation !== null && typeof opts.Promise !== 'undefined'){ - registered = { - Promise: opts.Promise, - implementation: implementation - } - } else { - // require implementation if implementation is specified but not provided - registered = loadImplementation(implementation) - } - - if(registerGlobal){ - // register preference globally in case multiple installations - root[REGISTRATION_KEY] = registered - } - } - - return registered - } -} - - -/***/ }), -/* 118 */ -/***/ (function(module, exports) { - -function webpackEmptyContext(req) { - var e = new Error("Cannot find module '" + req + "'"); - e.code = 'MODULE_NOT_FOUND'; - throw e; -} -webpackEmptyContext.keys = function() { return []; }; -webpackEmptyContext.resolve = webpackEmptyContext; -module.exports = webpackEmptyContext; -webpackEmptyContext.id = 118; - -/***/ }), -/* 119 */ -/***/ (function(module, exports, __webpack_require__) { - -/*! - * depd - * Copyright(c) 2014-2018 Douglas Christopher Wilson - * MIT Licensed - */ - -/** - * Module dependencies. - */ - -var relative = __webpack_require__(0).relative - -/** - * Module exports. - */ - -module.exports = depd - -/** - * Get the path to base files on. - */ - -var basePath = process.cwd() - -/** - * Determine if namespace is contained in the string. - */ - -function containsNamespace (str, namespace) { - var vals = str.split(/[ ,]+/) - var ns = String(namespace).toLowerCase() - - for (var i = 0; i < vals.length; i++) { - var val = vals[i] - - // namespace contained - if (val && (val === '*' || val.toLowerCase() === ns)) { - return true - } - } - - return false -} - -/** - * Convert a data descriptor to accessor descriptor. - */ - -function convertDataDescriptorToAccessor (obj, prop, message) { - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - var value = descriptor.value - - descriptor.get = function getter () { return value } - - if (descriptor.writable) { - descriptor.set = function setter (val) { return (value = val) } - } - - delete descriptor.value - delete descriptor.writable - - Object.defineProperty(obj, prop, descriptor) - - return descriptor -} - -/** - * Create arguments string to keep arity. - */ - -function createArgumentsString (arity) { - var str = '' - - for (var i = 0; i < arity; i++) { - str += ', arg' + i - } - - return str.substr(2) -} - -/** - * Create stack string from stack. - */ - -function createStackString (stack) { - var str = this.name + ': ' + this.namespace - - if (this.message) { - str += ' deprecated ' + this.message - } - - for (var i = 0; i < stack.length; i++) { - str += '\n at ' + stack[i].toString() - } - - return str -} - -/** - * Create deprecate for namespace in caller. - */ - -function depd (namespace) { - if (!namespace) { - throw new TypeError('argument namespace is required') - } - - var stack = getStack() - var site = callSiteLocation(stack[1]) - var file = site[0] - - function deprecate (message) { - // call to self as log - log.call(deprecate, message) - } - - deprecate._file = file - deprecate._ignored = isignored(namespace) - deprecate._namespace = namespace - deprecate._traced = istraced(namespace) - deprecate._warned = Object.create(null) - - deprecate.function = wrapfunction - deprecate.property = wrapproperty - - return deprecate -} - -/** - * Determine if event emitter has listeners of a given type. - * - * The way to do this check is done three different ways in Node.js >= 0.8 - * so this consolidates them into a minimal set using instance methods. - * - * @param {EventEmitter} emitter - * @param {string} type - * @returns {boolean} - * @private - */ - -function eehaslisteners (emitter, type) { - var count = typeof emitter.listenerCount !== 'function' - ? emitter.listeners(type).length - : emitter.listenerCount(type) - - return count > 0 -} - -/** - * Determine if namespace is ignored. - */ - -function isignored (namespace) { - if (process.noDeprecation) { - // --no-deprecation support - return true - } - - var str = process.env.NO_DEPRECATION || '' - - // namespace ignored - return containsNamespace(str, namespace) -} - -/** - * Determine if namespace is traced. - */ - -function istraced (namespace) { - if (process.traceDeprecation) { - // --trace-deprecation support - return true - } - - var str = process.env.TRACE_DEPRECATION || '' - - // namespace traced - return containsNamespace(str, namespace) -} - -/** - * Display deprecation message. - */ - -function log (message, site) { - var haslisteners = eehaslisteners(process, 'deprecation') - - // abort early if no destination - if (!haslisteners && this._ignored) { - return - } - - var caller - var callFile - var callSite - var depSite - var i = 0 - var seen = false - var stack = getStack() - var file = this._file - - if (site) { - // provided site - depSite = site - callSite = callSiteLocation(stack[1]) - callSite.name = depSite.name - file = callSite[0] - } else { - // get call site - i = 2 - depSite = callSiteLocation(stack[i]) - callSite = depSite - } - - // get caller of deprecated thing in relation to file - for (; i < stack.length; i++) { - caller = callSiteLocation(stack[i]) - callFile = caller[0] - - if (callFile === file) { - seen = true - } else if (callFile === this._file) { - file = this._file - } else if (seen) { - break - } - } - - var key = caller - ? depSite.join(':') + '__' + caller.join(':') - : undefined - - if (key !== undefined && key in this._warned) { - // already warned - return - } - - this._warned[key] = true - - // generate automatic message from call site - var msg = message - if (!msg) { - msg = callSite === depSite || !callSite.name - ? defaultMessage(depSite) - : defaultMessage(callSite) - } - - // emit deprecation if listeners exist - if (haslisteners) { - var err = DeprecationError(this._namespace, msg, stack.slice(i)) - process.emit('deprecation', err) - return - } - - // format and write message - var format = process.stderr.isTTY - ? formatColor - : formatPlain - var output = format.call(this, msg, caller, stack.slice(i)) - process.stderr.write(output + '\n', 'utf8') -} - -/** - * Get call site location as array. - */ - -function callSiteLocation (callSite) { - var file = callSite.getFileName() || '' - var line = callSite.getLineNumber() - var colm = callSite.getColumnNumber() - - if (callSite.isEval()) { - file = callSite.getEvalOrigin() + ', ' + file - } - - var site = [file, line, colm] - - site.callSite = callSite - site.name = callSite.getFunctionName() - - return site -} - -/** - * Generate a default message from the site. - */ - -function defaultMessage (site) { - var callSite = site.callSite - var funcName = site.name - - // make useful anonymous name - if (!funcName) { - funcName = '' - } - - var context = callSite.getThis() - var typeName = context && callSite.getTypeName() - - // ignore useless type name - if (typeName === 'Object') { - typeName = undefined - } - - // make useful type name - if (typeName === 'Function') { - typeName = context.name || typeName - } - - return typeName && callSite.getMethodName() - ? typeName + '.' + funcName - : funcName -} - -/** - * Format deprecation message without color. - */ - -function formatPlain (msg, caller, stack) { - var timestamp = new Date().toUTCString() - - var formatted = timestamp + - ' ' + this._namespace + - ' deprecated ' + msg - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n at ' + stack[i].toString() - } - - return formatted - } - - if (caller) { - formatted += ' at ' + formatLocation(caller) - } - - return formatted -} - -/** - * Format deprecation message with color. - */ - -function formatColor (msg, caller, stack) { - var formatted = '\x1b[36;1m' + this._namespace + '\x1b[22;39m' + // bold cyan - ' \x1b[33;1mdeprecated\x1b[22;39m' + // bold yellow - ' \x1b[0m' + msg + '\x1b[39m' // reset - - // add stack trace - if (this._traced) { - for (var i = 0; i < stack.length; i++) { - formatted += '\n \x1b[36mat ' + stack[i].toString() + '\x1b[39m' // cyan - } - - return formatted - } - - if (caller) { - formatted += ' \x1b[36m' + formatLocation(caller) + '\x1b[39m' // cyan - } - - return formatted -} - -/** - * Format call site location. - */ - -function formatLocation (callSite) { - return relative(basePath, callSite[0]) + - ':' + callSite[1] + - ':' + callSite[2] -} - -/** - * Get the stack as array of call sites. - */ - -function getStack () { - var limit = Error.stackTraceLimit - var obj = {} - var prep = Error.prepareStackTrace - - Error.prepareStackTrace = prepareObjectStackTrace - Error.stackTraceLimit = Math.max(10, limit) - - // capture the stack - Error.captureStackTrace(obj) - - // slice this function off the top - var stack = obj.stack.slice(1) - - Error.prepareStackTrace = prep - Error.stackTraceLimit = limit - - return stack -} - -/** - * Capture call site stack from v8. - */ - -function prepareObjectStackTrace (obj, stack) { - return stack -} - -/** - * Return a wrapped function in a deprecation message. - */ - -function wrapfunction (fn, message) { - if (typeof fn !== 'function') { - throw new TypeError('argument fn must be a function') - } - - var args = createArgumentsString(fn.length) - var stack = getStack() - var site = callSiteLocation(stack[1]) - - site.name = fn.name - - // eslint-disable-next-line no-new-func - var deprecatedfn = new Function('fn', 'log', 'deprecate', 'message', 'site', - '"use strict"\n' + - 'return function (' + args + ') {' + - 'log.call(deprecate, message, site)\n' + - 'return fn.apply(this, arguments)\n' + - '}')(fn, log, this, message, site) - - return deprecatedfn -} - -/** - * Wrap property in a deprecation message. - */ - -function wrapproperty (obj, prop, message) { - if (!obj || (typeof obj !== 'object' && typeof obj !== 'function')) { - throw new TypeError('argument obj must be object') - } - - var descriptor = Object.getOwnPropertyDescriptor(obj, prop) - - if (!descriptor) { - throw new TypeError('must call property on owner object') - } - - if (!descriptor.configurable) { - throw new TypeError('property must be configurable') - } - - var deprecate = this - var stack = getStack() - var site = callSiteLocation(stack[1]) - - // set site name - site.name = prop - - // convert data descriptor - if ('value' in descriptor) { - descriptor = convertDataDescriptorToAccessor(obj, prop, message) - } - - var get = descriptor.get - var set = descriptor.set - - // wrap getter - if (typeof get === 'function') { - descriptor.get = function getter () { - log.call(deprecate, message, site) - return get.apply(this, arguments) - } - } - - // wrap setter - if (typeof set === 'function') { - descriptor.set = function setter () { - log.call(deprecate, message, site) - return set.apply(this, arguments) - } - } - - Object.defineProperty(obj, prop, descriptor) -} - -/** - * Create DeprecationError for deprecation - */ - -function DeprecationError (namespace, message, stack) { - var error = new Error() - var stackString - - Object.defineProperty(error, 'constructor', { - value: DeprecationError - }) - - Object.defineProperty(error, 'message', { - configurable: true, - enumerable: false, - value: message, - writable: true - }) - - Object.defineProperty(error, 'name', { - enumerable: false, - configurable: true, - value: 'DeprecationError', - writable: true - }) - - Object.defineProperty(error, 'namespace', { - configurable: true, - enumerable: false, - value: namespace, - writable: true - }) - - Object.defineProperty(error, 'stack', { - configurable: true, - enumerable: false, - get: function () { - if (stackString !== undefined) { - return stackString - } - - // prepare stack trace - return (stackString = createStackString.call(this, stack)) - }, - set: function setter (val) { - stackString = val - } - }) - - return error -} - - -/***/ }), -/* 120 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -function _typeof(obj) { if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; } return _typeof(obj); } - -/* eslint-env browser */ - -/** - * This is the web browser implementation of `debug()`. - */ -exports.log = log; -exports.formatArgs = formatArgs; -exports.save = save; -exports.load = load; -exports.useColors = useColors; -exports.storage = localstorage(); -/** - * Colors. - */ - -exports.colors = ['#0000CC', '#0000FF', '#0033CC', '#0033FF', '#0066CC', '#0066FF', '#0099CC', '#0099FF', '#00CC00', '#00CC33', '#00CC66', '#00CC99', '#00CCCC', '#00CCFF', '#3300CC', '#3300FF', '#3333CC', '#3333FF', '#3366CC', '#3366FF', '#3399CC', '#3399FF', '#33CC00', '#33CC33', '#33CC66', '#33CC99', '#33CCCC', '#33CCFF', '#6600CC', '#6600FF', '#6633CC', '#6633FF', '#66CC00', '#66CC33', '#9900CC', '#9900FF', '#9933CC', '#9933FF', '#99CC00', '#99CC33', '#CC0000', '#CC0033', '#CC0066', '#CC0099', '#CC00CC', '#CC00FF', '#CC3300', '#CC3333', '#CC3366', '#CC3399', '#CC33CC', '#CC33FF', '#CC6600', '#CC6633', '#CC9900', '#CC9933', '#CCCC00', '#CCCC33', '#FF0000', '#FF0033', '#FF0066', '#FF0099', '#FF00CC', '#FF00FF', '#FF3300', '#FF3333', '#FF3366', '#FF3399', '#FF33CC', '#FF33FF', '#FF6600', '#FF6633', '#FF9900', '#FF9933', '#FFCC00', '#FFCC33']; -/** - * Currently only WebKit-based Web Inspectors, Firefox >= v31, - * and the Firebug extension (any Firefox version) are known - * to support "%c" CSS customizations. - * - * TODO: add a `localStorage` variable to explicitly enable/disable colors - */ -// eslint-disable-next-line complexity - -function useColors() { - // NB: In an Electron preload script, document will be defined but not fully - // initialized. Since we know we're in Chrome, we'll just detect this case - // explicitly - if (typeof window !== 'undefined' && window.process && (window.process.type === 'renderer' || window.process.__nwjs)) { - return true; - } // Internet Explorer and Edge do not support colors. - - - if (typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/)) { - return false; - } // Is webkit? http://stackoverflow.com/a/16459606/376773 - // document is undefined in react-native: https://github.com/facebook/react-native/pull/1632 - - - return typeof document !== 'undefined' && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance || // Is firebug? http://stackoverflow.com/a/398120/376773 - typeof window !== 'undefined' && window.console && (window.console.firebug || window.console.exception && window.console.table) || // Is firefox >= v31? - // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages - typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31 || // Double check webkit in userAgent just in case we are in a worker - typeof navigator !== 'undefined' && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/); -} -/** - * Colorize log arguments if enabled. - * - * @api public - */ - - -function formatArgs(args) { - args[0] = (this.useColors ? '%c' : '') + this.namespace + (this.useColors ? ' %c' : ' ') + args[0] + (this.useColors ? '%c ' : ' ') + '+' + module.exports.humanize(this.diff); - - if (!this.useColors) { - return; - } - - var c = 'color: ' + this.color; - args.splice(1, 0, c, 'color: inherit'); // The final "%c" is somewhat tricky, because there could be other - // arguments passed either before or after the %c, so we need to - // figure out the correct index to insert the CSS into - - var index = 0; - var lastC = 0; - args[0].replace(/%[a-zA-Z%]/g, function (match) { - if (match === '%%') { - return; - } - - index++; - - if (match === '%c') { - // We only are interested in the *last* %c - // (the user may have provided their own) - lastC = index; - } - }); - args.splice(lastC, 0, c); -} -/** - * Invokes `console.log()` when available. - * No-op when `console.log` is not a "function". - * - * @api public - */ - - -function log() { - var _console; - - // This hackery is required for IE8/9, where - // the `console.log` function doesn't have 'apply' - return (typeof console === "undefined" ? "undefined" : _typeof(console)) === 'object' && console.log && (_console = console).log.apply(_console, arguments); -} -/** - * Save `namespaces`. - * - * @param {String} namespaces - * @api private - */ - - -function save(namespaces) { - try { - if (namespaces) { - exports.storage.setItem('debug', namespaces); - } else { - exports.storage.removeItem('debug'); - } - } catch (error) {// Swallow - // XXX (@Qix-) should we be logging these? - } -} -/** - * Load `namespaces`. - * - * @return {String} returns the previously persisted debug modes - * @api private - */ - - -function load() { - var r; - - try { - r = exports.storage.getItem('debug'); - } catch (error) {} // Swallow - // XXX (@Qix-) should we be logging these? - // If debug isn't set in LS, and we're in Electron, try to load $DEBUG - - - if (!r && typeof process !== 'undefined' && 'env' in process) { - r = process.env.DEBUG; - } - - return r; -} -/** - * Localstorage attempts to return the localstorage. - * - * This is necessary because safari throws - * when a user disables cookies/localstorage - * and you attempt to access it. - * - * @return {LocalStorage} - * @api private - */ - - -function localstorage() { - try { - // TVMLKit (Apple TV JS Runtime) does not have a window object, just localStorage in the global context - // The Browser also has localStorage in the global context. - return localStorage; - } catch (error) {// Swallow - // XXX (@Qix-) should we be logging these? - } -} - -module.exports = __webpack_require__(39)(exports); -var formatters = module.exports.formatters; -/** - * Map %j to `JSON.stringify()`, since no Web Inspectors do that by default. - */ - -formatters.j = function (v) { - try { - return JSON.stringify(v); - } catch (error) { - return '[UnexpectedJSONParseError]: ' + error.message; - } -}; - - - -/***/ }), -/* 121 */ -/***/ (function(module, exports) { - -/** - * Helpers. - */ - -var s = 1000; -var m = s * 60; -var h = m * 60; -var d = h * 24; -var w = d * 7; -var y = d * 365.25; - -/** - * Parse or format the given `val`. - * - * Options: - * - * - `long` verbose formatting [false] - * - * @param {String|Number} val - * @param {Object} [options] - * @throws {Error} throw an error if val is not a non-empty string or a number - * @return {String|Number} - * @api public - */ - -module.exports = function (val, options) { - options = options || {}; - var type = typeof val; - if (type === 'string' && val.length > 0) { - return parse(val); - } else if (type === 'number' && isFinite(val)) { - return options.long ? fmtLong(val) : fmtShort(val); - } - throw new Error( - 'val is not a non-empty string or a valid number. val=' + - JSON.stringify(val) - ); -}; - -/** - * Parse the given `str` and return milliseconds. - * - * @param {String} str - * @return {Number} - * @api private - */ - -function parse(str) { - str = String(str); - if (str.length > 100) { - return; - } - var match = /^(-?(?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|weeks?|w|years?|yrs?|y)?$/i.exec( - str - ); - if (!match) { - return; - } - var n = parseFloat(match[1]); - var type = (match[2] || 'ms').toLowerCase(); - switch (type) { - case 'years': - case 'year': - case 'yrs': - case 'yr': - case 'y': - return n * y; - case 'weeks': - case 'week': - case 'w': - return n * w; - case 'days': - case 'day': - case 'd': - return n * d; - case 'hours': - case 'hour': - case 'hrs': - case 'hr': - case 'h': - return n * h; - case 'minutes': - case 'minute': - case 'mins': - case 'min': - case 'm': - return n * m; - case 'seconds': - case 'second': - case 'secs': - case 'sec': - case 's': - return n * s; - case 'milliseconds': - case 'millisecond': - case 'msecs': - case 'msec': - case 'ms': - return n; - default: - return undefined; - } -} - -/** - * Short format for `ms`. - * - * @param {Number} ms - * @return {String} - * @api private - */ - -function fmtShort(ms) { - var msAbs = Math.abs(ms); - if (msAbs >= d) { - return Math.round(ms / d) + 'd'; - } - if (msAbs >= h) { - return Math.round(ms / h) + 'h'; - } - if (msAbs >= m) { - return Math.round(ms / m) + 'm'; - } - if (msAbs >= s) { - return Math.round(ms / s) + 's'; - } - return ms + 'ms'; -} - -/** - * Long format for `ms`. - * - * @param {Number} ms - * @return {String} - * @api private - */ - -function fmtLong(ms) { - var msAbs = Math.abs(ms); - if (msAbs >= d) { - return plural(ms, msAbs, d, 'day'); - } - if (msAbs >= h) { - return plural(ms, msAbs, h, 'hour'); - } - if (msAbs >= m) { - return plural(ms, msAbs, m, 'minute'); - } - if (msAbs >= s) { - return plural(ms, msAbs, s, 'second'); - } - return ms + ' ms'; -} - -/** - * Pluralization helper. - */ - -function plural(ms, msAbs, n, name) { - var isPlural = msAbs >= n * 1.5; - return Math.round(ms / n) + ' ' + name + (isPlural ? 's' : ''); -} - - -/***/ }), -/* 122 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -/** - * Module dependencies. - */ -var tty = __webpack_require__(27); - -var util = __webpack_require__(1); -/** - * This is the Node.js implementation of `debug()`. - */ - - -exports.init = init; -exports.log = log; -exports.formatArgs = formatArgs; -exports.save = save; -exports.load = load; -exports.useColors = useColors; -/** - * Colors. - */ - -exports.colors = [6, 2, 3, 4, 5, 1]; - -try { - // Optional dependency (as in, doesn't need to be installed, NOT like optionalDependencies in package.json) - // eslint-disable-next-line import/no-extraneous-dependencies - var supportsColor = __webpack_require__(28); - - if (supportsColor && (supportsColor.stderr || supportsColor).level >= 2) { - exports.colors = [20, 21, 26, 27, 32, 33, 38, 39, 40, 41, 42, 43, 44, 45, 56, 57, 62, 63, 68, 69, 74, 75, 76, 77, 78, 79, 80, 81, 92, 93, 98, 99, 112, 113, 128, 129, 134, 135, 148, 149, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 178, 179, 184, 185, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 214, 215, 220, 221]; - } -} catch (error) {} // Swallow - we only care if `supports-color` is available; it doesn't have to be. - -/** - * Build up the default `inspectOpts` object from the environment variables. - * - * $ DEBUG_COLORS=no DEBUG_DEPTH=10 DEBUG_SHOW_HIDDEN=enabled node script.js - */ - - -exports.inspectOpts = Object.keys(process.env).filter(function (key) { - return /^debug_/i.test(key); -}).reduce(function (obj, key) { - // Camel-case - var prop = key.substring(6).toLowerCase().replace(/_([a-z])/g, function (_, k) { - return k.toUpperCase(); - }); // Coerce string value into JS value - - var val = process.env[key]; - - if (/^(yes|on|true|enabled)$/i.test(val)) { - val = true; - } else if (/^(no|off|false|disabled)$/i.test(val)) { - val = false; - } else if (val === 'null') { - val = null; - } else { - val = Number(val); - } - - obj[prop] = val; - return obj; -}, {}); -/** - * Is stdout a TTY? Colored output is enabled when `true`. - */ - -function useColors() { - return 'colors' in exports.inspectOpts ? Boolean(exports.inspectOpts.colors) : tty.isatty(process.stderr.fd); -} -/** - * Adds ANSI color escape codes if enabled. - * - * @api public - */ - - -function formatArgs(args) { - var name = this.namespace, - useColors = this.useColors; - - if (useColors) { - var c = this.color; - var colorCode = "\x1B[3" + (c < 8 ? c : '8;5;' + c); - var prefix = " ".concat(colorCode, ";1m").concat(name, " \x1B[0m"); - args[0] = prefix + args[0].split('\n').join('\n' + prefix); - args.push(colorCode + 'm+' + module.exports.humanize(this.diff) + "\x1B[0m"); - } else { - args[0] = getDate() + name + ' ' + args[0]; - } -} - -function getDate() { - if (exports.inspectOpts.hideDate) { - return ''; - } - - return new Date().toISOString() + ' '; -} -/** - * Invokes `util.format()` with the specified arguments and writes to stderr. - */ - - -function log() { - return process.stderr.write(util.format.apply(util, arguments) + '\n'); -} -/** - * Save `namespaces`. - * - * @param {String} namespaces - * @api private - */ - - -function save(namespaces) { - if (namespaces) { - process.env.DEBUG = namespaces; - } else { - // If you set a process.env field to null or undefined, it gets cast to the - // string 'null' or 'undefined'. Just delete instead. - delete process.env.DEBUG; - } -} -/** - * Load `namespaces`. - * - * @return {String} returns the previously persisted debug modes - * @api private - */ - - -function load() { - return process.env.DEBUG; -} -/** - * Init logic for `debug` instances. - * - * Create a new `inspectOpts` object in case `useColors` is set - * differently for a particular `debug` instance. - */ - - -function init(debug) { - debug.inspectOpts = {}; - var keys = Object.keys(exports.inspectOpts); - - for (var i = 0; i < keys.length; i++) { - debug.inspectOpts[keys[i]] = exports.inspectOpts[keys[i]]; - } -} - -module.exports = __webpack_require__(39)(exports); -var formatters = module.exports.formatters; -/** - * Map %o to `util.inspect()`, all on a single line. - */ - -formatters.o = function (v) { - this.inspectOpts.colors = this.useColors; - return util.inspect(v, this.inspectOpts) - .split('\n') - .map(function (str) { return str.trim(); }) - .join(' '); -}; -/** - * Map %O to `util.inspect()`, allowing multiple lines if needed. - */ - - -formatters.O = function (v) { - this.inspectOpts.colors = this.useColors; - return util.inspect(v, this.inspectOpts); -}; - - - -/***/ }), -/* 123 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * http-errors - * Copyright(c) 2014 Jonathan Ong - * Copyright(c) 2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var deprecate = __webpack_require__(34)('http-errors') -var setPrototypeOf = __webpack_require__(124) -var statuses = __webpack_require__(6) -var inherits = __webpack_require__(11) -var toIdentifier = __webpack_require__(15) - -/** - * Module exports. - * @public - */ - -module.exports = createError -module.exports.HttpError = createHttpErrorConstructor() -module.exports.isHttpError = createIsHttpErrorFunction(module.exports.HttpError) - -// Populate exports for all constructors -populateConstructorExports(module.exports, statuses.codes, module.exports.HttpError) - -/** - * Get the code class of a status code. - * @private - */ - -function codeClass (status) { - return Number(String(status).charAt(0) + '00') -} - -/** - * Create a new HTTP Error. - * - * @returns {Error} - * @public - */ - -function createError () { - // so much arity going on ~_~ - var err - var msg - var status = 500 - var props = {} - for (var i = 0; i < arguments.length; i++) { - var arg = arguments[i] - if (arg instanceof Error) { - err = arg - status = err.status || err.statusCode || status - continue - } - switch (typeof arg) { - case 'string': - msg = arg - break - case 'number': - status = arg - if (i !== 0) { - deprecate('non-first-argument status code; replace with createError(' + arg + ', ...)') - } - break - case 'object': - props = arg - break - } - } - - if (typeof status === 'number' && (status < 400 || status >= 600)) { - deprecate('non-error status code; use only 4xx or 5xx status codes') - } - - if (typeof status !== 'number' || - (!statuses[status] && (status < 400 || status >= 600))) { - status = 500 - } - - // constructor - var HttpError = createError[status] || createError[codeClass(status)] - - if (!err) { - // create error - err = HttpError - ? new HttpError(msg) - : new Error(msg || statuses[status]) - Error.captureStackTrace(err, createError) - } - - if (!HttpError || !(err instanceof HttpError) || err.status !== status) { - // add properties to generic error - err.expose = status < 500 - err.status = err.statusCode = status - } - - for (var key in props) { - if (key !== 'status' && key !== 'statusCode') { - err[key] = props[key] - } - } - - return err -} - -/** - * Create HTTP error abstract base class. - * @private - */ - -function createHttpErrorConstructor () { - function HttpError () { - throw new TypeError('cannot construct abstract class') - } - - inherits(HttpError, Error) - - return HttpError -} - -/** - * Create a constructor for a client error. - * @private - */ - -function createClientErrorConstructor (HttpError, name, code) { - var className = toClassName(name) - - function ClientError (message) { - // create the error object - var msg = message != null ? message : statuses[code] - var err = new Error(msg) - - // capture a stack trace to the construction point - Error.captureStackTrace(err, ClientError) - - // adjust the [[Prototype]] - setPrototypeOf(err, ClientError.prototype) - - // redefine the error message - Object.defineProperty(err, 'message', { - enumerable: true, - configurable: true, - value: msg, - writable: true - }) - - // redefine the error name - Object.defineProperty(err, 'name', { - enumerable: false, - configurable: true, - value: className, - writable: true - }) - - return err - } - - inherits(ClientError, HttpError) - nameFunc(ClientError, className) - - ClientError.prototype.status = code - ClientError.prototype.statusCode = code - ClientError.prototype.expose = true - - return ClientError -} - -/** - * Create function to test is a value is a HttpError. - * @private - */ - -function createIsHttpErrorFunction (HttpError) { - return function isHttpError (val) { - if (!val || typeof val !== 'object') { - return false - } - - if (val instanceof HttpError) { - return true - } - - return val instanceof Error && - typeof val.expose === 'boolean' && - typeof val.statusCode === 'number' && val.status === val.statusCode - } -} - -/** - * Create a constructor for a server error. - * @private - */ - -function createServerErrorConstructor (HttpError, name, code) { - var className = toClassName(name) - - function ServerError (message) { - // create the error object - var msg = message != null ? message : statuses[code] - var err = new Error(msg) - - // capture a stack trace to the construction point - Error.captureStackTrace(err, ServerError) - - // adjust the [[Prototype]] - setPrototypeOf(err, ServerError.prototype) - - // redefine the error message - Object.defineProperty(err, 'message', { - enumerable: true, - configurable: true, - value: msg, - writable: true - }) - - // redefine the error name - Object.defineProperty(err, 'name', { - enumerable: false, - configurable: true, - value: className, - writable: true - }) - - return err - } - - inherits(ServerError, HttpError) - nameFunc(ServerError, className) - - ServerError.prototype.status = code - ServerError.prototype.statusCode = code - ServerError.prototype.expose = false - - return ServerError -} - -/** - * Set the name of a function, if possible. - * @private - */ - -function nameFunc (func, name) { - var desc = Object.getOwnPropertyDescriptor(func, 'name') - - if (desc && desc.configurable) { - desc.value = name - Object.defineProperty(func, 'name', desc) - } -} - -/** - * Populate the exports object with constructors for every error class. - * @private - */ - -function populateConstructorExports (exports, codes, HttpError) { - codes.forEach(function forEachCode (code) { - var CodeError - var name = toIdentifier(statuses[code]) - - switch (codeClass(code)) { - case 400: - CodeError = createClientErrorConstructor(HttpError, name, code) - break - case 500: - CodeError = createServerErrorConstructor(HttpError, name, code) - break - } - - if (CodeError) { - // export the constructor - exports[code] = CodeError - exports[name] = CodeError - } - }) - - // backwards-compatibility - exports["I'mateapot"] = deprecate.function(exports.ImATeapot, - '"I\'mateapot"; use "ImATeapot" instead') -} - -/** - * Get a class name from a name identifier. - * @private - */ - -function toClassName (name) { - return name.substr(-5) !== 'Error' - ? name + 'Error' - : name -} - - -/***/ }), -/* 124 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -/* eslint no-proto: 0 */ -module.exports = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array ? setProtoOf : mixinProperties) - -function setProtoOf (obj, proto) { - obj.__proto__ = proto - return obj -} - -function mixinProperties (obj, proto) { - for (var prop in proto) { - if (!Object.prototype.hasOwnProperty.call(obj, prop)) { - obj[prop] = proto[prop] - } - } - return obj -} - - -/***/ }), -/* 125 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * methods - * Copyright(c) 2013-2014 TJ Holowaychuk - * Copyright(c) 2015-2016 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module dependencies. - * @private - */ - -var http = __webpack_require__(9); - -/** - * Module exports. - * @public - */ - -module.exports = getCurrentNodeMethods() || getBasicNodeMethods(); - -/** - * Get the current Node.js methods. - * @private - */ - -function getCurrentNodeMethods() { - return http.METHODS && http.METHODS.map(function lowerCaseMethod(method) { - return method.toLowerCase(); - }); -} - -/** - * Get the "basic" Node.js methods, a snapshot from Node.js 0.10. - * @private - */ - -function getBasicNodeMethods() { - return [ - 'get', - 'post', - 'put', - 'head', - 'delete', - 'options', - 'trace', - 'copy', - 'lock', - 'mkcol', - 'move', - 'purge', - 'propfind', - 'proppatch', - 'unlock', - 'report', - 'mkactivity', - 'checkout', - 'merge', - 'm-search', - 'notify', - 'subscribe', - 'unsubscribe', - 'patch', - 'search', - 'connect' - ]; -} - - -/***/ }), -/* 126 */ -/***/ (function(module, exports, __webpack_require__) { - -var debug = __webpack_require__(38)('koa-router'); -var pathToRegExp = __webpack_require__(127); -var uri = __webpack_require__(129); - -module.exports = Layer; - -/** - * Initialize a new routing Layer with given `method`, `path`, and `middleware`. - * - * @param {String|RegExp} path Path string or regular expression. - * @param {Array} methods Array of HTTP verbs. - * @param {Array} middleware Layer callback/middleware or series of. - * @param {Object=} opts - * @param {String=} opts.name route name - * @param {String=} opts.sensitive case sensitive (default: false) - * @param {String=} opts.strict require the trailing slash (default: false) - * @returns {Layer} - * @private - */ - -function Layer(path, methods, middleware, opts) { - this.opts = opts || {}; - this.name = this.opts.name || null; - this.methods = []; - this.paramNames = []; - this.stack = Array.isArray(middleware) ? middleware : [middleware]; - - methods.forEach(function(method) { - var l = this.methods.push(method.toUpperCase()); - if (this.methods[l-1] === 'GET') { - this.methods.unshift('HEAD'); - } - }, this); - - // ensure middleware is a function - this.stack.forEach(function(fn) { - var type = (typeof fn); - if (type !== 'function') { - throw new Error( - methods.toString() + " `" + (this.opts.name || path) +"`: `middleware` " - + "must be a function, not `" + type + "`" - ); - } - }, this); - - this.path = path; - this.regexp = pathToRegExp(path, this.paramNames, this.opts); - - debug('defined route %s %s', this.methods, this.opts.prefix + this.path); -}; - -/** - * Returns whether request `path` matches route. - * - * @param {String} path - * @returns {Boolean} - * @private - */ - -Layer.prototype.match = function (path) { - return this.regexp.test(path); -}; - -/** - * Returns map of URL parameters for given `path` and `paramNames`. - * - * @param {String} path - * @param {Array.} captures - * @param {Object=} existingParams - * @returns {Object} - * @private - */ - -Layer.prototype.params = function (path, captures, existingParams) { - var params = existingParams || {}; - - for (var len = captures.length, i=0; i} - * @private - */ - -Layer.prototype.captures = function (path) { - if (this.opts.ignoreCaptures) return []; - return path.match(this.regexp).slice(1); -}; - -/** - * Generate URL for route using given `params`. - * - * @example - * - * ```javascript - * var route = new Layer(['GET'], '/users/:id', fn); - * - * route.url({ id: 123 }); // => "/users/123" - * ``` - * - * @param {Object} params url parameters - * @returns {String} - * @private - */ - -Layer.prototype.url = function (params, options) { - var args = params; - var url = this.path.replace(/\(\.\*\)/g, ''); - var toPath = pathToRegExp.compile(url); - var replaced; - - if (typeof params != 'object') { - args = Array.prototype.slice.call(arguments); - if (typeof args[args.length - 1] == 'object') { - options = args[args.length - 1]; - args = args.slice(0, args.length - 1); - } - } - - var tokens = pathToRegExp.parse(url); - var replace = {}; - - if (args instanceof Array) { - for (var len = tokens.length, i=0, j=0; i token.name)) { - replace = params; - } else { - options = params; - } - - replaced = toPath(replace); - - if (options && options.query) { - var replaced = new uri(replaced) - replaced.search(options.query); - return replaced.toString(); - } - - return replaced; -}; - -/** - * Run validations on route named parameters. - * - * @example - * - * ```javascript - * router - * .param('user', function (id, ctx, next) { - * ctx.user = users[id]; - * if (!user) return ctx.status = 404; - * next(); - * }) - * .get('/users/:user', function (ctx, next) { - * ctx.body = ctx.user; - * }); - * ``` - * - * @param {String} param - * @param {Function} middleware - * @returns {Layer} - * @private - */ - -Layer.prototype.param = function (param, fn) { - var stack = this.stack; - var params = this.paramNames; - var middleware = function (ctx, next) { - return fn.call(this, ctx.params[param], ctx, next); - }; - middleware.param = param; - - var names = params.map(function (p) { - return p.name; - }); - - var x = names.indexOf(param); - if (x > -1) { - // iterate through the stack, to figure out where to place the handler fn - stack.some(function (fn, i) { - // param handlers are always first, so when we find an fn w/o a param property, stop here - // if the param handler at this part of the stack comes after the one we are adding, stop here - if (!fn.param || names.indexOf(fn.param) > x) { - // inject this param handler right before the current item - stack.splice(i, 0, middleware); - return true; // then break the loop - } - }); - } - - return this; -}; - -/** - * Prefix route path. - * - * @param {String} prefix - * @returns {Layer} - * @private - */ - -Layer.prototype.setPrefix = function (prefix) { - if (this.path) { - this.path = prefix + this.path; - this.paramNames = []; - this.regexp = pathToRegExp(this.path, this.paramNames, this.opts); - } - - return this; -}; - -/** - * Safe decodeURIComponent, won't throw any error. - * If `decodeURIComponent` error happen, just return the original value. - * - * @param {String} text - * @returns {String} URL decode original string. - * @private - */ - -function safeDecodeURIComponent(text) { - try { - return decodeURIComponent(text); - } catch (e) { - return text; - } -} - - -/***/ }), -/* 127 */ -/***/ (function(module, exports, __webpack_require__) { - -var isarray = __webpack_require__(128) - -/** - * Expose `pathToRegexp`. - */ -module.exports = pathToRegexp -module.exports.parse = parse -module.exports.compile = compile -module.exports.tokensToFunction = tokensToFunction -module.exports.tokensToRegExp = tokensToRegExp - -/** - * The main path matching regexp utility. - * - * @type {RegExp} - */ -var PATH_REGEXP = new RegExp([ - // Match escaped characters that would otherwise appear in future matches. - // This allows the user to escape special characters that won't transform. - '(\\\\.)', - // Match Express-style parameters and un-named parameters with a prefix - // and optional suffixes. Matches appear as: - // - // "/:test(\\d+)?" => ["/", "test", "\d+", undefined, "?", undefined] - // "/route(\\d+)" => [undefined, undefined, undefined, "\d+", undefined, undefined] - // "/*" => ["/", undefined, undefined, undefined, undefined, "*"] - '([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))' -].join('|'), 'g') - -/** - * Parse a string for the raw tokens. - * - * @param {string} str - * @param {Object=} options - * @return {!Array} - */ -function parse (str, options) { - var tokens = [] - var key = 0 - var index = 0 - var path = '' - var defaultDelimiter = options && options.delimiter || '/' - var res - - while ((res = PATH_REGEXP.exec(str)) != null) { - var m = res[0] - var escaped = res[1] - var offset = res.index - path += str.slice(index, offset) - index = offset + m.length - - // Ignore already escaped sequences. - if (escaped) { - path += escaped[1] - continue - } - - var next = str[index] - var prefix = res[2] - var name = res[3] - var capture = res[4] - var group = res[5] - var modifier = res[6] - var asterisk = res[7] - - // Push the current path onto the tokens. - if (path) { - tokens.push(path) - path = '' - } - - var partial = prefix != null && next != null && next !== prefix - var repeat = modifier === '+' || modifier === '*' - var optional = modifier === '?' || modifier === '*' - var delimiter = res[2] || defaultDelimiter - var pattern = capture || group - - tokens.push({ - name: name || key++, - prefix: prefix || '', - delimiter: delimiter, - optional: optional, - repeat: repeat, - partial: partial, - asterisk: !!asterisk, - pattern: pattern ? escapeGroup(pattern) : (asterisk ? '.*' : '[^' + escapeString(delimiter) + ']+?') - }) - } - - // Match any characters still remaining. - if (index < str.length) { - path += str.substr(index) - } - - // If the path exists, push it onto the end. - if (path) { - tokens.push(path) - } - - return tokens -} - -/** - * Compile a string to a template function for the path. - * - * @param {string} str - * @param {Object=} options - * @return {!function(Object=, Object=)} - */ -function compile (str, options) { - return tokensToFunction(parse(str, options), options) -} - -/** - * Prettier encoding of URI path segments. - * - * @param {string} - * @return {string} - */ -function encodeURIComponentPretty (str) { - return encodeURI(str).replace(/[\/?#]/g, function (c) { - return '%' + c.charCodeAt(0).toString(16).toUpperCase() - }) -} - -/** - * Encode the asterisk parameter. Similar to `pretty`, but allows slashes. - * - * @param {string} - * @return {string} - */ -function encodeAsterisk (str) { - return encodeURI(str).replace(/[?#]/g, function (c) { - return '%' + c.charCodeAt(0).toString(16).toUpperCase() - }) -} - -/** - * Expose a method for transforming tokens into the path function. - */ -function tokensToFunction (tokens, options) { - // Compile all the tokens into regexps. - var matches = new Array(tokens.length) - - // Compile all the patterns before compilation. - for (var i = 0; i < tokens.length; i++) { - if (typeof tokens[i] === 'object') { - matches[i] = new RegExp('^(?:' + tokens[i].pattern + ')$', flags(options)) - } - } - - return function (obj, opts) { - var path = '' - var data = obj || {} - var options = opts || {} - var encode = options.pretty ? encodeURIComponentPretty : encodeURIComponent - - for (var i = 0; i < tokens.length; i++) { - var token = tokens[i] - - if (typeof token === 'string') { - path += token - - continue - } - - var value = data[token.name] - var segment - - if (value == null) { - if (token.optional) { - // Prepend partial segment prefixes. - if (token.partial) { - path += token.prefix - } - - continue - } else { - throw new TypeError('Expected "' + token.name + '" to be defined') - } - } - - if (isarray(value)) { - if (!token.repeat) { - throw new TypeError('Expected "' + token.name + '" to not repeat, but received `' + JSON.stringify(value) + '`') - } - - if (value.length === 0) { - if (token.optional) { - continue - } else { - throw new TypeError('Expected "' + token.name + '" to not be empty') - } - } - - for (var j = 0; j < value.length; j++) { - segment = encode(value[j]) - - if (!matches[i].test(segment)) { - throw new TypeError('Expected all "' + token.name + '" to match "' + token.pattern + '", but received `' + JSON.stringify(segment) + '`') - } - - path += (j === 0 ? token.prefix : token.delimiter) + segment - } - - continue - } - - segment = token.asterisk ? encodeAsterisk(value) : encode(value) - - if (!matches[i].test(segment)) { - throw new TypeError('Expected "' + token.name + '" to match "' + token.pattern + '", but received "' + segment + '"') - } - - path += token.prefix + segment - } - - return path - } -} - -/** - * Escape a regular expression string. - * - * @param {string} str - * @return {string} - */ -function escapeString (str) { - return str.replace(/([.+*?=^!:${}()[\]|\/\\])/g, '\\$1') -} - -/** - * Escape the capturing group by escaping special characters and meaning. - * - * @param {string} group - * @return {string} - */ -function escapeGroup (group) { - return group.replace(/([=!:$\/()])/g, '\\$1') -} - -/** - * Attach the keys as a property of the regexp. - * - * @param {!RegExp} re - * @param {Array} keys - * @return {!RegExp} - */ -function attachKeys (re, keys) { - re.keys = keys - return re -} - -/** - * Get the flags for a regexp from the options. - * - * @param {Object} options - * @return {string} - */ -function flags (options) { - return options && options.sensitive ? '' : 'i' -} - -/** - * Pull out keys from a regexp. - * - * @param {!RegExp} path - * @param {!Array} keys - * @return {!RegExp} - */ -function regexpToRegexp (path, keys) { - // Use a negative lookahead to match only capturing groups. - var groups = path.source.match(/\((?!\?)/g) - - if (groups) { - for (var i = 0; i < groups.length; i++) { - keys.push({ - name: i, - prefix: null, - delimiter: null, - optional: false, - repeat: false, - partial: false, - asterisk: false, - pattern: null - }) - } - } - - return attachKeys(path, keys) -} - -/** - * Transform an array into a regexp. - * - * @param {!Array} path - * @param {Array} keys - * @param {!Object} options - * @return {!RegExp} - */ -function arrayToRegexp (path, keys, options) { - var parts = [] - - for (var i = 0; i < path.length; i++) { - parts.push(pathToRegexp(path[i], keys, options).source) - } - - var regexp = new RegExp('(?:' + parts.join('|') + ')', flags(options)) - - return attachKeys(regexp, keys) -} - -/** - * Create a path regexp from string input. - * - * @param {string} path - * @param {!Array} keys - * @param {!Object} options - * @return {!RegExp} - */ -function stringToRegexp (path, keys, options) { - return tokensToRegExp(parse(path, options), keys, options) -} - -/** - * Expose a function for taking tokens and returning a RegExp. - * - * @param {!Array} tokens - * @param {(Array|Object)=} keys - * @param {Object=} options - * @return {!RegExp} - */ -function tokensToRegExp (tokens, keys, options) { - if (!isarray(keys)) { - options = /** @type {!Object} */ (keys || options) - keys = [] - } - - options = options || {} - - var strict = options.strict - var end = options.end !== false - var route = '' - - // Iterate over the tokens and create our regexp string. - for (var i = 0; i < tokens.length; i++) { - var token = tokens[i] - - if (typeof token === 'string') { - route += escapeString(token) - } else { - var prefix = escapeString(token.prefix) - var capture = '(?:' + token.pattern + ')' - - keys.push(token) - - if (token.repeat) { - capture += '(?:' + prefix + capture + ')*' - } - - if (token.optional) { - if (!token.partial) { - capture = '(?:' + prefix + '(' + capture + '))?' - } else { - capture = prefix + '(' + capture + ')?' - } - } else { - capture = prefix + '(' + capture + ')' - } - - route += capture - } - } - - var delimiter = escapeString(options.delimiter || '/') - var endsWithDelimiter = route.slice(-delimiter.length) === delimiter - - // In non-strict mode we allow a slash at the end of match. If the path to - // match already ends with a slash, we remove it for consistency. The slash - // is valid at the end of a path match, not in the middle. This is important - // in non-ending mode, where "/test/" shouldn't match "/test//route". - if (!strict) { - route = (endsWithDelimiter ? route.slice(0, -delimiter.length) : route) + '(?:' + delimiter + '(?=$))?' - } - - if (end) { - route += '$' - } else { - // In non-ending mode, we need the capturing groups to match as much as - // possible by using a positive lookahead to the end or next path segment. - route += strict && endsWithDelimiter ? '' : '(?=' + delimiter + '|$)' - } - - return attachKeys(new RegExp('^' + route, flags(options)), keys) -} - -/** - * Normalize the given path string, returning a regular expression. - * - * An empty array can be passed in for the keys, which will hold the - * placeholder key descriptions. For example, using `/user/:id`, `keys` will - * contain `[{ name: 'id', delimiter: '/', optional: false, repeat: false }]`. - * - * @param {(string|RegExp|Array)} path - * @param {(Array|Object)=} keys - * @param {Object=} options - * @return {!RegExp} - */ -function pathToRegexp (path, keys, options) { - if (!isarray(keys)) { - options = /** @type {!Object} */ (keys || options) - keys = [] - } - - options = options || {} - - if (path instanceof RegExp) { - return regexpToRegexp(path, /** @type {!Array} */ (keys)) - } - - if (isarray(path)) { - return arrayToRegexp(/** @type {!Array} */ (path), /** @type {!Array} */ (keys), options) - } - - return stringToRegexp(/** @type {string} */ (path), /** @type {!Array} */ (keys), options) -} - - -/***/ }), -/* 128 */ -/***/ (function(module, exports) { - -module.exports = Array.isArray || function (arr) { - return Object.prototype.toString.call(arr) == '[object Array]'; -}; - - -/***/ }), -/* 129 */ -/***/ (function(module, exports, __webpack_require__) { - -var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;/*! - * URI.js - Mutating URLs - * - * Version: 1.19.5 - * - * Author: Rodney Rehm - * Web: http://medialize.github.io/URI.js/ - * - * Licensed under - * MIT License http://www.opensource.org/licenses/mit-license - * - */ -(function (root, factory) { - 'use strict'; - // https://github.com/umdjs/umd/blob/master/returnExports.js - if ( true && module.exports) { - // Node - module.exports = factory(__webpack_require__(40), __webpack_require__(41), __webpack_require__(42)); - } else if (true) { - // AMD. Register as an anonymous module. - !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__webpack_require__(40), __webpack_require__(41), __webpack_require__(42)], __WEBPACK_AMD_DEFINE_FACTORY__ = (factory), - __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? - (__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__)) : __WEBPACK_AMD_DEFINE_FACTORY__), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - } else {} -}(this, function (punycode, IPv6, SLD, root) { - 'use strict'; - /*global location, escape, unescape */ - // FIXME: v2.0.0 renamce non-camelCase properties to uppercase - /*jshint camelcase: false */ - - // save current URI variable, if any - var _URI = root && root.URI; - - function URI(url, base) { - var _urlSupplied = arguments.length >= 1; - var _baseSupplied = arguments.length >= 2; - - // Allow instantiation without the 'new' keyword - if (!(this instanceof URI)) { - if (_urlSupplied) { - if (_baseSupplied) { - return new URI(url, base); - } - - return new URI(url); - } - - return new URI(); - } - - if (url === undefined) { - if (_urlSupplied) { - throw new TypeError('undefined is not a valid argument for URI'); - } - - if (typeof location !== 'undefined') { - url = location.href + ''; - } else { - url = ''; - } - } - - if (url === null) { - if (_urlSupplied) { - throw new TypeError('null is not a valid argument for URI'); - } - } - - this.href(url); - - // resolve to base according to http://dvcs.w3.org/hg/url/raw-file/tip/Overview.html#constructor - if (base !== undefined) { - return this.absoluteTo(base); - } - - return this; - } - - function isInteger(value) { - return /^[0-9]+$/.test(value); - } - - URI.version = '1.19.5'; - - var p = URI.prototype; - var hasOwn = Object.prototype.hasOwnProperty; - - function escapeRegEx(string) { - // https://github.com/medialize/URI.js/commit/85ac21783c11f8ccab06106dba9735a31a86924d#commitcomment-821963 - return string.replace(/([.*+?^=!:${}()|[\]\/\\])/g, '\\$1'); - } - - function getType(value) { - // IE8 doesn't return [Object Undefined] but [Object Object] for undefined value - if (value === undefined) { - return 'Undefined'; - } - - return String(Object.prototype.toString.call(value)).slice(8, -1); - } - - function isArray(obj) { - return getType(obj) === 'Array'; - } - - function filterArrayValues(data, value) { - var lookup = {}; - var i, length; - - if (getType(value) === 'RegExp') { - lookup = null; - } else if (isArray(value)) { - for (i = 0, length = value.length; i < length; i++) { - lookup[value[i]] = true; - } - } else { - lookup[value] = true; - } - - for (i = 0, length = data.length; i < length; i++) { - /*jshint laxbreak: true */ - var _match = lookup && lookup[data[i]] !== undefined - || !lookup && value.test(data[i]); - /*jshint laxbreak: false */ - if (_match) { - data.splice(i, 1); - length--; - i--; - } - } - - return data; - } - - function arrayContains(list, value) { - var i, length; - - // value may be string, number, array, regexp - if (isArray(value)) { - // Note: this can be optimized to O(n) (instead of current O(m * n)) - for (i = 0, length = value.length; i < length; i++) { - if (!arrayContains(list, value[i])) { - return false; - } - } - - return true; - } - - var _type = getType(value); - for (i = 0, length = list.length; i < length; i++) { - if (_type === 'RegExp') { - if (typeof list[i] === 'string' && list[i].match(value)) { - return true; - } - } else if (list[i] === value) { - return true; - } - } - - return false; - } - - function arraysEqual(one, two) { - if (!isArray(one) || !isArray(two)) { - return false; - } - - // arrays can't be equal if they have different amount of content - if (one.length !== two.length) { - return false; - } - - one.sort(); - two.sort(); - - for (var i = 0, l = one.length; i < l; i++) { - if (one[i] !== two[i]) { - return false; - } - } - - return true; - } - - function trimSlashes(text) { - var trim_expression = /^\/+|\/+$/g; - return text.replace(trim_expression, ''); - } - - URI._parts = function() { - return { - protocol: null, - username: null, - password: null, - hostname: null, - urn: null, - port: null, - path: null, - query: null, - fragment: null, - // state - preventInvalidHostname: URI.preventInvalidHostname, - duplicateQueryParameters: URI.duplicateQueryParameters, - escapeQuerySpace: URI.escapeQuerySpace - }; - }; - // state: throw on invalid hostname - // see https://github.com/medialize/URI.js/pull/345 - // and https://github.com/medialize/URI.js/issues/354 - URI.preventInvalidHostname = false; - // state: allow duplicate query parameters (a=1&a=1) - URI.duplicateQueryParameters = false; - // state: replaces + with %20 (space in query strings) - URI.escapeQuerySpace = true; - // static properties - URI.protocol_expression = /^[a-z][a-z0-9.+-]*$/i; - URI.idn_expression = /[^a-z0-9\._-]/i; - URI.punycode_expression = /(xn--)/i; - // well, 333.444.555.666 matches, but it sure ain't no IPv4 - do we care? - URI.ip4_expression = /^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}$/; - // credits to Rich Brown - // source: http://forums.intermapper.com/viewtopic.php?p=1096#1096 - // specification: http://www.ietf.org/rfc/rfc4291.txt - URI.ip6_expression = /^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$/; - // expression used is "gruber revised" (@gruber v2) determined to be the - // best solution in a regex-golf we did a couple of ages ago at - // * http://mathiasbynens.be/demo/url-regex - // * http://rodneyrehm.de/t/url-regex.html - URI.find_uri_expression = /\b((?:[a-z][\w-]+:(?:\/{1,3}|[a-z0-9%])|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}\/)(?:[^\s()<>]+|\(([^\s()<>]+|(\([^\s()<>]+\)))*\))+(?:\(([^\s()<>]+|(\([^\s()<>]+\)))*\)|[^\s`!()\[\]{};:'".,<>?«»“”‘’]))/ig; - URI.findUri = { - // valid "scheme://" or "www." - start: /\b(?:([a-z][a-z0-9.+-]*:\/\/)|www\.)/gi, - // everything up to the next whitespace - end: /[\s\r\n]|$/, - // trim trailing punctuation captured by end RegExp - trim: /[`!()\[\]{};:'".,<>?«»“”„‘’]+$/, - // balanced parens inclusion (), [], {}, <> - parens: /(\([^\)]*\)|\[[^\]]*\]|\{[^}]*\}|<[^>]*>)/g, - }; - // http://www.iana.org/assignments/uri-schemes.html - // http://en.wikipedia.org/wiki/List_of_TCP_and_UDP_port_numbers#Well-known_ports - URI.defaultPorts = { - http: '80', - https: '443', - ftp: '21', - gopher: '70', - ws: '80', - wss: '443' - }; - // list of protocols which always require a hostname - URI.hostProtocols = [ - 'http', - 'https' - ]; - - // allowed hostname characters according to RFC 3986 - // ALPHA DIGIT "-" "." "_" "~" "!" "$" "&" "'" "(" ")" "*" "+" "," ";" "=" %encoded - // I've never seen a (non-IDN) hostname other than: ALPHA DIGIT . - _ - URI.invalid_hostname_characters = /[^a-zA-Z0-9\.\-:_]/; - // map DOM Elements to their URI attribute - URI.domAttributes = { - 'a': 'href', - 'blockquote': 'cite', - 'link': 'href', - 'base': 'href', - 'script': 'src', - 'form': 'action', - 'img': 'src', - 'area': 'href', - 'iframe': 'src', - 'embed': 'src', - 'source': 'src', - 'track': 'src', - 'input': 'src', // but only if type="image" - 'audio': 'src', - 'video': 'src' - }; - URI.getDomAttribute = function(node) { - if (!node || !node.nodeName) { - return undefined; - } - - var nodeName = node.nodeName.toLowerCase(); - // should only expose src for type="image" - if (nodeName === 'input' && node.type !== 'image') { - return undefined; - } - - return URI.domAttributes[nodeName]; - }; - - function escapeForDumbFirefox36(value) { - // https://github.com/medialize/URI.js/issues/91 - return escape(value); - } - - // encoding / decoding according to RFC3986 - function strictEncodeURIComponent(string) { - // see https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Global_Objects/encodeURIComponent - return encodeURIComponent(string) - .replace(/[!'()*]/g, escapeForDumbFirefox36) - .replace(/\*/g, '%2A'); - } - URI.encode = strictEncodeURIComponent; - URI.decode = decodeURIComponent; - URI.iso8859 = function() { - URI.encode = escape; - URI.decode = unescape; - }; - URI.unicode = function() { - URI.encode = strictEncodeURIComponent; - URI.decode = decodeURIComponent; - }; - URI.characters = { - pathname: { - encode: { - // RFC3986 2.1: For consistency, URI producers and normalizers should - // use uppercase hexadecimal digits for all percent-encodings. - expression: /%(24|26|2B|2C|3B|3D|3A|40)/ig, - map: { - // -._~!'()* - '%24': '$', - '%26': '&', - '%2B': '+', - '%2C': ',', - '%3B': ';', - '%3D': '=', - '%3A': ':', - '%40': '@' - } - }, - decode: { - expression: /[\/\?#]/g, - map: { - '/': '%2F', - '?': '%3F', - '#': '%23' - } - } - }, - reserved: { - encode: { - // RFC3986 2.1: For consistency, URI producers and normalizers should - // use uppercase hexadecimal digits for all percent-encodings. - expression: /%(21|23|24|26|27|28|29|2A|2B|2C|2F|3A|3B|3D|3F|40|5B|5D)/ig, - map: { - // gen-delims - '%3A': ':', - '%2F': '/', - '%3F': '?', - '%23': '#', - '%5B': '[', - '%5D': ']', - '%40': '@', - // sub-delims - '%21': '!', - '%24': '$', - '%26': '&', - '%27': '\'', - '%28': '(', - '%29': ')', - '%2A': '*', - '%2B': '+', - '%2C': ',', - '%3B': ';', - '%3D': '=' - } - } - }, - urnpath: { - // The characters under `encode` are the characters called out by RFC 2141 as being acceptable - // for usage in a URN. RFC2141 also calls out "-", ".", and "_" as acceptable characters, but - // these aren't encoded by encodeURIComponent, so we don't have to call them out here. Also - // note that the colon character is not featured in the encoding map; this is because URI.js - // gives the colons in URNs semantic meaning as the delimiters of path segements, and so it - // should not appear unencoded in a segment itself. - // See also the note above about RFC3986 and capitalalized hex digits. - encode: { - expression: /%(21|24|27|28|29|2A|2B|2C|3B|3D|40)/ig, - map: { - '%21': '!', - '%24': '$', - '%27': '\'', - '%28': '(', - '%29': ')', - '%2A': '*', - '%2B': '+', - '%2C': ',', - '%3B': ';', - '%3D': '=', - '%40': '@' - } - }, - // These characters are the characters called out by RFC2141 as "reserved" characters that - // should never appear in a URN, plus the colon character (see note above). - decode: { - expression: /[\/\?#:]/g, - map: { - '/': '%2F', - '?': '%3F', - '#': '%23', - ':': '%3A' - } - } - } - }; - URI.encodeQuery = function(string, escapeQuerySpace) { - var escaped = URI.encode(string + ''); - if (escapeQuerySpace === undefined) { - escapeQuerySpace = URI.escapeQuerySpace; - } - - return escapeQuerySpace ? escaped.replace(/%20/g, '+') : escaped; - }; - URI.decodeQuery = function(string, escapeQuerySpace) { - string += ''; - if (escapeQuerySpace === undefined) { - escapeQuerySpace = URI.escapeQuerySpace; - } - - try { - return URI.decode(escapeQuerySpace ? string.replace(/\+/g, '%20') : string); - } catch(e) { - // we're not going to mess with weird encodings, - // give up and return the undecoded original string - // see https://github.com/medialize/URI.js/issues/87 - // see https://github.com/medialize/URI.js/issues/92 - return string; - } - }; - // generate encode/decode path functions - var _parts = {'encode':'encode', 'decode':'decode'}; - var _part; - var generateAccessor = function(_group, _part) { - return function(string) { - try { - return URI[_part](string + '').replace(URI.characters[_group][_part].expression, function(c) { - return URI.characters[_group][_part].map[c]; - }); - } catch (e) { - // we're not going to mess with weird encodings, - // give up and return the undecoded original string - // see https://github.com/medialize/URI.js/issues/87 - // see https://github.com/medialize/URI.js/issues/92 - return string; - } - }; - }; - - for (_part in _parts) { - URI[_part + 'PathSegment'] = generateAccessor('pathname', _parts[_part]); - URI[_part + 'UrnPathSegment'] = generateAccessor('urnpath', _parts[_part]); - } - - var generateSegmentedPathFunction = function(_sep, _codingFuncName, _innerCodingFuncName) { - return function(string) { - // Why pass in names of functions, rather than the function objects themselves? The - // definitions of some functions (but in particular, URI.decode) will occasionally change due - // to URI.js having ISO8859 and Unicode modes. Passing in the name and getting it will ensure - // that the functions we use here are "fresh". - var actualCodingFunc; - if (!_innerCodingFuncName) { - actualCodingFunc = URI[_codingFuncName]; - } else { - actualCodingFunc = function(string) { - return URI[_codingFuncName](URI[_innerCodingFuncName](string)); - }; - } - - var segments = (string + '').split(_sep); - - for (var i = 0, length = segments.length; i < length; i++) { - segments[i] = actualCodingFunc(segments[i]); - } - - return segments.join(_sep); - }; - }; - - // This takes place outside the above loop because we don't want, e.g., encodeUrnPath functions. - URI.decodePath = generateSegmentedPathFunction('/', 'decodePathSegment'); - URI.decodeUrnPath = generateSegmentedPathFunction(':', 'decodeUrnPathSegment'); - URI.recodePath = generateSegmentedPathFunction('/', 'encodePathSegment', 'decode'); - URI.recodeUrnPath = generateSegmentedPathFunction(':', 'encodeUrnPathSegment', 'decode'); - - URI.encodeReserved = generateAccessor('reserved', 'encode'); - - URI.parse = function(string, parts) { - var pos; - if (!parts) { - parts = { - preventInvalidHostname: URI.preventInvalidHostname - }; - } - // [protocol"://"[username[":"password]"@"]hostname[":"port]"/"?][path]["?"querystring]["#"fragment] - - // extract fragment - pos = string.indexOf('#'); - if (pos > -1) { - // escaping? - parts.fragment = string.substring(pos + 1) || null; - string = string.substring(0, pos); - } - - // extract query - pos = string.indexOf('?'); - if (pos > -1) { - // escaping? - parts.query = string.substring(pos + 1) || null; - string = string.substring(0, pos); - } - - // extract protocol - if (string.substring(0, 2) === '//') { - // relative-scheme - parts.protocol = null; - string = string.substring(2); - // extract "user:pass@host:port" - string = URI.parseAuthority(string, parts); - } else { - pos = string.indexOf(':'); - if (pos > -1) { - parts.protocol = string.substring(0, pos) || null; - if (parts.protocol && !parts.protocol.match(URI.protocol_expression)) { - // : may be within the path - parts.protocol = undefined; - } else if (string.substring(pos + 1, pos + 3) === '//') { - string = string.substring(pos + 3); - - // extract "user:pass@host:port" - string = URI.parseAuthority(string, parts); - } else { - string = string.substring(pos + 1); - parts.urn = true; - } - } - } - - // what's left must be the path - parts.path = string; - - // and we're done - return parts; - }; - URI.parseHost = function(string, parts) { - if (!string) { - string = ''; - } - - // Copy chrome, IE, opera backslash-handling behavior. - // Back slashes before the query string get converted to forward slashes - // See: https://github.com/joyent/node/blob/386fd24f49b0e9d1a8a076592a404168faeecc34/lib/url.js#L115-L124 - // See: https://code.google.com/p/chromium/issues/detail?id=25916 - // https://github.com/medialize/URI.js/pull/233 - string = string.replace(/\\/g, '/'); - - // extract host:port - var pos = string.indexOf('/'); - var bracketPos; - var t; - - if (pos === -1) { - pos = string.length; - } - - if (string.charAt(0) === '[') { - // IPv6 host - http://tools.ietf.org/html/draft-ietf-6man-text-addr-representation-04#section-6 - // I claim most client software breaks on IPv6 anyways. To simplify things, URI only accepts - // IPv6+port in the format [2001:db8::1]:80 (for the time being) - bracketPos = string.indexOf(']'); - parts.hostname = string.substring(1, bracketPos) || null; - parts.port = string.substring(bracketPos + 2, pos) || null; - if (parts.port === '/') { - parts.port = null; - } - } else { - var firstColon = string.indexOf(':'); - var firstSlash = string.indexOf('/'); - var nextColon = string.indexOf(':', firstColon + 1); - if (nextColon !== -1 && (firstSlash === -1 || nextColon < firstSlash)) { - // IPv6 host contains multiple colons - but no port - // this notation is actually not allowed by RFC 3986, but we're a liberal parser - parts.hostname = string.substring(0, pos) || null; - parts.port = null; - } else { - t = string.substring(0, pos).split(':'); - parts.hostname = t[0] || null; - parts.port = t[1] || null; - } - } - - if (parts.hostname && string.substring(pos).charAt(0) !== '/') { - pos++; - string = '/' + string; - } - - if (parts.preventInvalidHostname) { - URI.ensureValidHostname(parts.hostname, parts.protocol); - } - - if (parts.port) { - URI.ensureValidPort(parts.port); - } - - return string.substring(pos) || '/'; - }; - URI.parseAuthority = function(string, parts) { - string = URI.parseUserinfo(string, parts); - return URI.parseHost(string, parts); - }; - URI.parseUserinfo = function(string, parts) { - // extract username:password - var _string = string - var firstBackSlash = string.indexOf('\\'); - if (firstBackSlash !== -1) { - string = string.replace(/\\/g, '/') - } - var firstSlash = string.indexOf('/'); - var pos = string.lastIndexOf('@', firstSlash > -1 ? firstSlash : string.length - 1); - var t; - - // authority@ must come before /path or \path - if (pos > -1 && (firstSlash === -1 || pos < firstSlash)) { - t = string.substring(0, pos).split(':'); - parts.username = t[0] ? URI.decode(t[0]) : null; - t.shift(); - parts.password = t[0] ? URI.decode(t.join(':')) : null; - string = _string.substring(pos + 1); - } else { - parts.username = null; - parts.password = null; - } - - return string; - }; - URI.parseQuery = function(string, escapeQuerySpace) { - if (!string) { - return {}; - } - - // throw out the funky business - "?"[name"="value"&"]+ - string = string.replace(/&+/g, '&').replace(/^\?*&*|&+$/g, ''); - - if (!string) { - return {}; - } - - var items = {}; - var splits = string.split('&'); - var length = splits.length; - var v, name, value; - - for (var i = 0; i < length; i++) { - v = splits[i].split('='); - name = URI.decodeQuery(v.shift(), escapeQuerySpace); - // no "=" is null according to http://dvcs.w3.org/hg/url/raw-file/tip/Overview.html#collect-url-parameters - value = v.length ? URI.decodeQuery(v.join('='), escapeQuerySpace) : null; - - if (hasOwn.call(items, name)) { - if (typeof items[name] === 'string' || items[name] === null) { - items[name] = [items[name]]; - } - - items[name].push(value); - } else { - items[name] = value; - } - } - - return items; - }; - - URI.build = function(parts) { - var t = ''; - var requireAbsolutePath = false - - if (parts.protocol) { - t += parts.protocol + ':'; - } - - if (!parts.urn && (t || parts.hostname)) { - t += '//'; - requireAbsolutePath = true - } - - t += (URI.buildAuthority(parts) || ''); - - if (typeof parts.path === 'string') { - if (parts.path.charAt(0) !== '/' && requireAbsolutePath) { - t += '/'; - } - - t += parts.path; - } - - if (typeof parts.query === 'string' && parts.query) { - t += '?' + parts.query; - } - - if (typeof parts.fragment === 'string' && parts.fragment) { - t += '#' + parts.fragment; - } - return t; - }; - URI.buildHost = function(parts) { - var t = ''; - - if (!parts.hostname) { - return ''; - } else if (URI.ip6_expression.test(parts.hostname)) { - t += '[' + parts.hostname + ']'; - } else { - t += parts.hostname; - } - - if (parts.port) { - t += ':' + parts.port; - } - - return t; - }; - URI.buildAuthority = function(parts) { - return URI.buildUserinfo(parts) + URI.buildHost(parts); - }; - URI.buildUserinfo = function(parts) { - var t = ''; - - if (parts.username) { - t += URI.encode(parts.username); - } - - if (parts.password) { - t += ':' + URI.encode(parts.password); - } - - if (t) { - t += '@'; - } - - return t; - }; - URI.buildQuery = function(data, duplicateQueryParameters, escapeQuerySpace) { - // according to http://tools.ietf.org/html/rfc3986 or http://labs.apache.org/webarch/uri/rfc/rfc3986.html - // being »-._~!$&'()*+,;=:@/?« %HEX and alnum are allowed - // the RFC explicitly states ?/foo being a valid use case, no mention of parameter syntax! - // URI.js treats the query string as being application/x-www-form-urlencoded - // see http://www.w3.org/TR/REC-html40/interact/forms.html#form-content-type - - var t = ''; - var unique, key, i, length; - for (key in data) { - if (hasOwn.call(data, key)) { - if (isArray(data[key])) { - unique = {}; - for (i = 0, length = data[key].length; i < length; i++) { - if (data[key][i] !== undefined && unique[data[key][i] + ''] === undefined) { - t += '&' + URI.buildQueryParameter(key, data[key][i], escapeQuerySpace); - if (duplicateQueryParameters !== true) { - unique[data[key][i] + ''] = true; - } - } - } - } else if (data[key] !== undefined) { - t += '&' + URI.buildQueryParameter(key, data[key], escapeQuerySpace); - } - } - } - - return t.substring(1); - }; - URI.buildQueryParameter = function(name, value, escapeQuerySpace) { - // http://www.w3.org/TR/REC-html40/interact/forms.html#form-content-type -- application/x-www-form-urlencoded - // don't append "=" for null values, according to http://dvcs.w3.org/hg/url/raw-file/tip/Overview.html#url-parameter-serialization - return URI.encodeQuery(name, escapeQuerySpace) + (value !== null ? '=' + URI.encodeQuery(value, escapeQuerySpace) : ''); - }; - - URI.addQuery = function(data, name, value) { - if (typeof name === 'object') { - for (var key in name) { - if (hasOwn.call(name, key)) { - URI.addQuery(data, key, name[key]); - } - } - } else if (typeof name === 'string') { - if (data[name] === undefined) { - data[name] = value; - return; - } else if (typeof data[name] === 'string') { - data[name] = [data[name]]; - } - - if (!isArray(value)) { - value = [value]; - } - - data[name] = (data[name] || []).concat(value); - } else { - throw new TypeError('URI.addQuery() accepts an object, string as the name parameter'); - } - }; - - URI.setQuery = function(data, name, value) { - if (typeof name === 'object') { - for (var key in name) { - if (hasOwn.call(name, key)) { - URI.setQuery(data, key, name[key]); - } - } - } else if (typeof name === 'string') { - data[name] = value === undefined ? null : value; - } else { - throw new TypeError('URI.setQuery() accepts an object, string as the name parameter'); - } - }; - - URI.removeQuery = function(data, name, value) { - var i, length, key; - - if (isArray(name)) { - for (i = 0, length = name.length; i < length; i++) { - data[name[i]] = undefined; - } - } else if (getType(name) === 'RegExp') { - for (key in data) { - if (name.test(key)) { - data[key] = undefined; - } - } - } else if (typeof name === 'object') { - for (key in name) { - if (hasOwn.call(name, key)) { - URI.removeQuery(data, key, name[key]); - } - } - } else if (typeof name === 'string') { - if (value !== undefined) { - if (getType(value) === 'RegExp') { - if (!isArray(data[name]) && value.test(data[name])) { - data[name] = undefined; - } else { - data[name] = filterArrayValues(data[name], value); - } - } else if (data[name] === String(value) && (!isArray(value) || value.length === 1)) { - data[name] = undefined; - } else if (isArray(data[name])) { - data[name] = filterArrayValues(data[name], value); - } - } else { - data[name] = undefined; - } - } else { - throw new TypeError('URI.removeQuery() accepts an object, string, RegExp as the first parameter'); - } - }; - URI.hasQuery = function(data, name, value, withinArray) { - switch (getType(name)) { - case 'String': - // Nothing to do here - break; - - case 'RegExp': - for (var key in data) { - if (hasOwn.call(data, key)) { - if (name.test(key) && (value === undefined || URI.hasQuery(data, key, value))) { - return true; - } - } - } - - return false; - - case 'Object': - for (var _key in name) { - if (hasOwn.call(name, _key)) { - if (!URI.hasQuery(data, _key, name[_key])) { - return false; - } - } - } - - return true; - - default: - throw new TypeError('URI.hasQuery() accepts a string, regular expression or object as the name parameter'); - } - - switch (getType(value)) { - case 'Undefined': - // true if exists (but may be empty) - return name in data; // data[name] !== undefined; - - case 'Boolean': - // true if exists and non-empty - var _booly = Boolean(isArray(data[name]) ? data[name].length : data[name]); - return value === _booly; - - case 'Function': - // allow complex comparison - return !!value(data[name], name, data); - - case 'Array': - if (!isArray(data[name])) { - return false; - } - - var op = withinArray ? arrayContains : arraysEqual; - return op(data[name], value); - - case 'RegExp': - if (!isArray(data[name])) { - return Boolean(data[name] && data[name].match(value)); - } - - if (!withinArray) { - return false; - } - - return arrayContains(data[name], value); - - case 'Number': - value = String(value); - /* falls through */ - case 'String': - if (!isArray(data[name])) { - return data[name] === value; - } - - if (!withinArray) { - return false; - } - - return arrayContains(data[name], value); - - default: - throw new TypeError('URI.hasQuery() accepts undefined, boolean, string, number, RegExp, Function as the value parameter'); - } - }; - - - URI.joinPaths = function() { - var input = []; - var segments = []; - var nonEmptySegments = 0; - - for (var i = 0; i < arguments.length; i++) { - var url = new URI(arguments[i]); - input.push(url); - var _segments = url.segment(); - for (var s = 0; s < _segments.length; s++) { - if (typeof _segments[s] === 'string') { - segments.push(_segments[s]); - } - - if (_segments[s]) { - nonEmptySegments++; - } - } - } - - if (!segments.length || !nonEmptySegments) { - return new URI(''); - } - - var uri = new URI('').segment(segments); - - if (input[0].path() === '' || input[0].path().slice(0, 1) === '/') { - uri.path('/' + uri.path()); - } - - return uri.normalize(); - }; - - URI.commonPath = function(one, two) { - var length = Math.min(one.length, two.length); - var pos; - - // find first non-matching character - for (pos = 0; pos < length; pos++) { - if (one.charAt(pos) !== two.charAt(pos)) { - pos--; - break; - } - } - - if (pos < 1) { - return one.charAt(0) === two.charAt(0) && one.charAt(0) === '/' ? '/' : ''; - } - - // revert to last / - if (one.charAt(pos) !== '/' || two.charAt(pos) !== '/') { - pos = one.substring(0, pos).lastIndexOf('/'); - } - - return one.substring(0, pos + 1); - }; - - URI.withinString = function(string, callback, options) { - options || (options = {}); - var _start = options.start || URI.findUri.start; - var _end = options.end || URI.findUri.end; - var _trim = options.trim || URI.findUri.trim; - var _parens = options.parens || URI.findUri.parens; - var _attributeOpen = /[a-z0-9-]=["']?$/i; - - _start.lastIndex = 0; - while (true) { - var match = _start.exec(string); - if (!match) { - break; - } - - var start = match.index; - if (options.ignoreHtml) { - // attribut(e=["']?$) - var attributeOpen = string.slice(Math.max(start - 3, 0), start); - if (attributeOpen && _attributeOpen.test(attributeOpen)) { - continue; - } - } - - var end = start + string.slice(start).search(_end); - var slice = string.slice(start, end); - // make sure we include well balanced parens - var parensEnd = -1; - while (true) { - var parensMatch = _parens.exec(slice); - if (!parensMatch) { - break; - } - - var parensMatchEnd = parensMatch.index + parensMatch[0].length; - parensEnd = Math.max(parensEnd, parensMatchEnd); - } - - if (parensEnd > -1) { - slice = slice.slice(0, parensEnd) + slice.slice(parensEnd).replace(_trim, ''); - } else { - slice = slice.replace(_trim, ''); - } - - if (slice.length <= match[0].length) { - // the extract only contains the starting marker of a URI, - // e.g. "www" or "http://" - continue; - } - - if (options.ignore && options.ignore.test(slice)) { - continue; - } - - end = start + slice.length; - var result = callback(slice, start, end, string); - if (result === undefined) { - _start.lastIndex = end; - continue; - } - - result = String(result); - string = string.slice(0, start) + result + string.slice(end); - _start.lastIndex = start + result.length; - } - - _start.lastIndex = 0; - return string; - }; - - URI.ensureValidHostname = function(v, protocol) { - // Theoretically URIs allow percent-encoding in Hostnames (according to RFC 3986) - // they are not part of DNS and therefore ignored by URI.js - - var hasHostname = !!v; // not null and not an empty string - var hasProtocol = !!protocol; - var rejectEmptyHostname = false; - - if (hasProtocol) { - rejectEmptyHostname = arrayContains(URI.hostProtocols, protocol); - } - - if (rejectEmptyHostname && !hasHostname) { - throw new TypeError('Hostname cannot be empty, if protocol is ' + protocol); - } else if (v && v.match(URI.invalid_hostname_characters)) { - // test punycode - if (!punycode) { - throw new TypeError('Hostname "' + v + '" contains characters other than [A-Z0-9.-:_] and Punycode.js is not available'); - } - if (punycode.toASCII(v).match(URI.invalid_hostname_characters)) { - throw new TypeError('Hostname "' + v + '" contains characters other than [A-Z0-9.-:_]'); - } - } - }; - - URI.ensureValidPort = function (v) { - if (!v) { - return; - } - - var port = Number(v); - if (isInteger(port) && (port > 0) && (port < 65536)) { - return; - } - - throw new TypeError('Port "' + v + '" is not a valid port'); - }; - - // noConflict - URI.noConflict = function(removeAll) { - if (removeAll) { - var unconflicted = { - URI: this.noConflict() - }; - - if (root.URITemplate && typeof root.URITemplate.noConflict === 'function') { - unconflicted.URITemplate = root.URITemplate.noConflict(); - } - - if (root.IPv6 && typeof root.IPv6.noConflict === 'function') { - unconflicted.IPv6 = root.IPv6.noConflict(); - } - - if (root.SecondLevelDomains && typeof root.SecondLevelDomains.noConflict === 'function') { - unconflicted.SecondLevelDomains = root.SecondLevelDomains.noConflict(); - } - - return unconflicted; - } else if (root.URI === this) { - root.URI = _URI; - } - - return this; - }; - - p.build = function(deferBuild) { - if (deferBuild === true) { - this._deferred_build = true; - } else if (deferBuild === undefined || this._deferred_build) { - this._string = URI.build(this._parts); - this._deferred_build = false; - } - - return this; - }; - - p.clone = function() { - return new URI(this); - }; - - p.valueOf = p.toString = function() { - return this.build(false)._string; - }; - - - function generateSimpleAccessor(_part){ - return function(v, build) { - if (v === undefined) { - return this._parts[_part] || ''; - } else { - this._parts[_part] = v || null; - this.build(!build); - return this; - } - }; - } - - function generatePrefixAccessor(_part, _key){ - return function(v, build) { - if (v === undefined) { - return this._parts[_part] || ''; - } else { - if (v !== null) { - v = v + ''; - if (v.charAt(0) === _key) { - v = v.substring(1); - } - } - - this._parts[_part] = v; - this.build(!build); - return this; - } - }; - } - - p.protocol = generateSimpleAccessor('protocol'); - p.username = generateSimpleAccessor('username'); - p.password = generateSimpleAccessor('password'); - p.hostname = generateSimpleAccessor('hostname'); - p.port = generateSimpleAccessor('port'); - p.query = generatePrefixAccessor('query', '?'); - p.fragment = generatePrefixAccessor('fragment', '#'); - - p.search = function(v, build) { - var t = this.query(v, build); - return typeof t === 'string' && t.length ? ('?' + t) : t; - }; - p.hash = function(v, build) { - var t = this.fragment(v, build); - return typeof t === 'string' && t.length ? ('#' + t) : t; - }; - - p.pathname = function(v, build) { - if (v === undefined || v === true) { - var res = this._parts.path || (this._parts.hostname ? '/' : ''); - return v ? (this._parts.urn ? URI.decodeUrnPath : URI.decodePath)(res) : res; - } else { - if (this._parts.urn) { - this._parts.path = v ? URI.recodeUrnPath(v) : ''; - } else { - this._parts.path = v ? URI.recodePath(v) : '/'; - } - this.build(!build); - return this; - } - }; - p.path = p.pathname; - p.href = function(href, build) { - var key; - - if (href === undefined) { - return this.toString(); - } - - this._string = ''; - this._parts = URI._parts(); - - var _URI = href instanceof URI; - var _object = typeof href === 'object' && (href.hostname || href.path || href.pathname); - if (href.nodeName) { - var attribute = URI.getDomAttribute(href); - href = href[attribute] || ''; - _object = false; - } - - // window.location is reported to be an object, but it's not the sort - // of object we're looking for: - // * location.protocol ends with a colon - // * location.query != object.search - // * location.hash != object.fragment - // simply serializing the unknown object should do the trick - // (for location, not for everything...) - if (!_URI && _object && href.pathname !== undefined) { - href = href.toString(); - } - - if (typeof href === 'string' || href instanceof String) { - this._parts = URI.parse(String(href), this._parts); - } else if (_URI || _object) { - var src = _URI ? href._parts : href; - for (key in src) { - if (key === 'query') { continue; } - if (hasOwn.call(this._parts, key)) { - this._parts[key] = src[key]; - } - } - if (src.query) { - this.query(src.query, false); - } - } else { - throw new TypeError('invalid input'); - } - - this.build(!build); - return this; - }; - - // identification accessors - p.is = function(what) { - var ip = false; - var ip4 = false; - var ip6 = false; - var name = false; - var sld = false; - var idn = false; - var punycode = false; - var relative = !this._parts.urn; - - if (this._parts.hostname) { - relative = false; - ip4 = URI.ip4_expression.test(this._parts.hostname); - ip6 = URI.ip6_expression.test(this._parts.hostname); - ip = ip4 || ip6; - name = !ip; - sld = name && SLD && SLD.has(this._parts.hostname); - idn = name && URI.idn_expression.test(this._parts.hostname); - punycode = name && URI.punycode_expression.test(this._parts.hostname); - } - - switch (what.toLowerCase()) { - case 'relative': - return relative; - - case 'absolute': - return !relative; - - // hostname identification - case 'domain': - case 'name': - return name; - - case 'sld': - return sld; - - case 'ip': - return ip; - - case 'ip4': - case 'ipv4': - case 'inet4': - return ip4; - - case 'ip6': - case 'ipv6': - case 'inet6': - return ip6; - - case 'idn': - return idn; - - case 'url': - return !this._parts.urn; - - case 'urn': - return !!this._parts.urn; - - case 'punycode': - return punycode; - } - - return null; - }; - - // component specific input validation - var _protocol = p.protocol; - var _port = p.port; - var _hostname = p.hostname; - - p.protocol = function(v, build) { - if (v) { - // accept trailing :// - v = v.replace(/:(\/\/)?$/, ''); - - if (!v.match(URI.protocol_expression)) { - throw new TypeError('Protocol "' + v + '" contains characters other than [A-Z0-9.+-] or doesn\'t start with [A-Z]'); - } - } - - return _protocol.call(this, v, build); - }; - p.scheme = p.protocol; - p.port = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v !== undefined) { - if (v === 0) { - v = null; - } - - if (v) { - v += ''; - if (v.charAt(0) === ':') { - v = v.substring(1); - } - - URI.ensureValidPort(v); - } - } - return _port.call(this, v, build); - }; - p.hostname = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v !== undefined) { - var x = { preventInvalidHostname: this._parts.preventInvalidHostname }; - var res = URI.parseHost(v, x); - if (res !== '/') { - throw new TypeError('Hostname "' + v + '" contains characters other than [A-Z0-9.-]'); - } - - v = x.hostname; - if (this._parts.preventInvalidHostname) { - URI.ensureValidHostname(v, this._parts.protocol); - } - } - - return _hostname.call(this, v, build); - }; - - // compound accessors - p.origin = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v === undefined) { - var protocol = this.protocol(); - var authority = this.authority(); - if (!authority) { - return ''; - } - - return (protocol ? protocol + '://' : '') + this.authority(); - } else { - var origin = URI(v); - this - .protocol(origin.protocol()) - .authority(origin.authority()) - .build(!build); - return this; - } - }; - p.host = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v === undefined) { - return this._parts.hostname ? URI.buildHost(this._parts) : ''; - } else { - var res = URI.parseHost(v, this._parts); - if (res !== '/') { - throw new TypeError('Hostname "' + v + '" contains characters other than [A-Z0-9.-]'); - } - - this.build(!build); - return this; - } - }; - p.authority = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v === undefined) { - return this._parts.hostname ? URI.buildAuthority(this._parts) : ''; - } else { - var res = URI.parseAuthority(v, this._parts); - if (res !== '/') { - throw new TypeError('Hostname "' + v + '" contains characters other than [A-Z0-9.-]'); - } - - this.build(!build); - return this; - } - }; - p.userinfo = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v === undefined) { - var t = URI.buildUserinfo(this._parts); - return t ? t.substring(0, t.length -1) : t; - } else { - if (v[v.length-1] !== '@') { - v += '@'; - } - - URI.parseUserinfo(v, this._parts); - this.build(!build); - return this; - } - }; - p.resource = function(v, build) { - var parts; - - if (v === undefined) { - return this.path() + this.search() + this.hash(); - } - - parts = URI.parse(v); - this._parts.path = parts.path; - this._parts.query = parts.query; - this._parts.fragment = parts.fragment; - this.build(!build); - return this; - }; - - // fraction accessors - p.subdomain = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - // convenience, return "www" from "www.example.org" - if (v === undefined) { - if (!this._parts.hostname || this.is('IP')) { - return ''; - } - - // grab domain and add another segment - var end = this._parts.hostname.length - this.domain().length - 1; - return this._parts.hostname.substring(0, end) || ''; - } else { - var e = this._parts.hostname.length - this.domain().length; - var sub = this._parts.hostname.substring(0, e); - var replace = new RegExp('^' + escapeRegEx(sub)); - - if (v && v.charAt(v.length - 1) !== '.') { - v += '.'; - } - - if (v.indexOf(':') !== -1) { - throw new TypeError('Domains cannot contain colons'); - } - - if (v) { - URI.ensureValidHostname(v, this._parts.protocol); - } - - this._parts.hostname = this._parts.hostname.replace(replace, v); - this.build(!build); - return this; - } - }; - p.domain = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (typeof v === 'boolean') { - build = v; - v = undefined; - } - - // convenience, return "example.org" from "www.example.org" - if (v === undefined) { - if (!this._parts.hostname || this.is('IP')) { - return ''; - } - - // if hostname consists of 1 or 2 segments, it must be the domain - var t = this._parts.hostname.match(/\./g); - if (t && t.length < 2) { - return this._parts.hostname; - } - - // grab tld and add another segment - var end = this._parts.hostname.length - this.tld(build).length - 1; - end = this._parts.hostname.lastIndexOf('.', end -1) + 1; - return this._parts.hostname.substring(end) || ''; - } else { - if (!v) { - throw new TypeError('cannot set domain empty'); - } - - if (v.indexOf(':') !== -1) { - throw new TypeError('Domains cannot contain colons'); - } - - URI.ensureValidHostname(v, this._parts.protocol); - - if (!this._parts.hostname || this.is('IP')) { - this._parts.hostname = v; - } else { - var replace = new RegExp(escapeRegEx(this.domain()) + '$'); - this._parts.hostname = this._parts.hostname.replace(replace, v); - } - - this.build(!build); - return this; - } - }; - p.tld = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (typeof v === 'boolean') { - build = v; - v = undefined; - } - - // return "org" from "www.example.org" - if (v === undefined) { - if (!this._parts.hostname || this.is('IP')) { - return ''; - } - - var pos = this._parts.hostname.lastIndexOf('.'); - var tld = this._parts.hostname.substring(pos + 1); - - if (build !== true && SLD && SLD.list[tld.toLowerCase()]) { - return SLD.get(this._parts.hostname) || tld; - } - - return tld; - } else { - var replace; - - if (!v) { - throw new TypeError('cannot set TLD empty'); - } else if (v.match(/[^a-zA-Z0-9-]/)) { - if (SLD && SLD.is(v)) { - replace = new RegExp(escapeRegEx(this.tld()) + '$'); - this._parts.hostname = this._parts.hostname.replace(replace, v); - } else { - throw new TypeError('TLD "' + v + '" contains characters other than [A-Z0-9]'); - } - } else if (!this._parts.hostname || this.is('IP')) { - throw new ReferenceError('cannot set TLD on non-domain host'); - } else { - replace = new RegExp(escapeRegEx(this.tld()) + '$'); - this._parts.hostname = this._parts.hostname.replace(replace, v); - } - - this.build(!build); - return this; - } - }; - p.directory = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v === undefined || v === true) { - if (!this._parts.path && !this._parts.hostname) { - return ''; - } - - if (this._parts.path === '/') { - return '/'; - } - - var end = this._parts.path.length - this.filename().length - 1; - var res = this._parts.path.substring(0, end) || (this._parts.hostname ? '/' : ''); - - return v ? URI.decodePath(res) : res; - - } else { - var e = this._parts.path.length - this.filename().length; - var directory = this._parts.path.substring(0, e); - var replace = new RegExp('^' + escapeRegEx(directory)); - - // fully qualifier directories begin with a slash - if (!this.is('relative')) { - if (!v) { - v = '/'; - } - - if (v.charAt(0) !== '/') { - v = '/' + v; - } - } - - // directories always end with a slash - if (v && v.charAt(v.length - 1) !== '/') { - v += '/'; - } - - v = URI.recodePath(v); - this._parts.path = this._parts.path.replace(replace, v); - this.build(!build); - return this; - } - }; - p.filename = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (typeof v !== 'string') { - if (!this._parts.path || this._parts.path === '/') { - return ''; - } - - var pos = this._parts.path.lastIndexOf('/'); - var res = this._parts.path.substring(pos+1); - - return v ? URI.decodePathSegment(res) : res; - } else { - var mutatedDirectory = false; - - if (v.charAt(0) === '/') { - v = v.substring(1); - } - - if (v.match(/\.?\//)) { - mutatedDirectory = true; - } - - var replace = new RegExp(escapeRegEx(this.filename()) + '$'); - v = URI.recodePath(v); - this._parts.path = this._parts.path.replace(replace, v); - - if (mutatedDirectory) { - this.normalizePath(build); - } else { - this.build(!build); - } - - return this; - } - }; - p.suffix = function(v, build) { - if (this._parts.urn) { - return v === undefined ? '' : this; - } - - if (v === undefined || v === true) { - if (!this._parts.path || this._parts.path === '/') { - return ''; - } - - var filename = this.filename(); - var pos = filename.lastIndexOf('.'); - var s, res; - - if (pos === -1) { - return ''; - } - - // suffix may only contain alnum characters (yup, I made this up.) - s = filename.substring(pos+1); - res = (/^[a-z0-9%]+$/i).test(s) ? s : ''; - return v ? URI.decodePathSegment(res) : res; - } else { - if (v.charAt(0) === '.') { - v = v.substring(1); - } - - var suffix = this.suffix(); - var replace; - - if (!suffix) { - if (!v) { - return this; - } - - this._parts.path += '.' + URI.recodePath(v); - } else if (!v) { - replace = new RegExp(escapeRegEx('.' + suffix) + '$'); - } else { - replace = new RegExp(escapeRegEx(suffix) + '$'); - } - - if (replace) { - v = URI.recodePath(v); - this._parts.path = this._parts.path.replace(replace, v); - } - - this.build(!build); - return this; - } - }; - p.segment = function(segment, v, build) { - var separator = this._parts.urn ? ':' : '/'; - var path = this.path(); - var absolute = path.substring(0, 1) === '/'; - var segments = path.split(separator); - - if (segment !== undefined && typeof segment !== 'number') { - build = v; - v = segment; - segment = undefined; - } - - if (segment !== undefined && typeof segment !== 'number') { - throw new Error('Bad segment "' + segment + '", must be 0-based integer'); - } - - if (absolute) { - segments.shift(); - } - - if (segment < 0) { - // allow negative indexes to address from the end - segment = Math.max(segments.length + segment, 0); - } - - if (v === undefined) { - /*jshint laxbreak: true */ - return segment === undefined - ? segments - : segments[segment]; - /*jshint laxbreak: false */ - } else if (segment === null || segments[segment] === undefined) { - if (isArray(v)) { - segments = []; - // collapse empty elements within array - for (var i=0, l=v.length; i < l; i++) { - if (!v[i].length && (!segments.length || !segments[segments.length -1].length)) { - continue; - } - - if (segments.length && !segments[segments.length -1].length) { - segments.pop(); - } - - segments.push(trimSlashes(v[i])); - } - } else if (v || typeof v === 'string') { - v = trimSlashes(v); - if (segments[segments.length -1] === '') { - // empty trailing elements have to be overwritten - // to prevent results such as /foo//bar - segments[segments.length -1] = v; - } else { - segments.push(v); - } - } - } else { - if (v) { - segments[segment] = trimSlashes(v); - } else { - segments.splice(segment, 1); - } - } - - if (absolute) { - segments.unshift(''); - } - - return this.path(segments.join(separator), build); - }; - p.segmentCoded = function(segment, v, build) { - var segments, i, l; - - if (typeof segment !== 'number') { - build = v; - v = segment; - segment = undefined; - } - - if (v === undefined) { - segments = this.segment(segment, v, build); - if (!isArray(segments)) { - segments = segments !== undefined ? URI.decode(segments) : undefined; - } else { - for (i = 0, l = segments.length; i < l; i++) { - segments[i] = URI.decode(segments[i]); - } - } - - return segments; - } - - if (!isArray(v)) { - v = (typeof v === 'string' || v instanceof String) ? URI.encode(v) : v; - } else { - for (i = 0, l = v.length; i < l; i++) { - v[i] = URI.encode(v[i]); - } - } - - return this.segment(segment, v, build); - }; - - // mutating query string - var q = p.query; - p.query = function(v, build) { - if (v === true) { - return URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace); - } else if (typeof v === 'function') { - var data = URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace); - var result = v.call(this, data); - this._parts.query = URI.buildQuery(result || data, this._parts.duplicateQueryParameters, this._parts.escapeQuerySpace); - this.build(!build); - return this; - } else if (v !== undefined && typeof v !== 'string') { - this._parts.query = URI.buildQuery(v, this._parts.duplicateQueryParameters, this._parts.escapeQuerySpace); - this.build(!build); - return this; - } else { - return q.call(this, v, build); - } - }; - p.setQuery = function(name, value, build) { - var data = URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace); - - if (typeof name === 'string' || name instanceof String) { - data[name] = value !== undefined ? value : null; - } else if (typeof name === 'object') { - for (var key in name) { - if (hasOwn.call(name, key)) { - data[key] = name[key]; - } - } - } else { - throw new TypeError('URI.addQuery() accepts an object, string as the name parameter'); - } - - this._parts.query = URI.buildQuery(data, this._parts.duplicateQueryParameters, this._parts.escapeQuerySpace); - if (typeof name !== 'string') { - build = value; - } - - this.build(!build); - return this; - }; - p.addQuery = function(name, value, build) { - var data = URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace); - URI.addQuery(data, name, value === undefined ? null : value); - this._parts.query = URI.buildQuery(data, this._parts.duplicateQueryParameters, this._parts.escapeQuerySpace); - if (typeof name !== 'string') { - build = value; - } - - this.build(!build); - return this; - }; - p.removeQuery = function(name, value, build) { - var data = URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace); - URI.removeQuery(data, name, value); - this._parts.query = URI.buildQuery(data, this._parts.duplicateQueryParameters, this._parts.escapeQuerySpace); - if (typeof name !== 'string') { - build = value; - } - - this.build(!build); - return this; - }; - p.hasQuery = function(name, value, withinArray) { - var data = URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace); - return URI.hasQuery(data, name, value, withinArray); - }; - p.setSearch = p.setQuery; - p.addSearch = p.addQuery; - p.removeSearch = p.removeQuery; - p.hasSearch = p.hasQuery; - - // sanitizing URLs - p.normalize = function() { - if (this._parts.urn) { - return this - .normalizeProtocol(false) - .normalizePath(false) - .normalizeQuery(false) - .normalizeFragment(false) - .build(); - } - - return this - .normalizeProtocol(false) - .normalizeHostname(false) - .normalizePort(false) - .normalizePath(false) - .normalizeQuery(false) - .normalizeFragment(false) - .build(); - }; - p.normalizeProtocol = function(build) { - if (typeof this._parts.protocol === 'string') { - this._parts.protocol = this._parts.protocol.toLowerCase(); - this.build(!build); - } - - return this; - }; - p.normalizeHostname = function(build) { - if (this._parts.hostname) { - if (this.is('IDN') && punycode) { - this._parts.hostname = punycode.toASCII(this._parts.hostname); - } else if (this.is('IPv6') && IPv6) { - this._parts.hostname = IPv6.best(this._parts.hostname); - } - - this._parts.hostname = this._parts.hostname.toLowerCase(); - this.build(!build); - } - - return this; - }; - p.normalizePort = function(build) { - // remove port of it's the protocol's default - if (typeof this._parts.protocol === 'string' && this._parts.port === URI.defaultPorts[this._parts.protocol]) { - this._parts.port = null; - this.build(!build); - } - - return this; - }; - p.normalizePath = function(build) { - var _path = this._parts.path; - if (!_path) { - return this; - } - - if (this._parts.urn) { - this._parts.path = URI.recodeUrnPath(this._parts.path); - this.build(!build); - return this; - } - - if (this._parts.path === '/') { - return this; - } - - _path = URI.recodePath(_path); - - var _was_relative; - var _leadingParents = ''; - var _parent, _pos; - - // handle relative paths - if (_path.charAt(0) !== '/') { - _was_relative = true; - _path = '/' + _path; - } - - // handle relative files (as opposed to directories) - if (_path.slice(-3) === '/..' || _path.slice(-2) === '/.') { - _path += '/'; - } - - // resolve simples - _path = _path - .replace(/(\/(\.\/)+)|(\/\.$)/g, '/') - .replace(/\/{2,}/g, '/'); - - // remember leading parents - if (_was_relative) { - _leadingParents = _path.substring(1).match(/^(\.\.\/)+/) || ''; - if (_leadingParents) { - _leadingParents = _leadingParents[0]; - } - } - - // resolve parents - while (true) { - _parent = _path.search(/\/\.\.(\/|$)/); - if (_parent === -1) { - // no more ../ to resolve - break; - } else if (_parent === 0) { - // top level cannot be relative, skip it - _path = _path.substring(3); - continue; - } - - _pos = _path.substring(0, _parent).lastIndexOf('/'); - if (_pos === -1) { - _pos = _parent; - } - _path = _path.substring(0, _pos) + _path.substring(_parent + 3); - } - - // revert to relative - if (_was_relative && this.is('relative')) { - _path = _leadingParents + _path.substring(1); - } - - this._parts.path = _path; - this.build(!build); - return this; - }; - p.normalizePathname = p.normalizePath; - p.normalizeQuery = function(build) { - if (typeof this._parts.query === 'string') { - if (!this._parts.query.length) { - this._parts.query = null; - } else { - this.query(URI.parseQuery(this._parts.query, this._parts.escapeQuerySpace)); - } - - this.build(!build); - } - - return this; - }; - p.normalizeFragment = function(build) { - if (!this._parts.fragment) { - this._parts.fragment = null; - this.build(!build); - } - - return this; - }; - p.normalizeSearch = p.normalizeQuery; - p.normalizeHash = p.normalizeFragment; - - p.iso8859 = function() { - // expect unicode input, iso8859 output - var e = URI.encode; - var d = URI.decode; - - URI.encode = escape; - URI.decode = decodeURIComponent; - try { - this.normalize(); - } finally { - URI.encode = e; - URI.decode = d; - } - return this; - }; - - p.unicode = function() { - // expect iso8859 input, unicode output - var e = URI.encode; - var d = URI.decode; - - URI.encode = strictEncodeURIComponent; - URI.decode = unescape; - try { - this.normalize(); - } finally { - URI.encode = e; - URI.decode = d; - } - return this; - }; - - p.readable = function() { - var uri = this.clone(); - // removing username, password, because they shouldn't be displayed according to RFC 3986 - uri.username('').password('').normalize(); - var t = ''; - if (uri._parts.protocol) { - t += uri._parts.protocol + '://'; - } - - if (uri._parts.hostname) { - if (uri.is('punycode') && punycode) { - t += punycode.toUnicode(uri._parts.hostname); - if (uri._parts.port) { - t += ':' + uri._parts.port; - } - } else { - t += uri.host(); - } - } - - if (uri._parts.hostname && uri._parts.path && uri._parts.path.charAt(0) !== '/') { - t += '/'; - } - - t += uri.path(true); - if (uri._parts.query) { - var q = ''; - for (var i = 0, qp = uri._parts.query.split('&'), l = qp.length; i < l; i++) { - var kv = (qp[i] || '').split('='); - q += '&' + URI.decodeQuery(kv[0], this._parts.escapeQuerySpace) - .replace(/&/g, '%26'); - - if (kv[1] !== undefined) { - q += '=' + URI.decodeQuery(kv[1], this._parts.escapeQuerySpace) - .replace(/&/g, '%26'); - } - } - t += '?' + q.substring(1); - } - - t += URI.decodeQuery(uri.hash(), true); - return t; - }; - - // resolving relative and absolute URLs - p.absoluteTo = function(base) { - var resolved = this.clone(); - var properties = ['protocol', 'username', 'password', 'hostname', 'port']; - var basedir, i, p; - - if (this._parts.urn) { - throw new Error('URNs do not have any generally defined hierarchical components'); - } - - if (!(base instanceof URI)) { - base = new URI(base); - } - - if (resolved._parts.protocol) { - // Directly returns even if this._parts.hostname is empty. - return resolved; - } else { - resolved._parts.protocol = base._parts.protocol; - } - - if (this._parts.hostname) { - return resolved; - } - - for (i = 0; (p = properties[i]); i++) { - resolved._parts[p] = base._parts[p]; - } - - if (!resolved._parts.path) { - resolved._parts.path = base._parts.path; - if (!resolved._parts.query) { - resolved._parts.query = base._parts.query; - } - } else { - if (resolved._parts.path.substring(-2) === '..') { - resolved._parts.path += '/'; - } - - if (resolved.path().charAt(0) !== '/') { - basedir = base.directory(); - basedir = basedir ? basedir : base.path().indexOf('/') === 0 ? '/' : ''; - resolved._parts.path = (basedir ? (basedir + '/') : '') + resolved._parts.path; - resolved.normalizePath(); - } - } - - resolved.build(); - return resolved; - }; - p.relativeTo = function(base) { - var relative = this.clone().normalize(); - var relativeParts, baseParts, common, relativePath, basePath; - - if (relative._parts.urn) { - throw new Error('URNs do not have any generally defined hierarchical components'); - } - - base = new URI(base).normalize(); - relativeParts = relative._parts; - baseParts = base._parts; - relativePath = relative.path(); - basePath = base.path(); - - if (relativePath.charAt(0) !== '/') { - throw new Error('URI is already relative'); - } - - if (basePath.charAt(0) !== '/') { - throw new Error('Cannot calculate a URI relative to another relative URI'); - } - - if (relativeParts.protocol === baseParts.protocol) { - relativeParts.protocol = null; - } - - if (relativeParts.username !== baseParts.username || relativeParts.password !== baseParts.password) { - return relative.build(); - } - - if (relativeParts.protocol !== null || relativeParts.username !== null || relativeParts.password !== null) { - return relative.build(); - } - - if (relativeParts.hostname === baseParts.hostname && relativeParts.port === baseParts.port) { - relativeParts.hostname = null; - relativeParts.port = null; - } else { - return relative.build(); - } - - if (relativePath === basePath) { - relativeParts.path = ''; - return relative.build(); - } - - // determine common sub path - common = URI.commonPath(relativePath, basePath); - - // If the paths have nothing in common, return a relative URL with the absolute path. - if (!common) { - return relative.build(); - } - - var parents = baseParts.path - .substring(common.length) - .replace(/[^\/]*$/, '') - .replace(/.*?\//g, '../'); - - relativeParts.path = (parents + relativeParts.path.substring(common.length)) || './'; - - return relative.build(); - }; - - // comparing URIs - p.equals = function(uri) { - var one = this.clone(); - var two = new URI(uri); - var one_map = {}; - var two_map = {}; - var checked = {}; - var one_query, two_query, key; - - one.normalize(); - two.normalize(); - - // exact match - if (one.toString() === two.toString()) { - return true; - } - - // extract query string - one_query = one.query(); - two_query = two.query(); - one.query(''); - two.query(''); - - // definitely not equal if not even non-query parts match - if (one.toString() !== two.toString()) { - return false; - } - - // query parameters have the same length, even if they're permuted - if (one_query.length !== two_query.length) { - return false; - } - - one_map = URI.parseQuery(one_query, this._parts.escapeQuerySpace); - two_map = URI.parseQuery(two_query, this._parts.escapeQuerySpace); - - for (key in one_map) { - if (hasOwn.call(one_map, key)) { - if (!isArray(one_map[key])) { - if (one_map[key] !== two_map[key]) { - return false; - } - } else if (!arraysEqual(one_map[key], two_map[key])) { - return false; - } - - checked[key] = true; - } - } - - for (key in two_map) { - if (hasOwn.call(two_map, key)) { - if (!checked[key]) { - // two contains a parameter not present in one - return false; - } - } - } - - return true; - }; - - // state - p.preventInvalidHostname = function(v) { - this._parts.preventInvalidHostname = !!v; - return this; - }; - - p.duplicateQueryParameters = function(v) { - this._parts.duplicateQueryParameters = !!v; - return this; - }; - - p.escapeQuerySpace = function(v) { - this._parts.escapeQuerySpace = !!v; - return this; - }; - - return URI; -})); - - -/***/ }), -/* 130 */ -/***/ (function(module, exports) { - -module.exports = function(module) { - if (!module.webpackPolyfill) { - module.deprecate = function() {}; - module.paths = []; - // module.parent = undefined by default - if (!module.children) module.children = []; - Object.defineProperty(module, "loaded", { - enumerable: true, - get: function() { - return module.l; - } - }); - Object.defineProperty(module, "id", { - enumerable: true, - get: function() { - return module.i; - } - }); - module.webpackPolyfill = 1; - } - return module; -}; - - -/***/ }), -/* 131 */ -/***/ (function(module, exports, __webpack_require__) { - - -exports = module.exports = __webpack_require__(132); -exports.json = __webpack_require__(43); -exports.form = __webpack_require__(47); -exports.text = __webpack_require__(49); - -/***/ }), -/* 132 */ -/***/ (function(module, exports, __webpack_require__) { - - -/** - * Module dependencies. - */ - -var typeis = __webpack_require__(13); -var json = __webpack_require__(43); -var form = __webpack_require__(47); -var text = __webpack_require__(49); - -var jsonTypes = ['json', 'application/*+json', 'application/csp-report']; -var formTypes = ['urlencoded']; -var textTypes = ['text']; - -/** - * Return a Promise which parses form and json requests - * depending on the Content-Type. - * - * Pass a node request or an object with `.req`, - * such as a koa Context. - * - * @param {Request} req - * @param {Options} [opts] - * @return {Function} - * @api public - */ - -module.exports = function(req, opts){ - req = req.req || req; - opts = opts || {}; - - // json - var jsonType = opts.jsonTypes || jsonTypes; - if (typeis(req, jsonType)) return json(req, opts); - - // form - var formType = opts.formTypes || formTypes; - if (typeis(req, formType)) return form(req, opts); - - // text - var textType = opts.textTypes || textTypes; - if (typeis(req, textType)) return text(req, opts); - - // invalid - var type = req.headers['content-type'] || ''; - var message = type ? 'Unsupported content-type: ' + type : 'Missing content-type'; - var err = new Error(message); - err.status = 415; - return Promise.reject(err); -}; - - -/***/ }), -/* 133 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * bytes - * Copyright(c) 2012-2014 TJ Holowaychuk - * Copyright(c) 2015 Jed Watson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = bytes; -module.exports.format = format; -module.exports.parse = parse; - -/** - * Module variables. - * @private - */ - -var formatThousandsRegExp = /\B(?=(\d{3})+(?!\d))/g; - -var formatDecimalsRegExp = /(?:\.0*|(\.[^0]+)0+)$/; - -var map = { - b: 1, - kb: 1 << 10, - mb: 1 << 20, - gb: 1 << 30, - tb: Math.pow(1024, 4), - pb: Math.pow(1024, 5), -}; - -var parseRegExp = /^((-|\+)?(\d+(?:\.\d+)?)) *(kb|mb|gb|tb|pb)$/i; - -/** - * Convert the given value in bytes into a string or parse to string to an integer in bytes. - * - * @param {string|number} value - * @param {{ - * case: [string], - * decimalPlaces: [number] - * fixedDecimals: [boolean] - * thousandsSeparator: [string] - * unitSeparator: [string] - * }} [options] bytes options. - * - * @returns {string|number|null} - */ - -function bytes(value, options) { - if (typeof value === 'string') { - return parse(value); - } - - if (typeof value === 'number') { - return format(value, options); - } - - return null; -} - -/** - * Format the given value in bytes into a string. - * - * If the value is negative, it is kept as such. If it is a float, - * it is rounded. - * - * @param {number} value - * @param {object} [options] - * @param {number} [options.decimalPlaces=2] - * @param {number} [options.fixedDecimals=false] - * @param {string} [options.thousandsSeparator=] - * @param {string} [options.unit=] - * @param {string} [options.unitSeparator=] - * - * @returns {string|null} - * @public - */ - -function format(value, options) { - if (!Number.isFinite(value)) { - return null; - } - - var mag = Math.abs(value); - var thousandsSeparator = (options && options.thousandsSeparator) || ''; - var unitSeparator = (options && options.unitSeparator) || ''; - var decimalPlaces = (options && options.decimalPlaces !== undefined) ? options.decimalPlaces : 2; - var fixedDecimals = Boolean(options && options.fixedDecimals); - var unit = (options && options.unit) || ''; - - if (!unit || !map[unit.toLowerCase()]) { - if (mag >= map.pb) { - unit = 'PB'; - } else if (mag >= map.tb) { - unit = 'TB'; - } else if (mag >= map.gb) { - unit = 'GB'; - } else if (mag >= map.mb) { - unit = 'MB'; - } else if (mag >= map.kb) { - unit = 'KB'; - } else { - unit = 'B'; - } - } - - var val = value / map[unit.toLowerCase()]; - var str = val.toFixed(decimalPlaces); - - if (!fixedDecimals) { - str = str.replace(formatDecimalsRegExp, '$1'); - } - - if (thousandsSeparator) { - str = str.replace(formatThousandsRegExp, thousandsSeparator); - } - - return str + unitSeparator + unit; -} - -/** - * Parse the string value into an integer in bytes. - * - * If no unit is given, it is assumed the value is in bytes. - * - * @param {number|string} val - * - * @returns {number|null} - * @public - */ - -function parse(val) { - if (typeof val === 'number' && !isNaN(val)) { - return val; - } - - if (typeof val !== 'string') { - return null; - } - - // Test if the string passed is valid - var results = parseRegExp.exec(val); - var floatValue; - var unit = 'b'; - - if (!results) { - // Nothing could be extracted from the given string - floatValue = parseInt(val, 10); - unit = 'b' - } else { - // Retrieve the value and the unit - floatValue = parseFloat(results[1]); - unit = results[4].toLowerCase(); - } - - return Math.floor(map[unit] * floatValue); -} - - -/***/ }), -/* 134 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Some environments don't have global Buffer (e.g. React Native). -// Solution would be installing npm modules "buffer" and "stream" explicitly. -var Buffer = __webpack_require__(7).Buffer; - -var bomHandling = __webpack_require__(135), - iconv = module.exports; - -// All codecs and aliases are kept here, keyed by encoding name/alias. -// They are lazy loaded in `iconv.getCodec` from `encodings/index.js`. -iconv.encodings = null; - -// Characters emitted in case of error. -iconv.defaultCharUnicode = '�'; -iconv.defaultCharSingleByte = '?'; - -// Public API. -iconv.encode = function encode(str, encoding, options) { - str = "" + (str || ""); // Ensure string. - - var encoder = iconv.getEncoder(encoding, options); - - var res = encoder.write(str); - var trail = encoder.end(); - - return (trail && trail.length > 0) ? Buffer.concat([res, trail]) : res; -} - -iconv.decode = function decode(buf, encoding, options) { - if (typeof buf === 'string') { - if (!iconv.skipDecodeWarning) { - console.error('Iconv-lite warning: decode()-ing strings is deprecated. Refer to https://github.com/ashtuchkin/iconv-lite/wiki/Use-Buffers-when-decoding'); - iconv.skipDecodeWarning = true; - } - - buf = Buffer.from("" + (buf || ""), "binary"); // Ensure buffer. - } - - var decoder = iconv.getDecoder(encoding, options); - - var res = decoder.write(buf); - var trail = decoder.end(); - - return trail ? (res + trail) : res; -} - -iconv.encodingExists = function encodingExists(enc) { - try { - iconv.getCodec(enc); - return true; - } catch (e) { - return false; - } -} - -// Legacy aliases to convert functions -iconv.toEncoding = iconv.encode; -iconv.fromEncoding = iconv.decode; - -// Search for a codec in iconv.encodings. Cache codec data in iconv._codecDataCache. -iconv._codecDataCache = {}; -iconv.getCodec = function getCodec(encoding) { - if (!iconv.encodings) - iconv.encodings = __webpack_require__(136); // Lazy load all encoding definitions. - - // Canonicalize encoding name: strip all non-alphanumeric chars and appended year. - var enc = iconv._canonicalizeEncoding(encoding); - - // Traverse iconv.encodings to find actual codec. - var codecOptions = {}; - while (true) { - var codec = iconv._codecDataCache[enc]; - if (codec) - return codec; - - var codecDef = iconv.encodings[enc]; - - switch (typeof codecDef) { - case "string": // Direct alias to other encoding. - enc = codecDef; - break; - - case "object": // Alias with options. Can be layered. - for (var key in codecDef) - codecOptions[key] = codecDef[key]; - - if (!codecOptions.encodingName) - codecOptions.encodingName = enc; - - enc = codecDef.type; - break; - - case "function": // Codec itself. - if (!codecOptions.encodingName) - codecOptions.encodingName = enc; - - // The codec function must load all tables and return object with .encoder and .decoder methods. - // It'll be called only once (for each different options object). - codec = new codecDef(codecOptions, iconv); - - iconv._codecDataCache[codecOptions.encodingName] = codec; // Save it to be reused later. - return codec; - - default: - throw new Error("Encoding not recognized: '" + encoding + "' (searched as: '"+enc+"')"); - } - } -} - -iconv._canonicalizeEncoding = function(encoding) { - // Canonicalize encoding name: strip all non-alphanumeric chars and appended year. - return (''+encoding).toLowerCase().replace(/:\d{4}$|[^0-9a-z]/g, ""); -} - -iconv.getEncoder = function getEncoder(encoding, options) { - var codec = iconv.getCodec(encoding), - encoder = new codec.encoder(options, codec); - - if (codec.bomAware && options && options.addBOM) - encoder = new bomHandling.PrependBOM(encoder, options); - - return encoder; -} - -iconv.getDecoder = function getDecoder(encoding, options) { - var codec = iconv.getCodec(encoding), - decoder = new codec.decoder(options, codec); - - if (codec.bomAware && !(options && options.stripBOM === false)) - decoder = new bomHandling.StripBOM(decoder, options); - - return decoder; -} - - -// Load extensions in Node. All of them are omitted in Browserify build via 'browser' field in package.json. -var nodeVer = typeof process !== 'undefined' && process.versions && process.versions.node; -if (nodeVer) { - - // Load streaming support in Node v0.10+ - var nodeVerArr = nodeVer.split(".").map(Number); - if (nodeVerArr[0] > 0 || nodeVerArr[1] >= 10) { - __webpack_require__(150)(iconv); - } - - // Load Node primitive extensions. - __webpack_require__(151)(iconv); -} - -if (false) {} - - -/***/ }), -/* 135 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var BOMChar = '\uFEFF'; - -exports.PrependBOM = PrependBOMWrapper -function PrependBOMWrapper(encoder, options) { - this.encoder = encoder; - this.addBOM = true; -} - -PrependBOMWrapper.prototype.write = function(str) { - if (this.addBOM) { - str = BOMChar + str; - this.addBOM = false; - } - - return this.encoder.write(str); -} - -PrependBOMWrapper.prototype.end = function() { - return this.encoder.end(); -} - - -//------------------------------------------------------------------------------ - -exports.StripBOM = StripBOMWrapper; -function StripBOMWrapper(decoder, options) { - this.decoder = decoder; - this.pass = false; - this.options = options || {}; -} - -StripBOMWrapper.prototype.write = function(buf) { - var res = this.decoder.write(buf); - if (this.pass || !res) - return res; - - if (res[0] === BOMChar) { - res = res.slice(1); - if (typeof this.options.stripBOM === 'function') - this.options.stripBOM(); - } - - this.pass = true; - return res; -} - -StripBOMWrapper.prototype.end = function() { - return this.decoder.end(); -} - - - -/***/ }), -/* 136 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Update this array if you add/rename/remove files in this directory. -// We support Browserify by skipping automatic module discovery and requiring modules directly. -var modules = [ - __webpack_require__(137), - __webpack_require__(138), - __webpack_require__(139), - __webpack_require__(140), - __webpack_require__(141), - __webpack_require__(142), - __webpack_require__(143), - __webpack_require__(144), -]; - -// Put all encoding/alias/codec definitions to single object and export it. -for (var i = 0; i < modules.length; i++) { - var module = modules[i]; - for (var enc in module) - if (Object.prototype.hasOwnProperty.call(module, enc)) - exports[enc] = module[enc]; -} - - -/***/ }), -/* 137 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -var Buffer = __webpack_require__(7).Buffer; - -// Export Node.js internal encodings. - -module.exports = { - // Encodings - utf8: { type: "_internal", bomAware: true}, - cesu8: { type: "_internal", bomAware: true}, - unicode11utf8: "utf8", - - ucs2: { type: "_internal", bomAware: true}, - utf16le: "ucs2", - - binary: { type: "_internal" }, - base64: { type: "_internal" }, - hex: { type: "_internal" }, - - // Codec. - _internal: InternalCodec, -}; - -//------------------------------------------------------------------------------ - -function InternalCodec(codecOptions, iconv) { - this.enc = codecOptions.encodingName; - this.bomAware = codecOptions.bomAware; - - if (this.enc === "base64") - this.encoder = InternalEncoderBase64; - else if (this.enc === "cesu8") { - this.enc = "utf8"; // Use utf8 for decoding. - this.encoder = InternalEncoderCesu8; - - // Add decoder for versions of Node not supporting CESU-8 - if (Buffer.from('eda0bdedb2a9', 'hex').toString() !== '💩') { - this.decoder = InternalDecoderCesu8; - this.defaultCharUnicode = iconv.defaultCharUnicode; - } - } -} - -InternalCodec.prototype.encoder = InternalEncoder; -InternalCodec.prototype.decoder = InternalDecoder; - -//------------------------------------------------------------------------------ - -// We use node.js internal decoder. Its signature is the same as ours. -var StringDecoder = __webpack_require__(44).StringDecoder; - -if (!StringDecoder.prototype.end) // Node v0.8 doesn't have this method. - StringDecoder.prototype.end = function() {}; - - -function InternalDecoder(options, codec) { - StringDecoder.call(this, codec.enc); -} - -InternalDecoder.prototype = StringDecoder.prototype; - - -//------------------------------------------------------------------------------ -// Encoder is mostly trivial - -function InternalEncoder(options, codec) { - this.enc = codec.enc; -} - -InternalEncoder.prototype.write = function(str) { - return Buffer.from(str, this.enc); -} - -InternalEncoder.prototype.end = function() { -} - - -//------------------------------------------------------------------------------ -// Except base64 encoder, which must keep its state. - -function InternalEncoderBase64(options, codec) { - this.prevStr = ''; -} - -InternalEncoderBase64.prototype.write = function(str) { - str = this.prevStr + str; - var completeQuads = str.length - (str.length % 4); - this.prevStr = str.slice(completeQuads); - str = str.slice(0, completeQuads); - - return Buffer.from(str, "base64"); -} - -InternalEncoderBase64.prototype.end = function() { - return Buffer.from(this.prevStr, "base64"); -} - - -//------------------------------------------------------------------------------ -// CESU-8 encoder is also special. - -function InternalEncoderCesu8(options, codec) { -} - -InternalEncoderCesu8.prototype.write = function(str) { - var buf = Buffer.alloc(str.length * 3), bufIdx = 0; - for (var i = 0; i < str.length; i++) { - var charCode = str.charCodeAt(i); - // Naive implementation, but it works because CESU-8 is especially easy - // to convert from UTF-16 (which all JS strings are encoded in). - if (charCode < 0x80) - buf[bufIdx++] = charCode; - else if (charCode < 0x800) { - buf[bufIdx++] = 0xC0 + (charCode >>> 6); - buf[bufIdx++] = 0x80 + (charCode & 0x3f); - } - else { // charCode will always be < 0x10000 in javascript. - buf[bufIdx++] = 0xE0 + (charCode >>> 12); - buf[bufIdx++] = 0x80 + ((charCode >>> 6) & 0x3f); - buf[bufIdx++] = 0x80 + (charCode & 0x3f); - } - } - return buf.slice(0, bufIdx); -} - -InternalEncoderCesu8.prototype.end = function() { -} - -//------------------------------------------------------------------------------ -// CESU-8 decoder is not implemented in Node v4.0+ - -function InternalDecoderCesu8(options, codec) { - this.acc = 0; - this.contBytes = 0; - this.accBytes = 0; - this.defaultCharUnicode = codec.defaultCharUnicode; -} - -InternalDecoderCesu8.prototype.write = function(buf) { - var acc = this.acc, contBytes = this.contBytes, accBytes = this.accBytes, - res = ''; - for (var i = 0; i < buf.length; i++) { - var curByte = buf[i]; - if ((curByte & 0xC0) !== 0x80) { // Leading byte - if (contBytes > 0) { // Previous code is invalid - res += this.defaultCharUnicode; - contBytes = 0; - } - - if (curByte < 0x80) { // Single-byte code - res += String.fromCharCode(curByte); - } else if (curByte < 0xE0) { // Two-byte code - acc = curByte & 0x1F; - contBytes = 1; accBytes = 1; - } else if (curByte < 0xF0) { // Three-byte code - acc = curByte & 0x0F; - contBytes = 2; accBytes = 1; - } else { // Four or more are not supported for CESU-8. - res += this.defaultCharUnicode; - } - } else { // Continuation byte - if (contBytes > 0) { // We're waiting for it. - acc = (acc << 6) | (curByte & 0x3f); - contBytes--; accBytes++; - if (contBytes === 0) { - // Check for overlong encoding, but support Modified UTF-8 (encoding NULL as C0 80) - if (accBytes === 2 && acc < 0x80 && acc > 0) - res += this.defaultCharUnicode; - else if (accBytes === 3 && acc < 0x800) - res += this.defaultCharUnicode; - else - // Actually add character. - res += String.fromCharCode(acc); - } - } else { // Unexpected continuation byte - res += this.defaultCharUnicode; - } - } - } - this.acc = acc; this.contBytes = contBytes; this.accBytes = accBytes; - return res; -} - -InternalDecoderCesu8.prototype.end = function() { - var res = 0; - if (this.contBytes > 0) - res += this.defaultCharUnicode; - return res; -} - - -/***/ }), -/* 138 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -var Buffer = __webpack_require__(7).Buffer; - -// Note: UTF16-LE (or UCS2) codec is Node.js native. See encodings/internal.js - -// == UTF16-BE codec. ========================================================== - -exports.utf16be = Utf16BECodec; -function Utf16BECodec() { -} - -Utf16BECodec.prototype.encoder = Utf16BEEncoder; -Utf16BECodec.prototype.decoder = Utf16BEDecoder; -Utf16BECodec.prototype.bomAware = true; - - -// -- Encoding - -function Utf16BEEncoder() { -} - -Utf16BEEncoder.prototype.write = function(str) { - var buf = Buffer.from(str, 'ucs2'); - for (var i = 0; i < buf.length; i += 2) { - var tmp = buf[i]; buf[i] = buf[i+1]; buf[i+1] = tmp; - } - return buf; -} - -Utf16BEEncoder.prototype.end = function() { -} - - -// -- Decoding - -function Utf16BEDecoder() { - this.overflowByte = -1; -} - -Utf16BEDecoder.prototype.write = function(buf) { - if (buf.length == 0) - return ''; - - var buf2 = Buffer.alloc(buf.length + 1), - i = 0, j = 0; - - if (this.overflowByte !== -1) { - buf2[0] = buf[0]; - buf2[1] = this.overflowByte; - i = 1; j = 2; - } - - for (; i < buf.length-1; i += 2, j+= 2) { - buf2[j] = buf[i+1]; - buf2[j+1] = buf[i]; - } - - this.overflowByte = (i == buf.length-1) ? buf[buf.length-1] : -1; - - return buf2.slice(0, j).toString('ucs2'); -} - -Utf16BEDecoder.prototype.end = function() { -} - - -// == UTF-16 codec ============================================================= -// Decoder chooses automatically from UTF-16LE and UTF-16BE using BOM and space-based heuristic. -// Defaults to UTF-16LE, as it's prevalent and default in Node. -// http://en.wikipedia.org/wiki/UTF-16 and http://encoding.spec.whatwg.org/#utf-16le -// Decoder default can be changed: iconv.decode(buf, 'utf16', {defaultEncoding: 'utf-16be'}); - -// Encoder uses UTF-16LE and prepends BOM (which can be overridden with addBOM: false). - -exports.utf16 = Utf16Codec; -function Utf16Codec(codecOptions, iconv) { - this.iconv = iconv; -} - -Utf16Codec.prototype.encoder = Utf16Encoder; -Utf16Codec.prototype.decoder = Utf16Decoder; - - -// -- Encoding (pass-through) - -function Utf16Encoder(options, codec) { - options = options || {}; - if (options.addBOM === undefined) - options.addBOM = true; - this.encoder = codec.iconv.getEncoder('utf-16le', options); -} - -Utf16Encoder.prototype.write = function(str) { - return this.encoder.write(str); -} - -Utf16Encoder.prototype.end = function() { - return this.encoder.end(); -} - - -// -- Decoding - -function Utf16Decoder(options, codec) { - this.decoder = null; - this.initialBytes = []; - this.initialBytesLen = 0; - - this.options = options || {}; - this.iconv = codec.iconv; -} - -Utf16Decoder.prototype.write = function(buf) { - if (!this.decoder) { - // Codec is not chosen yet. Accumulate initial bytes. - this.initialBytes.push(buf); - this.initialBytesLen += buf.length; - - if (this.initialBytesLen < 16) // We need more bytes to use space heuristic (see below) - return ''; - - // We have enough bytes -> detect endianness. - var buf = Buffer.concat(this.initialBytes), - encoding = detectEncoding(buf, this.options.defaultEncoding); - this.decoder = this.iconv.getDecoder(encoding, this.options); - this.initialBytes.length = this.initialBytesLen = 0; - } - - return this.decoder.write(buf); -} - -Utf16Decoder.prototype.end = function() { - if (!this.decoder) { - var buf = Buffer.concat(this.initialBytes), - encoding = detectEncoding(buf, this.options.defaultEncoding); - this.decoder = this.iconv.getDecoder(encoding, this.options); - - var res = this.decoder.write(buf), - trail = this.decoder.end(); - - return trail ? (res + trail) : res; - } - return this.decoder.end(); -} - -function detectEncoding(buf, defaultEncoding) { - var enc = defaultEncoding || 'utf-16le'; - - if (buf.length >= 2) { - // Check BOM. - if (buf[0] == 0xFE && buf[1] == 0xFF) // UTF-16BE BOM - enc = 'utf-16be'; - else if (buf[0] == 0xFF && buf[1] == 0xFE) // UTF-16LE BOM - enc = 'utf-16le'; - else { - // No BOM found. Try to deduce encoding from initial content. - // Most of the time, the content has ASCII chars (U+00**), but the opposite (U+**00) is uncommon. - // So, we count ASCII as if it was LE or BE, and decide from that. - var asciiCharsLE = 0, asciiCharsBE = 0, // Counts of chars in both positions - _len = Math.min(buf.length - (buf.length % 2), 64); // Len is always even. - - for (var i = 0; i < _len; i += 2) { - if (buf[i] === 0 && buf[i+1] !== 0) asciiCharsBE++; - if (buf[i] !== 0 && buf[i+1] === 0) asciiCharsLE++; - } - - if (asciiCharsBE > asciiCharsLE) - enc = 'utf-16be'; - else if (asciiCharsBE < asciiCharsLE) - enc = 'utf-16le'; - } - } - - return enc; -} - - - - -/***/ }), -/* 139 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -var Buffer = __webpack_require__(7).Buffer; - -// UTF-7 codec, according to https://tools.ietf.org/html/rfc2152 -// See also below a UTF-7-IMAP codec, according to http://tools.ietf.org/html/rfc3501#section-5.1.3 - -exports.utf7 = Utf7Codec; -exports.unicode11utf7 = 'utf7'; // Alias UNICODE-1-1-UTF-7 -function Utf7Codec(codecOptions, iconv) { - this.iconv = iconv; -}; - -Utf7Codec.prototype.encoder = Utf7Encoder; -Utf7Codec.prototype.decoder = Utf7Decoder; -Utf7Codec.prototype.bomAware = true; - - -// -- Encoding - -var nonDirectChars = /[^A-Za-z0-9'\(\),-\.\/:\? \n\r\t]+/g; - -function Utf7Encoder(options, codec) { - this.iconv = codec.iconv; -} - -Utf7Encoder.prototype.write = function(str) { - // Naive implementation. - // Non-direct chars are encoded as "+-"; single "+" char is encoded as "+-". - return Buffer.from(str.replace(nonDirectChars, function(chunk) { - return "+" + (chunk === '+' ? '' : - this.iconv.encode(chunk, 'utf16-be').toString('base64').replace(/=+$/, '')) - + "-"; - }.bind(this))); -} - -Utf7Encoder.prototype.end = function() { -} - - -// -- Decoding - -function Utf7Decoder(options, codec) { - this.iconv = codec.iconv; - this.inBase64 = false; - this.base64Accum = ''; -} - -var base64Regex = /[A-Za-z0-9\/+]/; -var base64Chars = []; -for (var i = 0; i < 256; i++) - base64Chars[i] = base64Regex.test(String.fromCharCode(i)); - -var plusChar = '+'.charCodeAt(0), - minusChar = '-'.charCodeAt(0), - andChar = '&'.charCodeAt(0); - -Utf7Decoder.prototype.write = function(buf) { - var res = "", lastI = 0, - inBase64 = this.inBase64, - base64Accum = this.base64Accum; - - // The decoder is more involved as we must handle chunks in stream. - - for (var i = 0; i < buf.length; i++) { - if (!inBase64) { // We're in direct mode. - // Write direct chars until '+' - if (buf[i] == plusChar) { - res += this.iconv.decode(buf.slice(lastI, i), "ascii"); // Write direct chars. - lastI = i+1; - inBase64 = true; - } - } else { // We decode base64. - if (!base64Chars[buf[i]]) { // Base64 ended. - if (i == lastI && buf[i] == minusChar) {// "+-" -> "+" - res += "+"; - } else { - var b64str = base64Accum + buf.slice(lastI, i).toString(); - res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); - } - - if (buf[i] != minusChar) // Minus is absorbed after base64. - i--; - - lastI = i+1; - inBase64 = false; - base64Accum = ''; - } - } - } - - if (!inBase64) { - res += this.iconv.decode(buf.slice(lastI), "ascii"); // Write direct chars. - } else { - var b64str = base64Accum + buf.slice(lastI).toString(); - - var canBeDecoded = b64str.length - (b64str.length % 8); // Minimal chunk: 2 quads -> 2x3 bytes -> 3 chars. - base64Accum = b64str.slice(canBeDecoded); // The rest will be decoded in future. - b64str = b64str.slice(0, canBeDecoded); - - res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); - } - - this.inBase64 = inBase64; - this.base64Accum = base64Accum; - - return res; -} - -Utf7Decoder.prototype.end = function() { - var res = ""; - if (this.inBase64 && this.base64Accum.length > 0) - res = this.iconv.decode(Buffer.from(this.base64Accum, 'base64'), "utf16-be"); - - this.inBase64 = false; - this.base64Accum = ''; - return res; -} - - -// UTF-7-IMAP codec. -// RFC3501 Sec. 5.1.3 Modified UTF-7 (http://tools.ietf.org/html/rfc3501#section-5.1.3) -// Differences: -// * Base64 part is started by "&" instead of "+" -// * Direct characters are 0x20-0x7E, except "&" (0x26) -// * In Base64, "," is used instead of "/" -// * Base64 must not be used to represent direct characters. -// * No implicit shift back from Base64 (should always end with '-') -// * String must end in non-shifted position. -// * "-&" while in base64 is not allowed. - - -exports.utf7imap = Utf7IMAPCodec; -function Utf7IMAPCodec(codecOptions, iconv) { - this.iconv = iconv; -}; - -Utf7IMAPCodec.prototype.encoder = Utf7IMAPEncoder; -Utf7IMAPCodec.prototype.decoder = Utf7IMAPDecoder; -Utf7IMAPCodec.prototype.bomAware = true; - - -// -- Encoding - -function Utf7IMAPEncoder(options, codec) { - this.iconv = codec.iconv; - this.inBase64 = false; - this.base64Accum = Buffer.alloc(6); - this.base64AccumIdx = 0; -} - -Utf7IMAPEncoder.prototype.write = function(str) { - var inBase64 = this.inBase64, - base64Accum = this.base64Accum, - base64AccumIdx = this.base64AccumIdx, - buf = Buffer.alloc(str.length*5 + 10), bufIdx = 0; - - for (var i = 0; i < str.length; i++) { - var uChar = str.charCodeAt(i); - if (0x20 <= uChar && uChar <= 0x7E) { // Direct character or '&'. - if (inBase64) { - if (base64AccumIdx > 0) { - bufIdx += buf.write(base64Accum.slice(0, base64AccumIdx).toString('base64').replace(/\//g, ',').replace(/=+$/, ''), bufIdx); - base64AccumIdx = 0; - } - - buf[bufIdx++] = minusChar; // Write '-', then go to direct mode. - inBase64 = false; - } - - if (!inBase64) { - buf[bufIdx++] = uChar; // Write direct character - - if (uChar === andChar) // Ampersand -> '&-' - buf[bufIdx++] = minusChar; - } - - } else { // Non-direct character - if (!inBase64) { - buf[bufIdx++] = andChar; // Write '&', then go to base64 mode. - inBase64 = true; - } - if (inBase64) { - base64Accum[base64AccumIdx++] = uChar >> 8; - base64Accum[base64AccumIdx++] = uChar & 0xFF; - - if (base64AccumIdx == base64Accum.length) { - bufIdx += buf.write(base64Accum.toString('base64').replace(/\//g, ','), bufIdx); - base64AccumIdx = 0; - } - } - } - } - - this.inBase64 = inBase64; - this.base64AccumIdx = base64AccumIdx; - - return buf.slice(0, bufIdx); -} - -Utf7IMAPEncoder.prototype.end = function() { - var buf = Buffer.alloc(10), bufIdx = 0; - if (this.inBase64) { - if (this.base64AccumIdx > 0) { - bufIdx += buf.write(this.base64Accum.slice(0, this.base64AccumIdx).toString('base64').replace(/\//g, ',').replace(/=+$/, ''), bufIdx); - this.base64AccumIdx = 0; - } - - buf[bufIdx++] = minusChar; // Write '-', then go to direct mode. - this.inBase64 = false; - } - - return buf.slice(0, bufIdx); -} - - -// -- Decoding - -function Utf7IMAPDecoder(options, codec) { - this.iconv = codec.iconv; - this.inBase64 = false; - this.base64Accum = ''; -} - -var base64IMAPChars = base64Chars.slice(); -base64IMAPChars[','.charCodeAt(0)] = true; - -Utf7IMAPDecoder.prototype.write = function(buf) { - var res = "", lastI = 0, - inBase64 = this.inBase64, - base64Accum = this.base64Accum; - - // The decoder is more involved as we must handle chunks in stream. - // It is forgiving, closer to standard UTF-7 (for example, '-' is optional at the end). - - for (var i = 0; i < buf.length; i++) { - if (!inBase64) { // We're in direct mode. - // Write direct chars until '&' - if (buf[i] == andChar) { - res += this.iconv.decode(buf.slice(lastI, i), "ascii"); // Write direct chars. - lastI = i+1; - inBase64 = true; - } - } else { // We decode base64. - if (!base64IMAPChars[buf[i]]) { // Base64 ended. - if (i == lastI && buf[i] == minusChar) { // "&-" -> "&" - res += "&"; - } else { - var b64str = base64Accum + buf.slice(lastI, i).toString().replace(/,/g, '/'); - res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); - } - - if (buf[i] != minusChar) // Minus may be absorbed after base64. - i--; - - lastI = i+1; - inBase64 = false; - base64Accum = ''; - } - } - } - - if (!inBase64) { - res += this.iconv.decode(buf.slice(lastI), "ascii"); // Write direct chars. - } else { - var b64str = base64Accum + buf.slice(lastI).toString().replace(/,/g, '/'); - - var canBeDecoded = b64str.length - (b64str.length % 8); // Minimal chunk: 2 quads -> 2x3 bytes -> 3 chars. - base64Accum = b64str.slice(canBeDecoded); // The rest will be decoded in future. - b64str = b64str.slice(0, canBeDecoded); - - res += this.iconv.decode(Buffer.from(b64str, 'base64'), "utf16-be"); - } - - this.inBase64 = inBase64; - this.base64Accum = base64Accum; - - return res; -} - -Utf7IMAPDecoder.prototype.end = function() { - var res = ""; - if (this.inBase64 && this.base64Accum.length > 0) - res = this.iconv.decode(Buffer.from(this.base64Accum, 'base64'), "utf16-be"); - - this.inBase64 = false; - this.base64Accum = ''; - return res; -} - - - - -/***/ }), -/* 140 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -var Buffer = __webpack_require__(7).Buffer; - -// Single-byte codec. Needs a 'chars' string parameter that contains 256 or 128 chars that -// correspond to encoded bytes (if 128 - then lower half is ASCII). - -exports._sbcs = SBCSCodec; -function SBCSCodec(codecOptions, iconv) { - if (!codecOptions) - throw new Error("SBCS codec is called without the data.") - - // Prepare char buffer for decoding. - if (!codecOptions.chars || (codecOptions.chars.length !== 128 && codecOptions.chars.length !== 256)) - throw new Error("Encoding '"+codecOptions.type+"' has incorrect 'chars' (must be of len 128 or 256)"); - - if (codecOptions.chars.length === 128) { - var asciiString = ""; - for (var i = 0; i < 128; i++) - asciiString += String.fromCharCode(i); - codecOptions.chars = asciiString + codecOptions.chars; - } - - this.decodeBuf = Buffer.from(codecOptions.chars, 'ucs2'); - - // Encoding buffer. - var encodeBuf = Buffer.alloc(65536, iconv.defaultCharSingleByte.charCodeAt(0)); - - for (var i = 0; i < codecOptions.chars.length; i++) - encodeBuf[codecOptions.chars.charCodeAt(i)] = i; - - this.encodeBuf = encodeBuf; -} - -SBCSCodec.prototype.encoder = SBCSEncoder; -SBCSCodec.prototype.decoder = SBCSDecoder; - - -function SBCSEncoder(options, codec) { - this.encodeBuf = codec.encodeBuf; -} - -SBCSEncoder.prototype.write = function(str) { - var buf = Buffer.alloc(str.length); - for (var i = 0; i < str.length; i++) - buf[i] = this.encodeBuf[str.charCodeAt(i)]; - - return buf; -} - -SBCSEncoder.prototype.end = function() { -} - - -function SBCSDecoder(options, codec) { - this.decodeBuf = codec.decodeBuf; -} - -SBCSDecoder.prototype.write = function(buf) { - // Strings are immutable in JS -> we use ucs2 buffer to speed up computations. - var decodeBuf = this.decodeBuf; - var newBuf = Buffer.alloc(buf.length*2); - var idx1 = 0, idx2 = 0; - for (var i = 0; i < buf.length; i++) { - idx1 = buf[i]*2; idx2 = i*2; - newBuf[idx2] = decodeBuf[idx1]; - newBuf[idx2+1] = decodeBuf[idx1+1]; - } - return newBuf.toString('ucs2'); -} - -SBCSDecoder.prototype.end = function() { -} - - -/***/ }), -/* 141 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Manually added data to be used by sbcs codec in addition to generated one. - -module.exports = { - // Not supported by iconv, not sure why. - "10029": "maccenteuro", - "maccenteuro": { - "type": "_sbcs", - "chars": "ÄĀāÉĄÖÜáąČäčĆć鏟ĎíďĒēĖóėôöõúĚěü†°Ę£§•¶ß®©™ę¨≠ģĮįĪ≤≥īĶ∂∑łĻļĽľĹĺŅņѬ√ńŇ∆«»… ňŐÕőŌ–—“”‘’÷◊ōŔŕŘ‹›řŖŗŠ‚„šŚśÁŤťÍŽžŪÓÔūŮÚůŰűŲųÝýķŻŁżĢˇ" - }, - - "808": "cp808", - "ibm808": "cp808", - "cp808": { - "type": "_sbcs", - "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмноп░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀рстуфхцчшщъыьэюяЁёЄєЇїЎў°∙·√№€■ " - }, - - "mik": { - "type": "_sbcs", - "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя└┴┬├─┼╣║╚╔╩╦╠═╬┐░▒▓│┤№§╗╝┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - - // Aliases of generated encodings. - "ascii8bit": "ascii", - "usascii": "ascii", - "ansix34": "ascii", - "ansix341968": "ascii", - "ansix341986": "ascii", - "csascii": "ascii", - "cp367": "ascii", - "ibm367": "ascii", - "isoir6": "ascii", - "iso646us": "ascii", - "iso646irv": "ascii", - "us": "ascii", - - "latin1": "iso88591", - "latin2": "iso88592", - "latin3": "iso88593", - "latin4": "iso88594", - "latin5": "iso88599", - "latin6": "iso885910", - "latin7": "iso885913", - "latin8": "iso885914", - "latin9": "iso885915", - "latin10": "iso885916", - - "csisolatin1": "iso88591", - "csisolatin2": "iso88592", - "csisolatin3": "iso88593", - "csisolatin4": "iso88594", - "csisolatincyrillic": "iso88595", - "csisolatinarabic": "iso88596", - "csisolatingreek" : "iso88597", - "csisolatinhebrew": "iso88598", - "csisolatin5": "iso88599", - "csisolatin6": "iso885910", - - "l1": "iso88591", - "l2": "iso88592", - "l3": "iso88593", - "l4": "iso88594", - "l5": "iso88599", - "l6": "iso885910", - "l7": "iso885913", - "l8": "iso885914", - "l9": "iso885915", - "l10": "iso885916", - - "isoir14": "iso646jp", - "isoir57": "iso646cn", - "isoir100": "iso88591", - "isoir101": "iso88592", - "isoir109": "iso88593", - "isoir110": "iso88594", - "isoir144": "iso88595", - "isoir127": "iso88596", - "isoir126": "iso88597", - "isoir138": "iso88598", - "isoir148": "iso88599", - "isoir157": "iso885910", - "isoir166": "tis620", - "isoir179": "iso885913", - "isoir199": "iso885914", - "isoir203": "iso885915", - "isoir226": "iso885916", - - "cp819": "iso88591", - "ibm819": "iso88591", - - "cyrillic": "iso88595", - - "arabic": "iso88596", - "arabic8": "iso88596", - "ecma114": "iso88596", - "asmo708": "iso88596", - - "greek" : "iso88597", - "greek8" : "iso88597", - "ecma118" : "iso88597", - "elot928" : "iso88597", - - "hebrew": "iso88598", - "hebrew8": "iso88598", - - "turkish": "iso88599", - "turkish8": "iso88599", - - "thai": "iso885911", - "thai8": "iso885911", - - "celtic": "iso885914", - "celtic8": "iso885914", - "isoceltic": "iso885914", - - "tis6200": "tis620", - "tis62025291": "tis620", - "tis62025330": "tis620", - - "10000": "macroman", - "10006": "macgreek", - "10007": "maccyrillic", - "10079": "maciceland", - "10081": "macturkish", - - "cspc8codepage437": "cp437", - "cspc775baltic": "cp775", - "cspc850multilingual": "cp850", - "cspcp852": "cp852", - "cspc862latinhebrew": "cp862", - "cpgr": "cp869", - - "msee": "cp1250", - "mscyrl": "cp1251", - "msansi": "cp1252", - "msgreek": "cp1253", - "msturk": "cp1254", - "mshebr": "cp1255", - "msarab": "cp1256", - "winbaltrim": "cp1257", - - "cp20866": "koi8r", - "20866": "koi8r", - "ibm878": "koi8r", - "cskoi8r": "koi8r", - - "cp21866": "koi8u", - "21866": "koi8u", - "ibm1168": "koi8u", - - "strk10482002": "rk1048", - - "tcvn5712": "tcvn", - "tcvn57121": "tcvn", - - "gb198880": "iso646cn", - "cn": "iso646cn", - - "csiso14jisc6220ro": "iso646jp", - "jisc62201969ro": "iso646jp", - "jp": "iso646jp", - - "cshproman8": "hproman8", - "r8": "hproman8", - "roman8": "hproman8", - "xroman8": "hproman8", - "ibm1051": "hproman8", - - "mac": "macintosh", - "csmacintosh": "macintosh", -}; - - - -/***/ }), -/* 142 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Generated data for sbcs codec. Don't edit manually. Regenerate using generation/gen-sbcs.js script. -module.exports = { - "437": "cp437", - "737": "cp737", - "775": "cp775", - "850": "cp850", - "852": "cp852", - "855": "cp855", - "856": "cp856", - "857": "cp857", - "858": "cp858", - "860": "cp860", - "861": "cp861", - "862": "cp862", - "863": "cp863", - "864": "cp864", - "865": "cp865", - "866": "cp866", - "869": "cp869", - "874": "windows874", - "922": "cp922", - "1046": "cp1046", - "1124": "cp1124", - "1125": "cp1125", - "1129": "cp1129", - "1133": "cp1133", - "1161": "cp1161", - "1162": "cp1162", - "1163": "cp1163", - "1250": "windows1250", - "1251": "windows1251", - "1252": "windows1252", - "1253": "windows1253", - "1254": "windows1254", - "1255": "windows1255", - "1256": "windows1256", - "1257": "windows1257", - "1258": "windows1258", - "28591": "iso88591", - "28592": "iso88592", - "28593": "iso88593", - "28594": "iso88594", - "28595": "iso88595", - "28596": "iso88596", - "28597": "iso88597", - "28598": "iso88598", - "28599": "iso88599", - "28600": "iso885910", - "28601": "iso885911", - "28603": "iso885913", - "28604": "iso885914", - "28605": "iso885915", - "28606": "iso885916", - "windows874": { - "type": "_sbcs", - "chars": "€����…�����������‘’“”•–—�������� กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" - }, - "win874": "windows874", - "cp874": "windows874", - "windows1250": { - "type": "_sbcs", - "chars": "€�‚�„…†‡�‰Š‹ŚŤŽŹ�‘’“”•–—�™š›śťžź ˇ˘Ł¤Ą¦§¨©Ş«¬­®Ż°±˛ł´µ¶·¸ąş»Ľ˝ľżŔÁÂĂÄĹĆÇČÉĘËĚÍÎĎĐŃŇÓÔŐÖ×ŘŮÚŰÜÝŢßŕáâăäĺćçčéęëěíîďđńňóôőö÷řůúűüýţ˙" - }, - "win1250": "windows1250", - "cp1250": "windows1250", - "windows1251": { - "type": "_sbcs", - "chars": "ЂЃ‚ѓ„…†‡€‰Љ‹ЊЌЋЏђ‘’“”•–—�™љ›њќћџ ЎўЈ¤Ґ¦§Ё©Є«¬­®Ї°±Ііґµ¶·ё№є»јЅѕїАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя" - }, - "win1251": "windows1251", - "cp1251": "windows1251", - "windows1252": { - "type": "_sbcs", - "chars": "€�‚ƒ„…†‡ˆ‰Š‹Œ�Ž��‘’“”•–—˜™š›œ�žŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝÞßàáâãäåæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" - }, - "win1252": "windows1252", - "cp1252": "windows1252", - "windows1253": { - "type": "_sbcs", - "chars": "€�‚ƒ„…†‡�‰�‹�����‘’“”•–—�™�›���� ΅Ά£¤¥¦§¨©�«¬­®―°±²³΄µ¶·ΈΉΊ»Ό½ΎΏΐΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡ�ΣΤΥΦΧΨΩΪΫάέήίΰαβγδεζηθικλμνξοπρςστυφχψωϊϋόύώ�" - }, - "win1253": "windows1253", - "cp1253": "windows1253", - "windows1254": { - "type": "_sbcs", - "chars": "€�‚ƒ„…†‡ˆ‰Š‹Œ����‘’“”•–—˜™š›œ��Ÿ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏĞÑÒÓÔÕÖ×ØÙÚÛÜİŞßàáâãäåæçèéêëìíîïğñòóôõö÷øùúûüışÿ" - }, - "win1254": "windows1254", - "cp1254": "windows1254", - "windows1255": { - "type": "_sbcs", - "chars": "€�‚ƒ„…†‡ˆ‰�‹�����‘’“”•–—˜™�›���� ¡¢£₪¥¦§¨©×«¬­®¯°±²³´µ¶·¸¹÷»¼½¾¿ְֱֲֳִֵֶַָֹֺֻּֽ־ֿ׀ׁׂ׃װױײ׳״�������אבגדהוזחטיךכלםמןנסעףפץצקרשת��‎‏�" - }, - "win1255": "windows1255", - "cp1255": "windows1255", - "windows1256": { - "type": "_sbcs", - "chars": "€پ‚ƒ„…†‡ˆ‰ٹ‹Œچژڈگ‘’“”•–—ک™ڑ›œ‌‍ں ،¢£¤¥¦§¨©ھ«¬­®¯°±²³´µ¶·¸¹؛»¼½¾؟ہءآأؤإئابةتثجحخدذرزسشصض×طظعغـفقكàلâمنهوçèéêëىيîïًٌٍَôُِ÷ّùْûü‎‏ے" - }, - "win1256": "windows1256", - "cp1256": "windows1256", - "windows1257": { - "type": "_sbcs", - "chars": "€�‚�„…†‡�‰�‹�¨ˇ¸�‘’“”•–—�™�›�¯˛� �¢£¤�¦§Ø©Ŗ«¬­®Æ°±²³´µ¶·ø¹ŗ»¼½¾æĄĮĀĆÄÅĘĒČÉŹĖĢĶĪĻŠŃŅÓŌÕÖ×ŲŁŚŪÜŻŽßąįāćäåęēčéźėģķīļšńņóōõö÷ųłśūüżž˙" - }, - "win1257": "windows1257", - "cp1257": "windows1257", - "windows1258": { - "type": "_sbcs", - "chars": "€�‚ƒ„…†‡ˆ‰�‹Œ����‘’“”•–—˜™�›œ��Ÿ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂĂÄÅÆÇÈÉÊË̀ÍÎÏĐÑ̉ÓÔƠÖ×ØÙÚÛÜỮßàáâăäåæçèéêë́íîïđṇ̃óôơö÷øùúûüư₫ÿ" - }, - "win1258": "windows1258", - "cp1258": "windows1258", - "iso88591": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝÞßàáâãäåæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" - }, - "cp28591": "iso88591", - "iso88592": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ Ą˘Ł¤ĽŚ§¨ŠŞŤŹ­ŽŻ°ą˛ł´ľśˇ¸šşťź˝žżŔÁÂĂÄĹĆÇČÉĘËĚÍÎĎĐŃŇÓÔŐÖ×ŘŮÚŰÜÝŢßŕáâăäĺćçčéęëěíîďđńňóôőö÷řůúűüýţ˙" - }, - "cp28592": "iso88592", - "iso88593": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ Ħ˘£¤�Ĥ§¨İŞĞĴ­�Ż°ħ²³´µĥ·¸ışğĵ½�żÀÁÂ�ÄĊĈÇÈÉÊËÌÍÎÏ�ÑÒÓÔĠÖ×ĜÙÚÛÜŬŜßàáâ�äċĉçèéêëìíîï�ñòóôġö÷ĝùúûüŭŝ˙" - }, - "cp28593": "iso88593", - "iso88594": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ĄĸŖ¤ĨĻ§¨ŠĒĢŦ­Ž¯°ą˛ŗ´ĩļˇ¸šēģŧŊžŋĀÁÂÃÄÅÆĮČÉĘËĖÍÎĪĐŅŌĶÔÕÖ×ØŲÚÛÜŨŪßāáâãäåæįčéęëėíîīđņōķôõö÷øųúûüũū˙" - }, - "cp28594": "iso88594", - "iso88595": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ЁЂЃЄЅІЇЈЉЊЋЌ­ЎЏАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя№ёђѓєѕіїјљњћќ§ўџ" - }, - "cp28595": "iso88595", - "iso88596": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ���¤�������،­�������������؛���؟�ءآأؤإئابةتثجحخدذرزسشصضطظعغ�����ـفقكلمنهوىيًٌٍَُِّْ�������������" - }, - "cp28596": "iso88596", - "iso88597": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ‘’£€₯¦§¨©ͺ«¬­�―°±²³΄΅Ά·ΈΉΊ»Ό½ΎΏΐΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡ�ΣΤΥΦΧΨΩΪΫάέήίΰαβγδεζηθικλμνξοπρςστυφχψωϊϋόύώ�" - }, - "cp28597": "iso88597", - "iso88598": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ �¢£¤¥¦§¨©×«¬­®¯°±²³´µ¶·¸¹÷»¼½¾��������������������������������‗אבגדהוזחטיךכלםמןנסעףפץצקרשת��‎‏�" - }, - "cp28598": "iso88598", - "iso88599": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏĞÑÒÓÔÕÖ×ØÙÚÛÜİŞßàáâãäåæçèéêëìíîïğñòóôõö÷øùúûüışÿ" - }, - "cp28599": "iso88599", - "iso885910": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ĄĒĢĪĨĶ§ĻĐŠŦŽ­ŪŊ°ąēģīĩķ·ļđšŧž―ūŋĀÁÂÃÄÅÆĮČÉĘËĖÍÎÏÐŅŌÓÔÕÖŨØŲÚÛÜÝÞßāáâãäåæįčéęëėíîïðņōóôõöũøųúûüýþĸ" - }, - "cp28600": "iso885910", - "iso885911": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" - }, - "cp28601": "iso885911", - "iso885913": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ”¢£¤„¦§Ø©Ŗ«¬­®Æ°±²³“µ¶·ø¹ŗ»¼½¾æĄĮĀĆÄÅĘĒČÉŹĖĢĶĪĻŠŃŅÓŌÕÖ×ŲŁŚŪÜŻŽßąįāćäåęēčéźėģķīļšńņóōõö÷ųłśūüżž’" - }, - "cp28603": "iso885913", - "iso885914": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ Ḃḃ£ĊċḊ§Ẁ©ẂḋỲ­®ŸḞḟĠġṀṁ¶ṖẁṗẃṠỳẄẅṡÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏŴÑÒÓÔÕÖṪØÙÚÛÜÝŶßàáâãäåæçèéêëìíîïŵñòóôõöṫøùúûüýŷÿ" - }, - "cp28604": "iso885914", - "iso885915": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£€¥Š§š©ª«¬­®¯°±²³Žµ¶·ž¹º»ŒœŸ¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖ×ØÙÚÛÜÝÞßàáâãäåæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" - }, - "cp28605": "iso885915", - "iso885916": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ĄąŁ€„Š§š©Ș«Ź­źŻ°±ČłŽ”¶·žčș»ŒœŸżÀÁÂĂÄĆÆÇÈÉÊËÌÍÎÏĐŃÒÓÔŐÖŚŰÙÚÛÜĘȚßàáâăäćæçèéêëìíîïđńòóôőöśűùúûüęțÿ" - }, - "cp28606": "iso885916", - "cp437": { - "type": "_sbcs", - "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜ¢£¥₧ƒáíóúñѪº¿⌐¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - "ibm437": "cp437", - "csibm437": "cp437", - "cp737": { - "type": "_sbcs", - "chars": "ΑΒΓΔΕΖΗΘΙΚΛΜΝΞΟΠΡΣΤΥΦΧΨΩαβγδεζηθικλμνξοπρσςτυφχψ░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀ωάέήϊίόύϋώΆΈΉΊΌΎΏ±≥≤ΪΫ÷≈°∙·√ⁿ²■ " - }, - "ibm737": "cp737", - "csibm737": "cp737", - "cp775": { - "type": "_sbcs", - "chars": "ĆüéāäģåćłēŖŗīŹÄÅÉæÆōöĢ¢ŚśÖÜø£ØפĀĪóŻżź”¦©®¬½¼Ł«»░▒▓│┤ĄČĘĖ╣║╗╝ĮŠ┐└┴┬├─┼ŲŪ╚╔╩╦╠═╬Žąčęėįšųūž┘┌█▄▌▐▀ÓßŌŃõÕµńĶķĻļņĒŅ’­±“¾¶§÷„°∙·¹³²■ " - }, - "ibm775": "cp775", - "csibm775": "cp775", - "cp850": { - "type": "_sbcs", - "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜø£Ø׃áíóúñѪº¿®¬½¼¡«»░▒▓│┤ÁÂÀ©╣║╗╝¢¥┐└┴┬├─┼ãÃ╚╔╩╦╠═╬¤ðÐÊËÈıÍÎÏ┘┌█▄¦Ì▀ÓßÔÒõÕµþÞÚÛÙýݯ´­±‗¾¶§÷¸°¨·¹³²■ " - }, - "ibm850": "cp850", - "csibm850": "cp850", - "cp852": { - "type": "_sbcs", - "chars": "ÇüéâäůćçłëŐőîŹÄĆÉĹĺôöĽľŚśÖÜŤťŁ×čáíóúĄąŽžĘ꬟Ⱥ«»░▒▓│┤ÁÂĚŞ╣║╗╝Żż┐└┴┬├─┼Ăă╚╔╩╦╠═╬¤đĐĎËďŇÍÎě┘┌█▄ŢŮ▀ÓßÔŃńňŠšŔÚŕŰýÝţ´­˝˛ˇ˘§÷¸°¨˙űŘř■ " - }, - "ibm852": "cp852", - "csibm852": "cp852", - "cp855": { - "type": "_sbcs", - "chars": "ђЂѓЃёЁєЄѕЅіІїЇјЈљЉњЊћЋќЌўЎџЏюЮъЪаАбБцЦдДеЕфФгГ«»░▒▓│┤хХиИ╣║╗╝йЙ┐└┴┬├─┼кК╚╔╩╦╠═╬¤лЛмМнНоОп┘┌█▄Пя▀ЯрРсСтТуУжЖвВьЬ№­ыЫзЗшШэЭщЩчЧ§■ " - }, - "ibm855": "cp855", - "csibm855": "cp855", - "cp856": { - "type": "_sbcs", - "chars": "אבגדהוזחטיךכלםמןנסעףפץצקרשת�£�×����������®¬½¼�«»░▒▓│┤���©╣║╗╝¢¥┐└┴┬├─┼��╚╔╩╦╠═╬¤���������┘┌█▄¦�▀������µ�������¯´­±‗¾¶§÷¸°¨·¹³²■ " - }, - "ibm856": "cp856", - "csibm856": "cp856", - "cp857": { - "type": "_sbcs", - "chars": "ÇüéâäàåçêëèïîıÄÅÉæÆôöòûùİÖÜø£ØŞşáíóúñÑĞ𿮬½¼¡«»░▒▓│┤ÁÂÀ©╣║╗╝¢¥┐└┴┬├─┼ãÃ╚╔╩╦╠═╬¤ºªÊËÈ�ÍÎÏ┘┌█▄¦Ì▀ÓßÔÒõÕµ�×ÚÛÙìÿ¯´­±�¾¶§÷¸°¨·¹³²■ " - }, - "ibm857": "cp857", - "csibm857": "cp857", - "cp858": { - "type": "_sbcs", - "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜø£Ø׃áíóúñѪº¿®¬½¼¡«»░▒▓│┤ÁÂÀ©╣║╗╝¢¥┐└┴┬├─┼ãÃ╚╔╩╦╠═╬¤ðÐÊËÈ€ÍÎÏ┘┌█▄¦Ì▀ÓßÔÒõÕµþÞÚÛÙýݯ´­±‗¾¶§÷¸°¨·¹³²■ " - }, - "ibm858": "cp858", - "csibm858": "cp858", - "cp860": { - "type": "_sbcs", - "chars": "ÇüéâãàÁçêÊèÍÔìÃÂÉÀÈôõòÚùÌÕÜ¢£Ù₧ÓáíóúñѪº¿Ò¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - "ibm860": "cp860", - "csibm860": "cp860", - "cp861": { - "type": "_sbcs", - "chars": "ÇüéâäàåçêëèÐðÞÄÅÉæÆôöþûÝýÖÜø£Ø₧ƒáíóúÁÍÓÚ¿⌐¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - "ibm861": "cp861", - "csibm861": "cp861", - "cp862": { - "type": "_sbcs", - "chars": "אבגדהוזחטיךכלםמןנסעףפץצקרשת¢£¥₧ƒáíóúñѪº¿⌐¬½¼¡«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - "ibm862": "cp862", - "csibm862": "cp862", - "cp863": { - "type": "_sbcs", - "chars": "ÇüéâÂà¶çêëèïî‗À§ÉÈÊôËÏûù¤ÔÜ¢£ÙÛƒ¦´óú¨¸³¯Î⌐¬½¼¾«»░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - "ibm863": "cp863", - "csibm863": "cp863", - "cp864": { - "type": "_sbcs", - "chars": "\u0000\u0001\u0002\u0003\u0004\u0005\u0006\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013\u0014\u0015\u0016\u0017\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#$٪&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~°·∙√▒─│┼┤┬├┴┐┌└┘β∞φ±½¼≈«»ﻷﻸ��ﻻﻼ� ­ﺂ£¤ﺄ��ﺎﺏﺕﺙ،ﺝﺡﺥ٠١٢٣٤٥٦٧٨٩ﻑ؛ﺱﺵﺹ؟¢ﺀﺁﺃﺅﻊﺋﺍﺑﺓﺗﺛﺟﺣﺧﺩﺫﺭﺯﺳﺷﺻﺿﻁﻅﻋﻏ¦¬÷×ﻉـﻓﻗﻛﻟﻣﻧﻫﻭﻯﻳﺽﻌﻎﻍﻡﹽّﻥﻩﻬﻰﻲﻐﻕﻵﻶﻝﻙﻱ■�" - }, - "ibm864": "cp864", - "csibm864": "cp864", - "cp865": { - "type": "_sbcs", - "chars": "ÇüéâäàåçêëèïîìÄÅÉæÆôöòûùÿÖÜø£Ø₧ƒáíóúñѪº¿⌐¬½¼¡«¤░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀αßΓπΣσµτΦΘΩδ∞φε∩≡±≥≤⌠⌡÷≈°∙·√ⁿ²■ " - }, - "ibm865": "cp865", - "csibm865": "cp865", - "cp866": { - "type": "_sbcs", - "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмноп░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀рстуфхцчшщъыьэюяЁёЄєЇїЎў°∙·√№¤■ " - }, - "ibm866": "cp866", - "csibm866": "cp866", - "cp869": { - "type": "_sbcs", - "chars": "������Ά�·¬¦‘’Έ―ΉΊΪΌ��ΎΫ©Ώ²³ά£έήίϊΐόύΑΒΓΔΕΖΗ½ΘΙ«»░▒▓│┤ΚΛΜΝ╣║╗╝ΞΟ┐└┴┬├─┼ΠΡ╚╔╩╦╠═╬ΣΤΥΦΧΨΩαβγ┘┌█▄δε▀ζηθικλμνξοπρσςτ΄­±υφχ§ψ΅°¨ωϋΰώ■ " - }, - "ibm869": "cp869", - "csibm869": "cp869", - "cp922": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®‾°±²³´µ¶·¸¹º»¼½¾¿ÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏŠÑÒÓÔÕÖ×ØÙÚÛÜÝŽßàáâãäåæçèéêëìíîïšñòóôõö÷øùúûüýžÿ" - }, - "ibm922": "cp922", - "csibm922": "cp922", - "cp1046": { - "type": "_sbcs", - "chars": "ﺈ×÷ﹱˆ■│─┐┌└┘ﹹﹻﹽﹿﹷﺊﻰﻳﻲﻎﻏﻐﻶﻸﻺﻼ ¤ﺋﺑﺗﺛﺟﺣ،­ﺧﺳ٠١٢٣٤٥٦٧٨٩ﺷ؛ﺻﺿﻊ؟ﻋءآأؤإئابةتثجحخدذرزسشصضطﻇعغﻌﺂﺄﺎﻓـفقكلمنهوىيًٌٍَُِّْﻗﻛﻟﻵﻷﻹﻻﻣﻧﻬﻩ�" - }, - "ibm1046": "cp1046", - "csibm1046": "cp1046", - "cp1124": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ЁЂҐЄЅІЇЈЉЊЋЌ­ЎЏАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя№ёђґєѕіїјљњћќ§ўџ" - }, - "ibm1124": "cp1124", - "csibm1124": "cp1124", - "cp1125": { - "type": "_sbcs", - "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмноп░▒▓│┤╡╢╖╕╣║╗╝╜╛┐└┴┬├─┼╞╟╚╔╩╦╠═╬╧╨╤╥╙╘╒╓╫╪┘┌█▄▌▐▀рстуфхцчшщъыьэюяЁёҐґЄєІіЇї·√№¤■ " - }, - "ibm1125": "cp1125", - "csibm1125": "cp1125", - "cp1129": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§œ©ª«¬­®¯°±²³Ÿµ¶·Œ¹º»¼½¾¿ÀÁÂĂÄÅÆÇÈÉÊË̀ÍÎÏĐÑ̉ÓÔƠÖ×ØÙÚÛÜỮßàáâăäåæçèéêë́íîïđṇ̃óôơö÷øùúûüư₫ÿ" - }, - "ibm1129": "cp1129", - "csibm1129": "cp1129", - "cp1133": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ກຂຄງຈສຊຍດຕຖທນບປຜຝພຟມຢຣລວຫອຮ���ຯະາຳິີຶືຸູຼັົຽ���ເແໂໃໄ່້໊໋໌ໍໆ�ໜໝ₭����������������໐໑໒໓໔໕໖໗໘໙��¢¬¦�" - }, - "ibm1133": "cp1133", - "csibm1133": "cp1133", - "cp1161": { - "type": "_sbcs", - "chars": "��������������������������������่กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู้๊๋€฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛¢¬¦ " - }, - "ibm1161": "cp1161", - "csibm1161": "cp1161", - "cp1162": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" - }, - "ibm1162": "cp1162", - "csibm1162": "cp1162", - "cp1163": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£€¥¦§œ©ª«¬­®¯°±²³Ÿµ¶·Œ¹º»¼½¾¿ÀÁÂĂÄÅÆÇÈÉÊË̀ÍÎÏĐÑ̉ÓÔƠÖ×ØÙÚÛÜỮßàáâăäåæçèéêë́íîïđṇ̃óôơö÷øùúûüư₫ÿ" - }, - "ibm1163": "cp1163", - "csibm1163": "cp1163", - "maccroatian": { - "type": "_sbcs", - "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®Š™´¨≠ŽØ∞±≤≥∆µ∂∑∏š∫ªºΩžø¿¡¬√ƒ≈Ć«Č… ÀÃÕŒœĐ—“”‘’÷◊�©⁄¤‹›Æ»–·‚„‰ÂćÁčÈÍÎÏÌÓÔđÒÚÛÙıˆ˜¯πË˚¸Êæˇ" - }, - "maccyrillic": { - "type": "_sbcs", - "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯ†°¢£§•¶І®©™Ђђ≠Ѓѓ∞±≤≥іµ∂ЈЄєЇїЉљЊњјЅ¬√ƒ≈∆«»… ЋћЌќѕ–—“”‘’÷„ЎўЏџ№Ёёяабвгдежзийклмнопрстуфхцчшщъыьэю¤" - }, - "macgreek": { - "type": "_sbcs", - "chars": "Ĺ²É³ÖÜ΅àâä΄¨çéèê룙î‰ôö¦­ùûü†ΓΔΘΛΞΠß®©ΣΪ§≠°·Α±≤≥¥ΒΕΖΗΙΚΜΦΫΨΩάΝ¬ΟΡ≈Τ«»… ΥΧΆΈœ–―“”‘’÷ΉΊΌΎέήίόΏύαβψδεφγηιξκλμνοπώρστθωςχυζϊϋΐΰ�" - }, - "maciceland": { - "type": "_sbcs", - "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûüÝ°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤ÐðÞþý·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" - }, - "macroman": { - "type": "_sbcs", - "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤‹›fifl‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" - }, - "macromania": { - "type": "_sbcs", - "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ĂŞ∞±≤≥¥µ∂∑∏π∫ªºΩăş¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤‹›Ţţ‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" - }, - "macthai": { - "type": "_sbcs", - "chars": "«»…“”�•‘’� กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู​–—฿เแโใไๅๆ็่้๊๋์ํ™๏๐๑๒๓๔๕๖๗๘๙®©����" - }, - "macturkish": { - "type": "_sbcs", - "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸĞğİıŞş‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙ�ˆ˜¯˘˙˚¸˝˛ˇ" - }, - "macukraine": { - "type": "_sbcs", - "chars": "АБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯ†°Ґ£§•¶І®©™Ђђ≠Ѓѓ∞±≤≥іµґЈЄєЇїЉљЊњјЅ¬√ƒ≈∆«»… ЋћЌќѕ–—“”‘’÷„ЎўЏџ№Ёёяабвгдежзийклмнопрстуфхцчшщъыьэю¤" - }, - "koi8r": { - "type": "_sbcs", - "chars": "─│┌┐└┘├┤┬┴┼▀▄█▌▐░▒▓⌠■∙√≈≤≥ ⌡°²·÷═║╒ё╓╔╕╖╗╘╙╚╛╜╝╞╟╠╡Ё╢╣╤╥╦╧╨╩╪╫╬©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" - }, - "koi8u": { - "type": "_sbcs", - "chars": "─│┌┐└┘├┤┬┴┼▀▄█▌▐░▒▓⌠■∙√≈≤≥ ⌡°²·÷═║╒ёє╔ії╗╘╙╚╛ґ╝╞╟╠╡ЁЄ╣ІЇ╦╧╨╩╪Ґ╬©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" - }, - "koi8ru": { - "type": "_sbcs", - "chars": "─│┌┐└┘├┤┬┴┼▀▄█▌▐░▒▓⌠■∙√≈≤≥ ⌡°²·÷═║╒ёє╔ії╗╘╙╚╛ґў╞╟╠╡ЁЄ╣ІЇ╦╧╨╩╪ҐЎ©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" - }, - "koi8t": { - "type": "_sbcs", - "chars": "қғ‚Ғ„…†‡�‰ҳ‹ҲҷҶ�Қ‘’“”•–—�™�›�����ӯӮё¤ӣ¦§���«¬­®�°±²Ё�Ӣ¶·�№�»���©юабцдефгхийклмнопярстужвьызшэщчъЮАБЦДЕФГХИЙКЛМНОПЯРСТУЖВЬЫЗШЭЩЧЪ" - }, - "armscii8": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ �և։)(»«—.՝,-֊…՜՛՞ԱաԲբԳգԴդԵեԶզԷէԸըԹթԺժԻիԼլԽխԾծԿկՀհՁձՂղՃճՄմՅյՆնՇշՈոՉչՊպՋջՌռՍսՎվՏտՐրՑցՒւՓփՔքՕօՖֆ՚�" - }, - "rk1048": { - "type": "_sbcs", - "chars": "ЂЃ‚ѓ„…†‡€‰Љ‹ЊҚҺЏђ‘’“”•–—�™љ›њқһџ ҰұӘ¤Ө¦§Ё©Ғ«¬­®Ү°±Ііөµ¶·ё№ғ»әҢңүАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя" - }, - "tcvn": { - "type": "_sbcs", - "chars": "\u0000ÚỤ\u0003ỪỬỮ\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010ỨỰỲỶỸÝỴ\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~ÀẢÃÁẠẶẬÈẺẼÉẸỆÌỈĨÍỊÒỎÕÓỌỘỜỞỠỚỢÙỦŨ ĂÂÊÔƠƯĐăâêôơưđẶ̀̀̉̃́àảãáạẲằẳẵắẴẮẦẨẪẤỀặầẩẫấậèỂẻẽéẹềểễếệìỉỄẾỒĩíịòỔỏõóọồổỗốộờởỡớợùỖủũúụừửữứựỳỷỹýỵỐ" - }, - "georgianacademy": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿აბგდევზთიკლმნოპჟრსტუფქღყშჩცძწჭხჯჰჱჲჳჴჵჶçèéêëìíîïðñòóôõö÷øùúûüýþÿ" - }, - "georgianps": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ¡¢£¤¥¦§¨©ª«¬­®¯°±²³´µ¶·¸¹º»¼½¾¿აბგდევზჱთიკლმნჲოპჟრსტჳუფქღყშჩცძწჭხჴჯჰჵæçèéêëìíîïðñòóôõö÷øùúûüýþÿ" - }, - "pt154": { - "type": "_sbcs", - "chars": "ҖҒӮғ„…ҶҮҲүҠӢҢҚҺҸҗ‘’“”•–—ҳҷҡӣңқһҹ ЎўЈӨҘҰ§Ё©Ә«¬ӯ®Ҝ°ұІіҙө¶·ё№ә»јҪҫҝАБВГДЕЖЗИЙКЛМНОПРСТУФХЦЧШЩЪЫЬЭЮЯабвгдежзийклмнопрстуфхцчшщъыьэюя" - }, - "viscii": { - "type": "_sbcs", - "chars": "\u0000\u0001Ẳ\u0003\u0004ẴẪ\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013Ỷ\u0015\u0016\u0017\u0018Ỹ\u001a\u001b\u001c\u001dỴ\u001f !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~ẠẮẰẶẤẦẨẬẼẸẾỀỂỄỆỐỒỔỖỘỢỚỜỞỊỎỌỈỦŨỤỲÕắằặấầẩậẽẹếềểễệốồổỗỠƠộờởịỰỨỪỬơớƯÀÁÂÃẢĂẳẵÈÉÊẺÌÍĨỳĐứÒÓÔạỷừửÙÚỹỵÝỡưàáâãảăữẫèéêẻìíĩỉđựòóôõỏọụùúũủýợỮ" - }, - "iso646cn": { - "type": "_sbcs", - "chars": "\u0000\u0001\u0002\u0003\u0004\u0005\u0006\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013\u0014\u0015\u0016\u0017\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#¥%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}‾��������������������������������������������������������������������������������������������������������������������������������" - }, - "iso646jp": { - "type": "_sbcs", - "chars": "\u0000\u0001\u0002\u0003\u0004\u0005\u0006\u0007\b\t\n\u000b\f\r\u000e\u000f\u0010\u0011\u0012\u0013\u0014\u0015\u0016\u0017\u0018\u0019\u001a\u001b\u001c\u001d\u001e\u001f !\"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[¥]^_`abcdefghijklmnopqrstuvwxyz{|}‾��������������������������������������������������������������������������������������������������������������������������������" - }, - "hproman8": { - "type": "_sbcs", - "chars": "€‚ƒ„…†‡ˆ‰Š‹ŒŽ‘’“”•–—˜™š›œžŸ ÀÂÈÊËÎÏ´ˋˆ¨˜ÙÛ₤¯Ýý°ÇçÑñ¡¿¤£¥§ƒ¢âêôûáéóúàèòùäëöüÅîØÆåíøæÄìÖÜÉïßÔÁÃãÐðÍÌÓÒÕõŠšÚŸÿÞþ·µ¶¾—¼½ªº«■»±�" - }, - "macintosh": { - "type": "_sbcs", - "chars": "ÄÅÇÉÑÖÜáàâäãåçéèêëíìîïñóòôöõúùûü†°¢£§•¶ß®©™´¨≠ÆØ∞±≤≥¥µ∂∑∏π∫ªºΩæø¿¡¬√ƒ≈∆«»… ÀÃÕŒœ–—“”‘’÷◊ÿŸ⁄¤‹›fifl‡·‚„‰ÂÊÁËÈÍÎÏÌÓÔ�ÒÚÛÙıˆ˜¯˘˙˚¸˝˛ˇ" - }, - "ascii": { - "type": "_sbcs", - "chars": "��������������������������������������������������������������������������������������������������������������������������������" - }, - "tis620": { - "type": "_sbcs", - "chars": "���������������������������������กขฃคฅฆงจฉชซฌญฎฏฐฑฒณดตถทธนบปผฝพฟภมยรฤลฦวศษสหฬอฮฯะัาำิีึืฺุู����฿เแโใไๅๆ็่้๊๋์ํ๎๏๐๑๒๓๔๕๖๗๘๙๚๛����" - } -} - -/***/ }), -/* 143 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -var Buffer = __webpack_require__(7).Buffer; - -// Multibyte codec. In this scheme, a character is represented by 1 or more bytes. -// Our codec supports UTF-16 surrogates, extensions for GB18030 and unicode sequences. -// To save memory and loading time, we read table files only when requested. - -exports._dbcs = DBCSCodec; - -var UNASSIGNED = -1, - GB18030_CODE = -2, - SEQ_START = -10, - NODE_START = -1000, - UNASSIGNED_NODE = new Array(0x100), - DEF_CHAR = -1; - -for (var i = 0; i < 0x100; i++) - UNASSIGNED_NODE[i] = UNASSIGNED; - - -// Class DBCSCodec reads and initializes mapping tables. -function DBCSCodec(codecOptions, iconv) { - this.encodingName = codecOptions.encodingName; - if (!codecOptions) - throw new Error("DBCS codec is called without the data.") - if (!codecOptions.table) - throw new Error("Encoding '" + this.encodingName + "' has no data."); - - // Load tables. - var mappingTable = codecOptions.table(); - - - // Decode tables: MBCS -> Unicode. - - // decodeTables is a trie, encoded as an array of arrays of integers. Internal arrays are trie nodes and all have len = 256. - // Trie root is decodeTables[0]. - // Values: >= 0 -> unicode character code. can be > 0xFFFF - // == UNASSIGNED -> unknown/unassigned sequence. - // == GB18030_CODE -> this is the end of a GB18030 4-byte sequence. - // <= NODE_START -> index of the next node in our trie to process next byte. - // <= SEQ_START -> index of the start of a character code sequence, in decodeTableSeq. - this.decodeTables = []; - this.decodeTables[0] = UNASSIGNED_NODE.slice(0); // Create root node. - - // Sometimes a MBCS char corresponds to a sequence of unicode chars. We store them as arrays of integers here. - this.decodeTableSeq = []; - - // Actual mapping tables consist of chunks. Use them to fill up decode tables. - for (var i = 0; i < mappingTable.length; i++) - this._addDecodeChunk(mappingTable[i]); - - this.defaultCharUnicode = iconv.defaultCharUnicode; - - - // Encode tables: Unicode -> DBCS. - - // `encodeTable` is array mapping from unicode char to encoded char. All its values are integers for performance. - // Because it can be sparse, it is represented as array of buckets by 256 chars each. Bucket can be null. - // Values: >= 0 -> it is a normal char. Write the value (if <=256 then 1 byte, if <=65536 then 2 bytes, etc.). - // == UNASSIGNED -> no conversion found. Output a default char. - // <= SEQ_START -> it's an index in encodeTableSeq, see below. The character starts a sequence. - this.encodeTable = []; - - // `encodeTableSeq` is used when a sequence of unicode characters is encoded as a single code. We use a tree of - // objects where keys correspond to characters in sequence and leafs are the encoded dbcs values. A special DEF_CHAR key - // means end of sequence (needed when one sequence is a strict subsequence of another). - // Objects are kept separately from encodeTable to increase performance. - this.encodeTableSeq = []; - - // Some chars can be decoded, but need not be encoded. - var skipEncodeChars = {}; - if (codecOptions.encodeSkipVals) - for (var i = 0; i < codecOptions.encodeSkipVals.length; i++) { - var val = codecOptions.encodeSkipVals[i]; - if (typeof val === 'number') - skipEncodeChars[val] = true; - else - for (var j = val.from; j <= val.to; j++) - skipEncodeChars[j] = true; - } - - // Use decode trie to recursively fill out encode tables. - this._fillEncodeTable(0, 0, skipEncodeChars); - - // Add more encoding pairs when needed. - if (codecOptions.encodeAdd) { - for (var uChar in codecOptions.encodeAdd) - if (Object.prototype.hasOwnProperty.call(codecOptions.encodeAdd, uChar)) - this._setEncodeChar(uChar.charCodeAt(0), codecOptions.encodeAdd[uChar]); - } - - this.defCharSB = this.encodeTable[0][iconv.defaultCharSingleByte.charCodeAt(0)]; - if (this.defCharSB === UNASSIGNED) this.defCharSB = this.encodeTable[0]['?']; - if (this.defCharSB === UNASSIGNED) this.defCharSB = "?".charCodeAt(0); - - - // Load & create GB18030 tables when needed. - if (typeof codecOptions.gb18030 === 'function') { - this.gb18030 = codecOptions.gb18030(); // Load GB18030 ranges. - - // Add GB18030 decode tables. - var thirdByteNodeIdx = this.decodeTables.length; - var thirdByteNode = this.decodeTables[thirdByteNodeIdx] = UNASSIGNED_NODE.slice(0); - - var fourthByteNodeIdx = this.decodeTables.length; - var fourthByteNode = this.decodeTables[fourthByteNodeIdx] = UNASSIGNED_NODE.slice(0); - - for (var i = 0x81; i <= 0xFE; i++) { - var secondByteNodeIdx = NODE_START - this.decodeTables[0][i]; - var secondByteNode = this.decodeTables[secondByteNodeIdx]; - for (var j = 0x30; j <= 0x39; j++) - secondByteNode[j] = NODE_START - thirdByteNodeIdx; - } - for (var i = 0x81; i <= 0xFE; i++) - thirdByteNode[i] = NODE_START - fourthByteNodeIdx; - for (var i = 0x30; i <= 0x39; i++) - fourthByteNode[i] = GB18030_CODE - } -} - -DBCSCodec.prototype.encoder = DBCSEncoder; -DBCSCodec.prototype.decoder = DBCSDecoder; - -// Decoder helpers -DBCSCodec.prototype._getDecodeTrieNode = function(addr) { - var bytes = []; - for (; addr > 0; addr >>= 8) - bytes.push(addr & 0xFF); - if (bytes.length == 0) - bytes.push(0); - - var node = this.decodeTables[0]; - for (var i = bytes.length-1; i > 0; i--) { // Traverse nodes deeper into the trie. - var val = node[bytes[i]]; - - if (val == UNASSIGNED) { // Create new node. - node[bytes[i]] = NODE_START - this.decodeTables.length; - this.decodeTables.push(node = UNASSIGNED_NODE.slice(0)); - } - else if (val <= NODE_START) { // Existing node. - node = this.decodeTables[NODE_START - val]; - } - else - throw new Error("Overwrite byte in " + this.encodingName + ", addr: " + addr.toString(16)); - } - return node; -} - - -DBCSCodec.prototype._addDecodeChunk = function(chunk) { - // First element of chunk is the hex mbcs code where we start. - var curAddr = parseInt(chunk[0], 16); - - // Choose the decoding node where we'll write our chars. - var writeTable = this._getDecodeTrieNode(curAddr); - curAddr = curAddr & 0xFF; - - // Write all other elements of the chunk to the table. - for (var k = 1; k < chunk.length; k++) { - var part = chunk[k]; - if (typeof part === "string") { // String, write as-is. - for (var l = 0; l < part.length;) { - var code = part.charCodeAt(l++); - if (0xD800 <= code && code < 0xDC00) { // Decode surrogate - var codeTrail = part.charCodeAt(l++); - if (0xDC00 <= codeTrail && codeTrail < 0xE000) - writeTable[curAddr++] = 0x10000 + (code - 0xD800) * 0x400 + (codeTrail - 0xDC00); - else - throw new Error("Incorrect surrogate pair in " + this.encodingName + " at chunk " + chunk[0]); - } - else if (0x0FF0 < code && code <= 0x0FFF) { // Character sequence (our own encoding used) - var len = 0xFFF - code + 2; - var seq = []; - for (var m = 0; m < len; m++) - seq.push(part.charCodeAt(l++)); // Simple variation: don't support surrogates or subsequences in seq. - - writeTable[curAddr++] = SEQ_START - this.decodeTableSeq.length; - this.decodeTableSeq.push(seq); - } - else - writeTable[curAddr++] = code; // Basic char - } - } - else if (typeof part === "number") { // Integer, meaning increasing sequence starting with prev character. - var charCode = writeTable[curAddr - 1] + 1; - for (var l = 0; l < part; l++) - writeTable[curAddr++] = charCode++; - } - else - throw new Error("Incorrect type '" + typeof part + "' given in " + this.encodingName + " at chunk " + chunk[0]); - } - if (curAddr > 0xFF) - throw new Error("Incorrect chunk in " + this.encodingName + " at addr " + chunk[0] + ": too long" + curAddr); -} - -// Encoder helpers -DBCSCodec.prototype._getEncodeBucket = function(uCode) { - var high = uCode >> 8; // This could be > 0xFF because of astral characters. - if (this.encodeTable[high] === undefined) - this.encodeTable[high] = UNASSIGNED_NODE.slice(0); // Create bucket on demand. - return this.encodeTable[high]; -} - -DBCSCodec.prototype._setEncodeChar = function(uCode, dbcsCode) { - var bucket = this._getEncodeBucket(uCode); - var low = uCode & 0xFF; - if (bucket[low] <= SEQ_START) - this.encodeTableSeq[SEQ_START-bucket[low]][DEF_CHAR] = dbcsCode; // There's already a sequence, set a single-char subsequence of it. - else if (bucket[low] == UNASSIGNED) - bucket[low] = dbcsCode; -} - -DBCSCodec.prototype._setEncodeSequence = function(seq, dbcsCode) { - - // Get the root of character tree according to first character of the sequence. - var uCode = seq[0]; - var bucket = this._getEncodeBucket(uCode); - var low = uCode & 0xFF; - - var node; - if (bucket[low] <= SEQ_START) { - // There's already a sequence with - use it. - node = this.encodeTableSeq[SEQ_START-bucket[low]]; - } - else { - // There was no sequence object - allocate a new one. - node = {}; - if (bucket[low] !== UNASSIGNED) node[DEF_CHAR] = bucket[low]; // If a char was set before - make it a single-char subsequence. - bucket[low] = SEQ_START - this.encodeTableSeq.length; - this.encodeTableSeq.push(node); - } - - // Traverse the character tree, allocating new nodes as needed. - for (var j = 1; j < seq.length-1; j++) { - var oldVal = node[uCode]; - if (typeof oldVal === 'object') - node = oldVal; - else { - node = node[uCode] = {} - if (oldVal !== undefined) - node[DEF_CHAR] = oldVal - } - } - - // Set the leaf to given dbcsCode. - uCode = seq[seq.length-1]; - node[uCode] = dbcsCode; -} - -DBCSCodec.prototype._fillEncodeTable = function(nodeIdx, prefix, skipEncodeChars) { - var node = this.decodeTables[nodeIdx]; - for (var i = 0; i < 0x100; i++) { - var uCode = node[i]; - var mbCode = prefix + i; - if (skipEncodeChars[mbCode]) - continue; - - if (uCode >= 0) - this._setEncodeChar(uCode, mbCode); - else if (uCode <= NODE_START) - this._fillEncodeTable(NODE_START - uCode, mbCode << 8, skipEncodeChars); - else if (uCode <= SEQ_START) - this._setEncodeSequence(this.decodeTableSeq[SEQ_START - uCode], mbCode); - } -} - - - -// == Encoder ================================================================== - -function DBCSEncoder(options, codec) { - // Encoder state - this.leadSurrogate = -1; - this.seqObj = undefined; - - // Static data - this.encodeTable = codec.encodeTable; - this.encodeTableSeq = codec.encodeTableSeq; - this.defaultCharSingleByte = codec.defCharSB; - this.gb18030 = codec.gb18030; -} - -DBCSEncoder.prototype.write = function(str) { - var newBuf = Buffer.alloc(str.length * (this.gb18030 ? 4 : 3)), - leadSurrogate = this.leadSurrogate, - seqObj = this.seqObj, nextChar = -1, - i = 0, j = 0; - - while (true) { - // 0. Get next character. - if (nextChar === -1) { - if (i == str.length) break; - var uCode = str.charCodeAt(i++); - } - else { - var uCode = nextChar; - nextChar = -1; - } - - // 1. Handle surrogates. - if (0xD800 <= uCode && uCode < 0xE000) { // Char is one of surrogates. - if (uCode < 0xDC00) { // We've got lead surrogate. - if (leadSurrogate === -1) { - leadSurrogate = uCode; - continue; - } else { - leadSurrogate = uCode; - // Double lead surrogate found. - uCode = UNASSIGNED; - } - } else { // We've got trail surrogate. - if (leadSurrogate !== -1) { - uCode = 0x10000 + (leadSurrogate - 0xD800) * 0x400 + (uCode - 0xDC00); - leadSurrogate = -1; - } else { - // Incomplete surrogate pair - only trail surrogate found. - uCode = UNASSIGNED; - } - - } - } - else if (leadSurrogate !== -1) { - // Incomplete surrogate pair - only lead surrogate found. - nextChar = uCode; uCode = UNASSIGNED; // Write an error, then current char. - leadSurrogate = -1; - } - - // 2. Convert uCode character. - var dbcsCode = UNASSIGNED; - if (seqObj !== undefined && uCode != UNASSIGNED) { // We are in the middle of the sequence - var resCode = seqObj[uCode]; - if (typeof resCode === 'object') { // Sequence continues. - seqObj = resCode; - continue; - - } else if (typeof resCode == 'number') { // Sequence finished. Write it. - dbcsCode = resCode; - - } else if (resCode == undefined) { // Current character is not part of the sequence. - - // Try default character for this sequence - resCode = seqObj[DEF_CHAR]; - if (resCode !== undefined) { - dbcsCode = resCode; // Found. Write it. - nextChar = uCode; // Current character will be written too in the next iteration. - - } else { - // TODO: What if we have no default? (resCode == undefined) - // Then, we should write first char of the sequence as-is and try the rest recursively. - // Didn't do it for now because no encoding has this situation yet. - // Currently, just skip the sequence and write current char. - } - } - seqObj = undefined; - } - else if (uCode >= 0) { // Regular character - var subtable = this.encodeTable[uCode >> 8]; - if (subtable !== undefined) - dbcsCode = subtable[uCode & 0xFF]; - - if (dbcsCode <= SEQ_START) { // Sequence start - seqObj = this.encodeTableSeq[SEQ_START-dbcsCode]; - continue; - } - - if (dbcsCode == UNASSIGNED && this.gb18030) { - // Use GB18030 algorithm to find character(s) to write. - var idx = findIdx(this.gb18030.uChars, uCode); - if (idx != -1) { - var dbcsCode = this.gb18030.gbChars[idx] + (uCode - this.gb18030.uChars[idx]); - newBuf[j++] = 0x81 + Math.floor(dbcsCode / 12600); dbcsCode = dbcsCode % 12600; - newBuf[j++] = 0x30 + Math.floor(dbcsCode / 1260); dbcsCode = dbcsCode % 1260; - newBuf[j++] = 0x81 + Math.floor(dbcsCode / 10); dbcsCode = dbcsCode % 10; - newBuf[j++] = 0x30 + dbcsCode; - continue; - } - } - } - - // 3. Write dbcsCode character. - if (dbcsCode === UNASSIGNED) - dbcsCode = this.defaultCharSingleByte; - - if (dbcsCode < 0x100) { - newBuf[j++] = dbcsCode; - } - else if (dbcsCode < 0x10000) { - newBuf[j++] = dbcsCode >> 8; // high byte - newBuf[j++] = dbcsCode & 0xFF; // low byte - } - else { - newBuf[j++] = dbcsCode >> 16; - newBuf[j++] = (dbcsCode >> 8) & 0xFF; - newBuf[j++] = dbcsCode & 0xFF; - } - } - - this.seqObj = seqObj; - this.leadSurrogate = leadSurrogate; - return newBuf.slice(0, j); -} - -DBCSEncoder.prototype.end = function() { - if (this.leadSurrogate === -1 && this.seqObj === undefined) - return; // All clean. Most often case. - - var newBuf = Buffer.alloc(10), j = 0; - - if (this.seqObj) { // We're in the sequence. - var dbcsCode = this.seqObj[DEF_CHAR]; - if (dbcsCode !== undefined) { // Write beginning of the sequence. - if (dbcsCode < 0x100) { - newBuf[j++] = dbcsCode; - } - else { - newBuf[j++] = dbcsCode >> 8; // high byte - newBuf[j++] = dbcsCode & 0xFF; // low byte - } - } else { - // See todo above. - } - this.seqObj = undefined; - } - - if (this.leadSurrogate !== -1) { - // Incomplete surrogate pair - only lead surrogate found. - newBuf[j++] = this.defaultCharSingleByte; - this.leadSurrogate = -1; - } - - return newBuf.slice(0, j); -} - -// Export for testing -DBCSEncoder.prototype.findIdx = findIdx; - - -// == Decoder ================================================================== - -function DBCSDecoder(options, codec) { - // Decoder state - this.nodeIdx = 0; - this.prevBuf = Buffer.alloc(0); - - // Static data - this.decodeTables = codec.decodeTables; - this.decodeTableSeq = codec.decodeTableSeq; - this.defaultCharUnicode = codec.defaultCharUnicode; - this.gb18030 = codec.gb18030; -} - -DBCSDecoder.prototype.write = function(buf) { - var newBuf = Buffer.alloc(buf.length*2), - nodeIdx = this.nodeIdx, - prevBuf = this.prevBuf, prevBufOffset = this.prevBuf.length, - seqStart = -this.prevBuf.length, // idx of the start of current parsed sequence. - uCode; - - if (prevBufOffset > 0) // Make prev buf overlap a little to make it easier to slice later. - prevBuf = Buffer.concat([prevBuf, buf.slice(0, 10)]); - - for (var i = 0, j = 0; i < buf.length; i++) { - var curByte = (i >= 0) ? buf[i] : prevBuf[i + prevBufOffset]; - - // Lookup in current trie node. - var uCode = this.decodeTables[nodeIdx][curByte]; - - if (uCode >= 0) { - // Normal character, just use it. - } - else if (uCode === UNASSIGNED) { // Unknown char. - // TODO: Callback with seq. - //var curSeq = (seqStart >= 0) ? buf.slice(seqStart, i+1) : prevBuf.slice(seqStart + prevBufOffset, i+1 + prevBufOffset); - i = seqStart; // Try to parse again, after skipping first byte of the sequence ('i' will be incremented by 'for' cycle). - uCode = this.defaultCharUnicode.charCodeAt(0); - } - else if (uCode === GB18030_CODE) { - var curSeq = (seqStart >= 0) ? buf.slice(seqStart, i+1) : prevBuf.slice(seqStart + prevBufOffset, i+1 + prevBufOffset); - var ptr = (curSeq[0]-0x81)*12600 + (curSeq[1]-0x30)*1260 + (curSeq[2]-0x81)*10 + (curSeq[3]-0x30); - var idx = findIdx(this.gb18030.gbChars, ptr); - uCode = this.gb18030.uChars[idx] + ptr - this.gb18030.gbChars[idx]; - } - else if (uCode <= NODE_START) { // Go to next trie node. - nodeIdx = NODE_START - uCode; - continue; - } - else if (uCode <= SEQ_START) { // Output a sequence of chars. - var seq = this.decodeTableSeq[SEQ_START - uCode]; - for (var k = 0; k < seq.length - 1; k++) { - uCode = seq[k]; - newBuf[j++] = uCode & 0xFF; - newBuf[j++] = uCode >> 8; - } - uCode = seq[seq.length-1]; - } - else - throw new Error("iconv-lite internal error: invalid decoding table value " + uCode + " at " + nodeIdx + "/" + curByte); - - // Write the character to buffer, handling higher planes using surrogate pair. - if (uCode > 0xFFFF) { - uCode -= 0x10000; - var uCodeLead = 0xD800 + Math.floor(uCode / 0x400); - newBuf[j++] = uCodeLead & 0xFF; - newBuf[j++] = uCodeLead >> 8; - - uCode = 0xDC00 + uCode % 0x400; - } - newBuf[j++] = uCode & 0xFF; - newBuf[j++] = uCode >> 8; - - // Reset trie node. - nodeIdx = 0; seqStart = i+1; - } - - this.nodeIdx = nodeIdx; - this.prevBuf = (seqStart >= 0) ? buf.slice(seqStart) : prevBuf.slice(seqStart + prevBufOffset); - return newBuf.slice(0, j).toString('ucs2'); -} - -DBCSDecoder.prototype.end = function() { - var ret = ''; - - // Try to parse all remaining chars. - while (this.prevBuf.length > 0) { - // Skip 1 character in the buffer. - ret += this.defaultCharUnicode; - var buf = this.prevBuf.slice(1); - - // Parse remaining as usual. - this.prevBuf = Buffer.alloc(0); - this.nodeIdx = 0; - if (buf.length > 0) - ret += this.write(buf); - } - - this.nodeIdx = 0; - return ret; -} - -// Binary search for GB18030. Returns largest i such that table[i] <= val. -function findIdx(table, val) { - if (table[0] > val) - return -1; - - var l = 0, r = table.length; - while (l < r-1) { // always table[l] <= val < table[r] - var mid = l + Math.floor((r-l+1)/2); - if (table[mid] <= val) - l = mid; - else - r = mid; - } - return l; -} - - - -/***/ }), -/* 144 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Description of supported double byte encodings and aliases. -// Tables are not require()-d until they are needed to speed up library load. -// require()-s are direct to support Browserify. - -module.exports = { - - // == Japanese/ShiftJIS ==================================================== - // All japanese encodings are based on JIS X set of standards: - // JIS X 0201 - Single-byte encoding of ASCII + ¥ + Kana chars at 0xA1-0xDF. - // JIS X 0208 - Main set of 6879 characters, placed in 94x94 plane, to be encoded by 2 bytes. - // Has several variations in 1978, 1983, 1990 and 1997. - // JIS X 0212 - Supplementary plane of 6067 chars in 94x94 plane. 1990. Effectively dead. - // JIS X 0213 - Extension and modern replacement of 0208 and 0212. Total chars: 11233. - // 2 planes, first is superset of 0208, second - revised 0212. - // Introduced in 2000, revised 2004. Some characters are in Unicode Plane 2 (0x2xxxx) - - // Byte encodings are: - // * Shift_JIS: Compatible with 0201, uses not defined chars in top half as lead bytes for double-byte - // encoding of 0208. Lead byte ranges: 0x81-0x9F, 0xE0-0xEF; Trail byte ranges: 0x40-0x7E, 0x80-0x9E, 0x9F-0xFC. - // Windows CP932 is a superset of Shift_JIS. Some companies added more chars, notably KDDI. - // * EUC-JP: Up to 3 bytes per character. Used mostly on *nixes. - // 0x00-0x7F - lower part of 0201 - // 0x8E, 0xA1-0xDF - upper part of 0201 - // (0xA1-0xFE)x2 - 0208 plane (94x94). - // 0x8F, (0xA1-0xFE)x2 - 0212 plane (94x94). - // * JIS X 208: 7-bit, direct encoding of 0208. Byte ranges: 0x21-0x7E (94 values). Uncommon. - // Used as-is in ISO2022 family. - // * ISO2022-JP: Stateful encoding, with escape sequences to switch between ASCII, - // 0201-1976 Roman, 0208-1978, 0208-1983. - // * ISO2022-JP-1: Adds esc seq for 0212-1990. - // * ISO2022-JP-2: Adds esc seq for GB2313-1980, KSX1001-1992, ISO8859-1, ISO8859-7. - // * ISO2022-JP-3: Adds esc seq for 0201-1976 Kana set, 0213-2000 Planes 1, 2. - // * ISO2022-JP-2004: Adds 0213-2004 Plane 1. - // - // After JIS X 0213 appeared, Shift_JIS-2004, EUC-JISX0213 and ISO2022-JP-2004 followed, with just changing the planes. - // - // Overall, it seems that it's a mess :( http://www8.plala.or.jp/tkubota1/unicode-symbols-map2.html - - 'shiftjis': { - type: '_dbcs', - table: function() { return __webpack_require__(145) }, - encodeAdd: {'\u00a5': 0x5C, '\u203E': 0x7E}, - encodeSkipVals: [{from: 0xED40, to: 0xF940}], - }, - 'csshiftjis': 'shiftjis', - 'mskanji': 'shiftjis', - 'sjis': 'shiftjis', - 'windows31j': 'shiftjis', - 'ms31j': 'shiftjis', - 'xsjis': 'shiftjis', - 'windows932': 'shiftjis', - 'ms932': 'shiftjis', - '932': 'shiftjis', - 'cp932': 'shiftjis', - - 'eucjp': { - type: '_dbcs', - table: function() { return __webpack_require__(146) }, - encodeAdd: {'\u00a5': 0x5C, '\u203E': 0x7E}, - }, - - // TODO: KDDI extension to Shift_JIS - // TODO: IBM CCSID 942 = CP932, but F0-F9 custom chars and other char changes. - // TODO: IBM CCSID 943 = Shift_JIS = CP932 with original Shift_JIS lower 128 chars. - - - // == Chinese/GBK ========================================================== - // http://en.wikipedia.org/wiki/GBK - // We mostly implement W3C recommendation: https://www.w3.org/TR/encoding/#gbk-encoder - - // Oldest GB2312 (1981, ~7600 chars) is a subset of CP936 - 'gb2312': 'cp936', - 'gb231280': 'cp936', - 'gb23121980': 'cp936', - 'csgb2312': 'cp936', - 'csiso58gb231280': 'cp936', - 'euccn': 'cp936', - - // Microsoft's CP936 is a subset and approximation of GBK. - 'windows936': 'cp936', - 'ms936': 'cp936', - '936': 'cp936', - 'cp936': { - type: '_dbcs', - table: function() { return __webpack_require__(18) }, - }, - - // GBK (~22000 chars) is an extension of CP936 that added user-mapped chars and some other. - 'gbk': { - type: '_dbcs', - table: function() { return __webpack_require__(18).concat(__webpack_require__(45)) }, - }, - 'xgbk': 'gbk', - 'isoir58': 'gbk', - - // GB18030 is an algorithmic extension of GBK. - // Main source: https://www.w3.org/TR/encoding/#gbk-encoder - // http://icu-project.org/docs/papers/gb18030.html - // http://source.icu-project.org/repos/icu/data/trunk/charset/data/xml/gb-18030-2000.xml - // http://www.khngai.com/chinese/charmap/tblgbk.php?page=0 - 'gb18030': { - type: '_dbcs', - table: function() { return __webpack_require__(18).concat(__webpack_require__(45)) }, - gb18030: function() { return __webpack_require__(147) }, - encodeSkipVals: [0x80], - encodeAdd: {'€': 0xA2E3}, - }, - - 'chinese': 'gb18030', - - - // == Korean =============================================================== - // EUC-KR, KS_C_5601 and KS X 1001 are exactly the same. - 'windows949': 'cp949', - 'ms949': 'cp949', - '949': 'cp949', - 'cp949': { - type: '_dbcs', - table: function() { return __webpack_require__(148) }, - }, - - 'cseuckr': 'cp949', - 'csksc56011987': 'cp949', - 'euckr': 'cp949', - 'isoir149': 'cp949', - 'korean': 'cp949', - 'ksc56011987': 'cp949', - 'ksc56011989': 'cp949', - 'ksc5601': 'cp949', - - - // == Big5/Taiwan/Hong Kong ================================================ - // There are lots of tables for Big5 and cp950. Please see the following links for history: - // http://moztw.org/docs/big5/ http://www.haible.de/bruno/charsets/conversion-tables/Big5.html - // Variations, in roughly number of defined chars: - // * Windows CP 950: Microsoft variant of Big5. Canonical: http://www.unicode.org/Public/MAPPINGS/VENDORS/MICSFT/WINDOWS/CP950.TXT - // * Windows CP 951: Microsoft variant of Big5-HKSCS-2001. Seems to be never public. http://me.abelcheung.org/articles/research/what-is-cp951/ - // * Big5-2003 (Taiwan standard) almost superset of cp950. - // * Unicode-at-on (UAO) / Mozilla 1.8. Falling out of use on the Web. Not supported by other browsers. - // * Big5-HKSCS (-2001, -2004, -2008). Hong Kong standard. - // many unicode code points moved from PUA to Supplementary plane (U+2XXXX) over the years. - // Plus, it has 4 combining sequences. - // Seems that Mozilla refused to support it for 10 yrs. https://bugzilla.mozilla.org/show_bug.cgi?id=162431 https://bugzilla.mozilla.org/show_bug.cgi?id=310299 - // because big5-hkscs is the only encoding to include astral characters in non-algorithmic way. - // Implementations are not consistent within browsers; sometimes labeled as just big5. - // MS Internet Explorer switches from big5 to big5-hkscs when a patch applied. - // Great discussion & recap of what's going on https://bugzilla.mozilla.org/show_bug.cgi?id=912470#c31 - // In the encoder, it might make sense to support encoding old PUA mappings to Big5 bytes seq-s. - // Official spec: http://www.ogcio.gov.hk/en/business/tech_promotion/ccli/terms/doc/2003cmp_2008.txt - // http://www.ogcio.gov.hk/tc/business/tech_promotion/ccli/terms/doc/hkscs-2008-big5-iso.txt - // - // Current understanding of how to deal with Big5(-HKSCS) is in the Encoding Standard, http://encoding.spec.whatwg.org/#big5-encoder - // Unicode mapping (http://www.unicode.org/Public/MAPPINGS/OBSOLETE/EASTASIA/OTHER/BIG5.TXT) is said to be wrong. - - 'windows950': 'cp950', - 'ms950': 'cp950', - '950': 'cp950', - 'cp950': { - type: '_dbcs', - table: function() { return __webpack_require__(46) }, - }, - - // Big5 has many variations and is an extension of cp950. We use Encoding Standard's as a consensus. - 'big5': 'big5hkscs', - 'big5hkscs': { - type: '_dbcs', - table: function() { return __webpack_require__(46).concat(__webpack_require__(149)) }, - encodeSkipVals: [0xa2cc], - }, - - 'cnbig5': 'big5hkscs', - 'csbig5': 'big5hkscs', - 'xxbig5': 'big5hkscs', -}; - - -/***/ }), -/* 145 */ -/***/ (function(module) { - -module.exports = [["0","\u0000",128],["a1","。",62],["8140"," 、。,.・:;?!゛゜´`¨^ ̄_ヽヾゝゞ〃仝々〆〇ー―‐/\~∥|…‥‘’“”()〔〕[]{}〈",9,"+-±×"],["8180","÷=≠<>≦≧∞∴♂♀°′″℃¥$¢£%#&*@§☆★○●◎◇◆□■△▲▽▼※〒→←↑↓〓"],["81b8","∈∋⊆⊇⊂⊃∪∩"],["81c8","∧∨¬⇒⇔∀∃"],["81da","∠⊥⌒∂∇≡≒≪≫√∽∝∵∫∬"],["81f0","ʼn♯♭♪†‡¶"],["81fc","◯"],["824f","0",9],["8260","A",25],["8281","a",25],["829f","ぁ",82],["8340","ァ",62],["8380","ム",22],["839f","Α",16,"Σ",6],["83bf","α",16,"σ",6],["8440","А",5,"ЁЖ",25],["8470","а",5,"ёж",7],["8480","о",17],["849f","─│┌┐┘└├┬┤┴┼━┃┏┓┛┗┣┳┫┻╋┠┯┨┷┿┝┰┥┸╂"],["8740","①",19,"Ⅰ",9],["875f","㍉㌔㌢㍍㌘㌧㌃㌶㍑㍗㌍㌦㌣㌫㍊㌻㎜㎝㎞㎎㎏㏄㎡"],["877e","㍻"],["8780","〝〟№㏍℡㊤",4,"㈱㈲㈹㍾㍽㍼≒≡∫∮∑√⊥∠∟⊿∵∩∪"],["889f","亜唖娃阿哀愛挨姶逢葵茜穐悪握渥旭葦芦鯵梓圧斡扱宛姐虻飴絢綾鮎或粟袷安庵按暗案闇鞍杏以伊位依偉囲夷委威尉惟意慰易椅為畏異移維緯胃萎衣謂違遺医井亥域育郁磯一壱溢逸稲茨芋鰯允印咽員因姻引飲淫胤蔭"],["8940","院陰隠韻吋右宇烏羽迂雨卯鵜窺丑碓臼渦嘘唄欝蔚鰻姥厩浦瓜閏噂云運雲荏餌叡営嬰影映曳栄永泳洩瑛盈穎頴英衛詠鋭液疫益駅悦謁越閲榎厭円"],["8980","園堰奄宴延怨掩援沿演炎焔煙燕猿縁艶苑薗遠鉛鴛塩於汚甥凹央奥往応押旺横欧殴王翁襖鴬鴎黄岡沖荻億屋憶臆桶牡乙俺卸恩温穏音下化仮何伽価佳加可嘉夏嫁家寡科暇果架歌河火珂禍禾稼箇花苛茄荷華菓蝦課嘩貨迦過霞蚊俄峨我牙画臥芽蛾賀雅餓駕介会解回塊壊廻快怪悔恢懐戒拐改"],["8a40","魁晦械海灰界皆絵芥蟹開階貝凱劾外咳害崖慨概涯碍蓋街該鎧骸浬馨蛙垣柿蛎鈎劃嚇各廓拡撹格核殻獲確穫覚角赫較郭閣隔革学岳楽額顎掛笠樫"],["8a80","橿梶鰍潟割喝恰括活渇滑葛褐轄且鰹叶椛樺鞄株兜竃蒲釜鎌噛鴨栢茅萱粥刈苅瓦乾侃冠寒刊勘勧巻喚堪姦完官寛干幹患感慣憾換敢柑桓棺款歓汗漢澗潅環甘監看竿管簡緩缶翰肝艦莞観諌貫還鑑間閑関陥韓館舘丸含岸巌玩癌眼岩翫贋雁頑顔願企伎危喜器基奇嬉寄岐希幾忌揮机旗既期棋棄"],["8b40","機帰毅気汽畿祈季稀紀徽規記貴起軌輝飢騎鬼亀偽儀妓宜戯技擬欺犠疑祇義蟻誼議掬菊鞠吉吃喫桔橘詰砧杵黍却客脚虐逆丘久仇休及吸宮弓急救"],["8b80","朽求汲泣灸球究窮笈級糾給旧牛去居巨拒拠挙渠虚許距鋸漁禦魚亨享京供侠僑兇競共凶協匡卿叫喬境峡強彊怯恐恭挟教橋況狂狭矯胸脅興蕎郷鏡響饗驚仰凝尭暁業局曲極玉桐粁僅勤均巾錦斤欣欽琴禁禽筋緊芹菌衿襟謹近金吟銀九倶句区狗玖矩苦躯駆駈駒具愚虞喰空偶寓遇隅串櫛釧屑屈"],["8c40","掘窟沓靴轡窪熊隈粂栗繰桑鍬勲君薫訓群軍郡卦袈祁係傾刑兄啓圭珪型契形径恵慶慧憩掲携敬景桂渓畦稽系経継繋罫茎荊蛍計詣警軽頚鶏芸迎鯨"],["8c80","劇戟撃激隙桁傑欠決潔穴結血訣月件倹倦健兼券剣喧圏堅嫌建憲懸拳捲検権牽犬献研硯絹県肩見謙賢軒遣鍵険顕験鹸元原厳幻弦減源玄現絃舷言諺限乎個古呼固姑孤己庫弧戸故枯湖狐糊袴股胡菰虎誇跨鈷雇顧鼓五互伍午呉吾娯後御悟梧檎瑚碁語誤護醐乞鯉交佼侯候倖光公功効勾厚口向"],["8d40","后喉坑垢好孔孝宏工巧巷幸広庚康弘恒慌抗拘控攻昂晃更杭校梗構江洪浩港溝甲皇硬稿糠紅紘絞綱耕考肯肱腔膏航荒行衡講貢購郊酵鉱砿鋼閤降"],["8d80","項香高鴻剛劫号合壕拷濠豪轟麹克刻告国穀酷鵠黒獄漉腰甑忽惚骨狛込此頃今困坤墾婚恨懇昏昆根梱混痕紺艮魂些佐叉唆嵯左差査沙瑳砂詐鎖裟坐座挫債催再最哉塞妻宰彩才採栽歳済災采犀砕砦祭斎細菜裁載際剤在材罪財冴坂阪堺榊肴咲崎埼碕鷺作削咋搾昨朔柵窄策索錯桜鮭笹匙冊刷"],["8e40","察拶撮擦札殺薩雑皐鯖捌錆鮫皿晒三傘参山惨撒散桟燦珊産算纂蚕讃賛酸餐斬暫残仕仔伺使刺司史嗣四士始姉姿子屍市師志思指支孜斯施旨枝止"],["8e80","死氏獅祉私糸紙紫肢脂至視詞詩試誌諮資賜雌飼歯事似侍児字寺慈持時次滋治爾璽痔磁示而耳自蒔辞汐鹿式識鴫竺軸宍雫七叱執失嫉室悉湿漆疾質実蔀篠偲柴芝屡蕊縞舎写射捨赦斜煮社紗者謝車遮蛇邪借勺尺杓灼爵酌釈錫若寂弱惹主取守手朱殊狩珠種腫趣酒首儒受呪寿授樹綬需囚収周"],["8f40","宗就州修愁拾洲秀秋終繍習臭舟蒐衆襲讐蹴輯週酋酬集醜什住充十従戎柔汁渋獣縦重銃叔夙宿淑祝縮粛塾熟出術述俊峻春瞬竣舜駿准循旬楯殉淳"],["8f80","準潤盾純巡遵醇順処初所暑曙渚庶緒署書薯藷諸助叙女序徐恕鋤除傷償勝匠升召哨商唱嘗奨妾娼宵将小少尚庄床廠彰承抄招掌捷昇昌昭晶松梢樟樵沼消渉湘焼焦照症省硝礁祥称章笑粧紹肖菖蒋蕉衝裳訟証詔詳象賞醤鉦鍾鐘障鞘上丈丞乗冗剰城場壌嬢常情擾条杖浄状畳穣蒸譲醸錠嘱埴飾"],["9040","拭植殖燭織職色触食蝕辱尻伸信侵唇娠寝審心慎振新晋森榛浸深申疹真神秦紳臣芯薪親診身辛進針震人仁刃塵壬尋甚尽腎訊迅陣靭笥諏須酢図厨"],["9080","逗吹垂帥推水炊睡粋翠衰遂酔錐錘随瑞髄崇嵩数枢趨雛据杉椙菅頗雀裾澄摺寸世瀬畝是凄制勢姓征性成政整星晴棲栖正清牲生盛精聖声製西誠誓請逝醒青静斉税脆隻席惜戚斥昔析石積籍績脊責赤跡蹟碩切拙接摂折設窃節説雪絶舌蝉仙先千占宣専尖川戦扇撰栓栴泉浅洗染潜煎煽旋穿箭線"],["9140","繊羨腺舛船薦詮賎践選遷銭銑閃鮮前善漸然全禅繕膳糎噌塑岨措曾曽楚狙疏疎礎祖租粗素組蘇訴阻遡鼠僧創双叢倉喪壮奏爽宋層匝惣想捜掃挿掻"],["9180","操早曹巣槍槽漕燥争痩相窓糟総綜聡草荘葬蒼藻装走送遭鎗霜騒像増憎臓蔵贈造促側則即息捉束測足速俗属賊族続卒袖其揃存孫尊損村遜他多太汰詑唾堕妥惰打柁舵楕陀駄騨体堆対耐岱帯待怠態戴替泰滞胎腿苔袋貸退逮隊黛鯛代台大第醍題鷹滝瀧卓啄宅托択拓沢濯琢託鐸濁諾茸凧蛸只"],["9240","叩但達辰奪脱巽竪辿棚谷狸鱈樽誰丹単嘆坦担探旦歎淡湛炭短端箪綻耽胆蛋誕鍛団壇弾断暖檀段男談値知地弛恥智池痴稚置致蜘遅馳築畜竹筑蓄"],["9280","逐秩窒茶嫡着中仲宙忠抽昼柱注虫衷註酎鋳駐樗瀦猪苧著貯丁兆凋喋寵帖帳庁弔張彫徴懲挑暢朝潮牒町眺聴脹腸蝶調諜超跳銚長頂鳥勅捗直朕沈珍賃鎮陳津墜椎槌追鎚痛通塚栂掴槻佃漬柘辻蔦綴鍔椿潰坪壷嬬紬爪吊釣鶴亭低停偵剃貞呈堤定帝底庭廷弟悌抵挺提梯汀碇禎程締艇訂諦蹄逓"],["9340","邸鄭釘鼎泥摘擢敵滴的笛適鏑溺哲徹撤轍迭鉄典填天展店添纏甜貼転顛点伝殿澱田電兎吐堵塗妬屠徒斗杜渡登菟賭途都鍍砥砺努度土奴怒倒党冬"],["9380","凍刀唐塔塘套宕島嶋悼投搭東桃梼棟盗淘湯涛灯燈当痘祷等答筒糖統到董蕩藤討謄豆踏逃透鐙陶頭騰闘働動同堂導憧撞洞瞳童胴萄道銅峠鴇匿得徳涜特督禿篤毒独読栃橡凸突椴届鳶苫寅酉瀞噸屯惇敦沌豚遁頓呑曇鈍奈那内乍凪薙謎灘捺鍋楢馴縄畷南楠軟難汝二尼弐迩匂賑肉虹廿日乳入"],["9440","如尿韮任妊忍認濡禰祢寧葱猫熱年念捻撚燃粘乃廼之埜嚢悩濃納能脳膿農覗蚤巴把播覇杷波派琶破婆罵芭馬俳廃拝排敗杯盃牌背肺輩配倍培媒梅"],["9480","楳煤狽買売賠陪這蝿秤矧萩伯剥博拍柏泊白箔粕舶薄迫曝漠爆縛莫駁麦函箱硲箸肇筈櫨幡肌畑畠八鉢溌発醗髪伐罰抜筏閥鳩噺塙蛤隼伴判半反叛帆搬斑板氾汎版犯班畔繁般藩販範釆煩頒飯挽晩番盤磐蕃蛮匪卑否妃庇彼悲扉批披斐比泌疲皮碑秘緋罷肥被誹費避非飛樋簸備尾微枇毘琵眉美"],["9540","鼻柊稗匹疋髭彦膝菱肘弼必畢筆逼桧姫媛紐百謬俵彪標氷漂瓢票表評豹廟描病秒苗錨鋲蒜蛭鰭品彬斌浜瀕貧賓頻敏瓶不付埠夫婦富冨布府怖扶敷"],["9580","斧普浮父符腐膚芙譜負賦赴阜附侮撫武舞葡蕪部封楓風葺蕗伏副復幅服福腹複覆淵弗払沸仏物鮒分吻噴墳憤扮焚奮粉糞紛雰文聞丙併兵塀幣平弊柄並蔽閉陛米頁僻壁癖碧別瞥蔑箆偏変片篇編辺返遍便勉娩弁鞭保舗鋪圃捕歩甫補輔穂募墓慕戊暮母簿菩倣俸包呆報奉宝峰峯崩庖抱捧放方朋"],["9640","法泡烹砲縫胞芳萌蓬蜂褒訪豊邦鋒飽鳳鵬乏亡傍剖坊妨帽忘忙房暴望某棒冒紡肪膨謀貌貿鉾防吠頬北僕卜墨撲朴牧睦穆釦勃没殆堀幌奔本翻凡盆"],["9680","摩磨魔麻埋妹昧枚毎哩槙幕膜枕鮪柾鱒桝亦俣又抹末沫迄侭繭麿万慢満漫蔓味未魅巳箕岬密蜜湊蓑稔脈妙粍民眠務夢無牟矛霧鵡椋婿娘冥名命明盟迷銘鳴姪牝滅免棉綿緬面麺摸模茂妄孟毛猛盲網耗蒙儲木黙目杢勿餅尤戻籾貰問悶紋門匁也冶夜爺耶野弥矢厄役約薬訳躍靖柳薮鑓愉愈油癒"],["9740","諭輸唯佑優勇友宥幽悠憂揖有柚湧涌猶猷由祐裕誘遊邑郵雄融夕予余与誉輿預傭幼妖容庸揚揺擁曜楊様洋溶熔用窯羊耀葉蓉要謡踊遥陽養慾抑欲"],["9780","沃浴翌翼淀羅螺裸来莱頼雷洛絡落酪乱卵嵐欄濫藍蘭覧利吏履李梨理璃痢裏裡里離陸律率立葎掠略劉流溜琉留硫粒隆竜龍侶慮旅虜了亮僚両凌寮料梁涼猟療瞭稜糧良諒遼量陵領力緑倫厘林淋燐琳臨輪隣鱗麟瑠塁涙累類令伶例冷励嶺怜玲礼苓鈴隷零霊麗齢暦歴列劣烈裂廉恋憐漣煉簾練聯"],["9840","蓮連錬呂魯櫓炉賂路露労婁廊弄朗楼榔浪漏牢狼篭老聾蝋郎六麓禄肋録論倭和話歪賄脇惑枠鷲亙亘鰐詫藁蕨椀湾碗腕"],["989f","弌丐丕个丱丶丼丿乂乖乘亂亅豫亊舒弍于亞亟亠亢亰亳亶从仍仄仆仂仗仞仭仟价伉佚估佛佝佗佇佶侈侏侘佻佩佰侑佯來侖儘俔俟俎俘俛俑俚俐俤俥倚倨倔倪倥倅伜俶倡倩倬俾俯們倆偃假會偕偐偈做偖偬偸傀傚傅傴傲"],["9940","僉僊傳僂僖僞僥僭僣僮價僵儉儁儂儖儕儔儚儡儺儷儼儻儿兀兒兌兔兢竸兩兪兮冀冂囘册冉冏冑冓冕冖冤冦冢冩冪冫决冱冲冰况冽凅凉凛几處凩凭"],["9980","凰凵凾刄刋刔刎刧刪刮刳刹剏剄剋剌剞剔剪剴剩剳剿剽劍劔劒剱劈劑辨辧劬劭劼劵勁勍勗勞勣勦飭勠勳勵勸勹匆匈甸匍匐匏匕匚匣匯匱匳匸區卆卅丗卉卍凖卞卩卮夘卻卷厂厖厠厦厥厮厰厶參簒雙叟曼燮叮叨叭叺吁吽呀听吭吼吮吶吩吝呎咏呵咎呟呱呷呰咒呻咀呶咄咐咆哇咢咸咥咬哄哈咨"],["9a40","咫哂咤咾咼哘哥哦唏唔哽哮哭哺哢唹啀啣啌售啜啅啖啗唸唳啝喙喀咯喊喟啻啾喘喞單啼喃喩喇喨嗚嗅嗟嗄嗜嗤嗔嘔嗷嘖嗾嗽嘛嗹噎噐營嘴嘶嘲嘸"],["9a80","噫噤嘯噬噪嚆嚀嚊嚠嚔嚏嚥嚮嚶嚴囂嚼囁囃囀囈囎囑囓囗囮囹圀囿圄圉圈國圍圓團圖嗇圜圦圷圸坎圻址坏坩埀垈坡坿垉垓垠垳垤垪垰埃埆埔埒埓堊埖埣堋堙堝塲堡塢塋塰毀塒堽塹墅墹墟墫墺壞墻墸墮壅壓壑壗壙壘壥壜壤壟壯壺壹壻壼壽夂夊夐夛梦夥夬夭夲夸夾竒奕奐奎奚奘奢奠奧奬奩"],["9b40","奸妁妝佞侫妣妲姆姨姜妍姙姚娥娟娑娜娉娚婀婬婉娵娶婢婪媚媼媾嫋嫂媽嫣嫗嫦嫩嫖嫺嫻嬌嬋嬖嬲嫐嬪嬶嬾孃孅孀孑孕孚孛孥孩孰孳孵學斈孺宀"],["9b80","它宦宸寃寇寉寔寐寤實寢寞寥寫寰寶寳尅將專對尓尠尢尨尸尹屁屆屎屓屐屏孱屬屮乢屶屹岌岑岔妛岫岻岶岼岷峅岾峇峙峩峽峺峭嶌峪崋崕崗嵜崟崛崑崔崢崚崙崘嵌嵒嵎嵋嵬嵳嵶嶇嶄嶂嶢嶝嶬嶮嶽嶐嶷嶼巉巍巓巒巖巛巫已巵帋帚帙帑帛帶帷幄幃幀幎幗幔幟幢幤幇幵并幺麼广庠廁廂廈廐廏"],["9c40","廖廣廝廚廛廢廡廨廩廬廱廳廰廴廸廾弃弉彝彜弋弑弖弩弭弸彁彈彌彎弯彑彖彗彙彡彭彳彷徃徂彿徊很徑徇從徙徘徠徨徭徼忖忻忤忸忱忝悳忿怡恠"],["9c80","怙怐怩怎怱怛怕怫怦怏怺恚恁恪恷恟恊恆恍恣恃恤恂恬恫恙悁悍惧悃悚悄悛悖悗悒悧悋惡悸惠惓悴忰悽惆悵惘慍愕愆惶惷愀惴惺愃愡惻惱愍愎慇愾愨愧慊愿愼愬愴愽慂慄慳慷慘慙慚慫慴慯慥慱慟慝慓慵憙憖憇憬憔憚憊憑憫憮懌懊應懷懈懃懆憺懋罹懍懦懣懶懺懴懿懽懼懾戀戈戉戍戌戔戛"],["9d40","戞戡截戮戰戲戳扁扎扞扣扛扠扨扼抂抉找抒抓抖拔抃抔拗拑抻拏拿拆擔拈拜拌拊拂拇抛拉挌拮拱挧挂挈拯拵捐挾捍搜捏掖掎掀掫捶掣掏掉掟掵捫"],["9d80","捩掾揩揀揆揣揉插揶揄搖搴搆搓搦搶攝搗搨搏摧摯摶摎攪撕撓撥撩撈撼據擒擅擇撻擘擂擱擧舉擠擡抬擣擯攬擶擴擲擺攀擽攘攜攅攤攣攫攴攵攷收攸畋效敖敕敍敘敞敝敲數斂斃變斛斟斫斷旃旆旁旄旌旒旛旙无旡旱杲昊昃旻杳昵昶昴昜晏晄晉晁晞晝晤晧晨晟晢晰暃暈暎暉暄暘暝曁暹曉暾暼"],["9e40","曄暸曖曚曠昿曦曩曰曵曷朏朖朞朦朧霸朮朿朶杁朸朷杆杞杠杙杣杤枉杰枩杼杪枌枋枦枡枅枷柯枴柬枳柩枸柤柞柝柢柮枹柎柆柧檜栞框栩桀桍栲桎"],["9e80","梳栫桙档桷桿梟梏梭梔條梛梃檮梹桴梵梠梺椏梍桾椁棊椈棘椢椦棡椌棍棔棧棕椶椒椄棗棣椥棹棠棯椨椪椚椣椡棆楹楷楜楸楫楔楾楮椹楴椽楙椰楡楞楝榁楪榲榮槐榿槁槓榾槎寨槊槝榻槃榧樮榑榠榜榕榴槞槨樂樛槿權槹槲槧樅榱樞槭樔槫樊樒櫁樣樓橄樌橲樶橸橇橢橙橦橈樸樢檐檍檠檄檢檣"],["9f40","檗蘗檻櫃櫂檸檳檬櫞櫑櫟檪櫚櫪櫻欅蘖櫺欒欖鬱欟欸欷盜欹飮歇歃歉歐歙歔歛歟歡歸歹歿殀殄殃殍殘殕殞殤殪殫殯殲殱殳殷殼毆毋毓毟毬毫毳毯"],["9f80","麾氈氓气氛氤氣汞汕汢汪沂沍沚沁沛汾汨汳沒沐泄泱泓沽泗泅泝沮沱沾沺泛泯泙泪洟衍洶洫洽洸洙洵洳洒洌浣涓浤浚浹浙涎涕濤涅淹渕渊涵淇淦涸淆淬淞淌淨淒淅淺淙淤淕淪淮渭湮渮渙湲湟渾渣湫渫湶湍渟湃渺湎渤滿渝游溂溪溘滉溷滓溽溯滄溲滔滕溏溥滂溟潁漑灌滬滸滾漿滲漱滯漲滌"],["e040","漾漓滷澆潺潸澁澀潯潛濳潭澂潼潘澎澑濂潦澳澣澡澤澹濆澪濟濕濬濔濘濱濮濛瀉瀋濺瀑瀁瀏濾瀛瀚潴瀝瀘瀟瀰瀾瀲灑灣炙炒炯烱炬炸炳炮烟烋烝"],["e080","烙焉烽焜焙煥煕熈煦煢煌煖煬熏燻熄熕熨熬燗熹熾燒燉燔燎燠燬燧燵燼燹燿爍爐爛爨爭爬爰爲爻爼爿牀牆牋牘牴牾犂犁犇犒犖犢犧犹犲狃狆狄狎狒狢狠狡狹狷倏猗猊猜猖猝猴猯猩猥猾獎獏默獗獪獨獰獸獵獻獺珈玳珎玻珀珥珮珞璢琅瑯琥珸琲琺瑕琿瑟瑙瑁瑜瑩瑰瑣瑪瑶瑾璋璞璧瓊瓏瓔珱"],["e140","瓠瓣瓧瓩瓮瓲瓰瓱瓸瓷甄甃甅甌甎甍甕甓甞甦甬甼畄畍畊畉畛畆畚畩畤畧畫畭畸當疆疇畴疊疉疂疔疚疝疥疣痂疳痃疵疽疸疼疱痍痊痒痙痣痞痾痿"],["e180","痼瘁痰痺痲痳瘋瘍瘉瘟瘧瘠瘡瘢瘤瘴瘰瘻癇癈癆癜癘癡癢癨癩癪癧癬癰癲癶癸發皀皃皈皋皎皖皓皙皚皰皴皸皹皺盂盍盖盒盞盡盥盧盪蘯盻眈眇眄眩眤眞眥眦眛眷眸睇睚睨睫睛睥睿睾睹瞎瞋瞑瞠瞞瞰瞶瞹瞿瞼瞽瞻矇矍矗矚矜矣矮矼砌砒礦砠礪硅碎硴碆硼碚碌碣碵碪碯磑磆磋磔碾碼磅磊磬"],["e240","磧磚磽磴礇礒礑礙礬礫祀祠祗祟祚祕祓祺祿禊禝禧齋禪禮禳禹禺秉秕秧秬秡秣稈稍稘稙稠稟禀稱稻稾稷穃穗穉穡穢穩龝穰穹穽窈窗窕窘窖窩竈窰"],["e280","窶竅竄窿邃竇竊竍竏竕竓站竚竝竡竢竦竭竰笂笏笊笆笳笘笙笞笵笨笶筐筺笄筍笋筌筅筵筥筴筧筰筱筬筮箝箘箟箍箜箚箋箒箏筝箙篋篁篌篏箴篆篝篩簑簔篦篥籠簀簇簓篳篷簗簍篶簣簧簪簟簷簫簽籌籃籔籏籀籐籘籟籤籖籥籬籵粃粐粤粭粢粫粡粨粳粲粱粮粹粽糀糅糂糘糒糜糢鬻糯糲糴糶糺紆"],["e340","紂紜紕紊絅絋紮紲紿紵絆絳絖絎絲絨絮絏絣經綉絛綏絽綛綺綮綣綵緇綽綫總綢綯緜綸綟綰緘緝緤緞緻緲緡縅縊縣縡縒縱縟縉縋縢繆繦縻縵縹繃縷"],["e380","縲縺繧繝繖繞繙繚繹繪繩繼繻纃緕繽辮繿纈纉續纒纐纓纔纖纎纛纜缸缺罅罌罍罎罐网罕罔罘罟罠罨罩罧罸羂羆羃羈羇羌羔羞羝羚羣羯羲羹羮羶羸譱翅翆翊翕翔翡翦翩翳翹飜耆耄耋耒耘耙耜耡耨耿耻聊聆聒聘聚聟聢聨聳聲聰聶聹聽聿肄肆肅肛肓肚肭冐肬胛胥胙胝胄胚胖脉胯胱脛脩脣脯腋"],["e440","隋腆脾腓腑胼腱腮腥腦腴膃膈膊膀膂膠膕膤膣腟膓膩膰膵膾膸膽臀臂膺臉臍臑臙臘臈臚臟臠臧臺臻臾舁舂舅與舊舍舐舖舩舫舸舳艀艙艘艝艚艟艤"],["e480","艢艨艪艫舮艱艷艸艾芍芒芫芟芻芬苡苣苟苒苴苳苺莓范苻苹苞茆苜茉苙茵茴茖茲茱荀茹荐荅茯茫茗茘莅莚莪莟莢莖茣莎莇莊荼莵荳荵莠莉莨菴萓菫菎菽萃菘萋菁菷萇菠菲萍萢萠莽萸蔆菻葭萪萼蕚蒄葷葫蒭葮蒂葩葆萬葯葹萵蓊葢蒹蒿蒟蓙蓍蒻蓚蓐蓁蓆蓖蒡蔡蓿蓴蔗蔘蔬蔟蔕蔔蓼蕀蕣蕘蕈"],["e540","蕁蘂蕋蕕薀薤薈薑薊薨蕭薔薛藪薇薜蕷蕾薐藉薺藏薹藐藕藝藥藜藹蘊蘓蘋藾藺蘆蘢蘚蘰蘿虍乕虔號虧虱蚓蚣蚩蚪蚋蚌蚶蚯蛄蛆蚰蛉蠣蚫蛔蛞蛩蛬"],["e580","蛟蛛蛯蜒蜆蜈蜀蜃蛻蜑蜉蜍蛹蜊蜴蜿蜷蜻蜥蜩蜚蝠蝟蝸蝌蝎蝴蝗蝨蝮蝙蝓蝣蝪蠅螢螟螂螯蟋螽蟀蟐雖螫蟄螳蟇蟆螻蟯蟲蟠蠏蠍蟾蟶蟷蠎蟒蠑蠖蠕蠢蠡蠱蠶蠹蠧蠻衄衂衒衙衞衢衫袁衾袞衵衽袵衲袂袗袒袮袙袢袍袤袰袿袱裃裄裔裘裙裝裹褂裼裴裨裲褄褌褊褓襃褞褥褪褫襁襄褻褶褸襌褝襠襞"],["e640","襦襤襭襪襯襴襷襾覃覈覊覓覘覡覩覦覬覯覲覺覽覿觀觚觜觝觧觴觸訃訖訐訌訛訝訥訶詁詛詒詆詈詼詭詬詢誅誂誄誨誡誑誥誦誚誣諄諍諂諚諫諳諧"],["e680","諤諱謔諠諢諷諞諛謌謇謚諡謖謐謗謠謳鞫謦謫謾謨譁譌譏譎證譖譛譚譫譟譬譯譴譽讀讌讎讒讓讖讙讚谺豁谿豈豌豎豐豕豢豬豸豺貂貉貅貊貍貎貔豼貘戝貭貪貽貲貳貮貶賈賁賤賣賚賽賺賻贄贅贊贇贏贍贐齎贓賍贔贖赧赭赱赳趁趙跂趾趺跏跚跖跌跛跋跪跫跟跣跼踈踉跿踝踞踐踟蹂踵踰踴蹊"],["e740","蹇蹉蹌蹐蹈蹙蹤蹠踪蹣蹕蹶蹲蹼躁躇躅躄躋躊躓躑躔躙躪躡躬躰軆躱躾軅軈軋軛軣軼軻軫軾輊輅輕輒輙輓輜輟輛輌輦輳輻輹轅轂輾轌轉轆轎轗轜"],["e780","轢轣轤辜辟辣辭辯辷迚迥迢迪迯邇迴逅迹迺逑逕逡逍逞逖逋逧逶逵逹迸遏遐遑遒逎遉逾遖遘遞遨遯遶隨遲邂遽邁邀邊邉邏邨邯邱邵郢郤扈郛鄂鄒鄙鄲鄰酊酖酘酣酥酩酳酲醋醉醂醢醫醯醪醵醴醺釀釁釉釋釐釖釟釡釛釼釵釶鈞釿鈔鈬鈕鈑鉞鉗鉅鉉鉤鉈銕鈿鉋鉐銜銖銓銛鉚鋏銹銷鋩錏鋺鍄錮"],["e840","錙錢錚錣錺錵錻鍜鍠鍼鍮鍖鎰鎬鎭鎔鎹鏖鏗鏨鏥鏘鏃鏝鏐鏈鏤鐚鐔鐓鐃鐇鐐鐶鐫鐵鐡鐺鑁鑒鑄鑛鑠鑢鑞鑪鈩鑰鑵鑷鑽鑚鑼鑾钁鑿閂閇閊閔閖閘閙"],["e880","閠閨閧閭閼閻閹閾闊濶闃闍闌闕闔闖關闡闥闢阡阨阮阯陂陌陏陋陷陜陞陝陟陦陲陬隍隘隕隗險隧隱隲隰隴隶隸隹雎雋雉雍襍雜霍雕雹霄霆霈霓霎霑霏霖霙霤霪霰霹霽霾靄靆靈靂靉靜靠靤靦靨勒靫靱靹鞅靼鞁靺鞆鞋鞏鞐鞜鞨鞦鞣鞳鞴韃韆韈韋韜韭齏韲竟韶韵頏頌頸頤頡頷頽顆顏顋顫顯顰"],["e940","顱顴顳颪颯颱颶飄飃飆飩飫餃餉餒餔餘餡餝餞餤餠餬餮餽餾饂饉饅饐饋饑饒饌饕馗馘馥馭馮馼駟駛駝駘駑駭駮駱駲駻駸騁騏騅駢騙騫騷驅驂驀驃"],["e980","騾驕驍驛驗驟驢驥驤驩驫驪骭骰骼髀髏髑髓體髞髟髢髣髦髯髫髮髴髱髷髻鬆鬘鬚鬟鬢鬣鬥鬧鬨鬩鬪鬮鬯鬲魄魃魏魍魎魑魘魴鮓鮃鮑鮖鮗鮟鮠鮨鮴鯀鯊鮹鯆鯏鯑鯒鯣鯢鯤鯔鯡鰺鯲鯱鯰鰕鰔鰉鰓鰌鰆鰈鰒鰊鰄鰮鰛鰥鰤鰡鰰鱇鰲鱆鰾鱚鱠鱧鱶鱸鳧鳬鳰鴉鴈鳫鴃鴆鴪鴦鶯鴣鴟鵄鴕鴒鵁鴿鴾鵆鵈"],["ea40","鵝鵞鵤鵑鵐鵙鵲鶉鶇鶫鵯鵺鶚鶤鶩鶲鷄鷁鶻鶸鶺鷆鷏鷂鷙鷓鷸鷦鷭鷯鷽鸚鸛鸞鹵鹹鹽麁麈麋麌麒麕麑麝麥麩麸麪麭靡黌黎黏黐黔黜點黝黠黥黨黯"],["ea80","黴黶黷黹黻黼黽鼇鼈皷鼕鼡鼬鼾齊齒齔齣齟齠齡齦齧齬齪齷齲齶龕龜龠堯槇遙瑤凜熙"],["ed40","纊褜鍈銈蓜俉炻昱棈鋹曻彅丨仡仼伀伃伹佖侒侊侚侔俍偀倢俿倞偆偰偂傔僴僘兊兤冝冾凬刕劜劦勀勛匀匇匤卲厓厲叝﨎咜咊咩哿喆坙坥垬埈埇﨏"],["ed80","塚增墲夋奓奛奝奣妤妺孖寀甯寘寬尞岦岺峵崧嵓﨑嵂嵭嶸嶹巐弡弴彧德忞恝悅悊惞惕愠惲愑愷愰憘戓抦揵摠撝擎敎昀昕昻昉昮昞昤晥晗晙晴晳暙暠暲暿曺朎朗杦枻桒柀栁桄棏﨓楨﨔榘槢樰橫橆橳橾櫢櫤毖氿汜沆汯泚洄涇浯涖涬淏淸淲淼渹湜渧渼溿澈澵濵瀅瀇瀨炅炫焏焄煜煆煇凞燁燾犱"],["ee40","犾猤猪獷玽珉珖珣珒琇珵琦琪琩琮瑢璉璟甁畯皂皜皞皛皦益睆劯砡硎硤硺礰礼神祥禔福禛竑竧靖竫箞精絈絜綷綠緖繒罇羡羽茁荢荿菇菶葈蒴蕓蕙"],["ee80","蕫﨟薰蘒﨡蠇裵訒訷詹誧誾諟諸諶譓譿賰賴贒赶﨣軏﨤逸遧郞都鄕鄧釚釗釞釭釮釤釥鈆鈐鈊鈺鉀鈼鉎鉙鉑鈹鉧銧鉷鉸鋧鋗鋙鋐﨧鋕鋠鋓錥錡鋻﨨錞鋿錝錂鍰鍗鎤鏆鏞鏸鐱鑅鑈閒隆﨩隝隯霳霻靃靍靏靑靕顗顥飯飼餧館馞驎髙髜魵魲鮏鮱鮻鰀鵰鵫鶴鸙黑"],["eeef","ⅰ",9,"¬¦'""],["f040","",62],["f080","",124],["f140","",62],["f180","",124],["f240","",62],["f280","",124],["f340","",62],["f380","",124],["f440","",62],["f480","",124],["f540","",62],["f580","",124],["f640","",62],["f680","",124],["f740","",62],["f780","",124],["f840","",62],["f880","",124],["f940",""],["fa40","ⅰ",9,"Ⅰ",9,"¬¦'"㈱№℡∵纊褜鍈銈蓜俉炻昱棈鋹曻彅丨仡仼伀伃伹佖侒侊侚侔俍偀倢俿倞偆偰偂傔僴僘兊"],["fa80","兤冝冾凬刕劜劦勀勛匀匇匤卲厓厲叝﨎咜咊咩哿喆坙坥垬埈埇﨏塚增墲夋奓奛奝奣妤妺孖寀甯寘寬尞岦岺峵崧嵓﨑嵂嵭嶸嶹巐弡弴彧德忞恝悅悊惞惕愠惲愑愷愰憘戓抦揵摠撝擎敎昀昕昻昉昮昞昤晥晗晙晴晳暙暠暲暿曺朎朗杦枻桒柀栁桄棏﨓楨﨔榘槢樰橫橆橳橾櫢櫤毖氿汜沆汯泚洄涇浯"],["fb40","涖涬淏淸淲淼渹湜渧渼溿澈澵濵瀅瀇瀨炅炫焏焄煜煆煇凞燁燾犱犾猤猪獷玽珉珖珣珒琇珵琦琪琩琮瑢璉璟甁畯皂皜皞皛皦益睆劯砡硎硤硺礰礼神"],["fb80","祥禔福禛竑竧靖竫箞精絈絜綷綠緖繒罇羡羽茁荢荿菇菶葈蒴蕓蕙蕫﨟薰蘒﨡蠇裵訒訷詹誧誾諟諸諶譓譿賰賴贒赶﨣軏﨤逸遧郞都鄕鄧釚釗釞釭釮釤釥鈆鈐鈊鈺鉀鈼鉎鉙鉑鈹鉧銧鉷鉸鋧鋗鋙鋐﨧鋕鋠鋓錥錡鋻﨨錞鋿錝錂鍰鍗鎤鏆鏞鏸鐱鑅鑈閒隆﨩隝隯霳霻靃靍靏靑靕顗顥飯飼餧館馞驎髙"],["fc40","髜魵魲鮏鮱鮻鰀鵰鵫鶴鸙黑"]]; - -/***/ }), -/* 146 */ -/***/ (function(module) { - -module.exports = [["0","\u0000",127],["8ea1","。",62],["a1a1"," 、。,.・:;?!゛゜´`¨^ ̄_ヽヾゝゞ〃仝々〆〇ー―‐/\~∥|…‥‘’“”()〔〕[]{}〈",9,"+-±×÷=≠<>≦≧∞∴♂♀°′″℃¥$¢£%#&*@§☆★○●◎◇"],["a2a1","◆□■△▲▽▼※〒→←↑↓〓"],["a2ba","∈∋⊆⊇⊂⊃∪∩"],["a2ca","∧∨¬⇒⇔∀∃"],["a2dc","∠⊥⌒∂∇≡≒≪≫√∽∝∵∫∬"],["a2f2","ʼn♯♭♪†‡¶"],["a2fe","◯"],["a3b0","0",9],["a3c1","A",25],["a3e1","a",25],["a4a1","ぁ",82],["a5a1","ァ",85],["a6a1","Α",16,"Σ",6],["a6c1","α",16,"σ",6],["a7a1","А",5,"ЁЖ",25],["a7d1","а",5,"ёж",25],["a8a1","─│┌┐┘└├┬┤┴┼━┃┏┓┛┗┣┳┫┻╋┠┯┨┷┿┝┰┥┸╂"],["ada1","①",19,"Ⅰ",9],["adc0","㍉㌔㌢㍍㌘㌧㌃㌶㍑㍗㌍㌦㌣㌫㍊㌻㎜㎝㎞㎎㎏㏄㎡"],["addf","㍻〝〟№㏍℡㊤",4,"㈱㈲㈹㍾㍽㍼≒≡∫∮∑√⊥∠∟⊿∵∩∪"],["b0a1","亜唖娃阿哀愛挨姶逢葵茜穐悪握渥旭葦芦鯵梓圧斡扱宛姐虻飴絢綾鮎或粟袷安庵按暗案闇鞍杏以伊位依偉囲夷委威尉惟意慰易椅為畏異移維緯胃萎衣謂違遺医井亥域育郁磯一壱溢逸稲茨芋鰯允印咽員因姻引飲淫胤蔭"],["b1a1","院陰隠韻吋右宇烏羽迂雨卯鵜窺丑碓臼渦嘘唄欝蔚鰻姥厩浦瓜閏噂云運雲荏餌叡営嬰影映曳栄永泳洩瑛盈穎頴英衛詠鋭液疫益駅悦謁越閲榎厭円園堰奄宴延怨掩援沿演炎焔煙燕猿縁艶苑薗遠鉛鴛塩於汚甥凹央奥往応"],["b2a1","押旺横欧殴王翁襖鴬鴎黄岡沖荻億屋憶臆桶牡乙俺卸恩温穏音下化仮何伽価佳加可嘉夏嫁家寡科暇果架歌河火珂禍禾稼箇花苛茄荷華菓蝦課嘩貨迦過霞蚊俄峨我牙画臥芽蛾賀雅餓駕介会解回塊壊廻快怪悔恢懐戒拐改"],["b3a1","魁晦械海灰界皆絵芥蟹開階貝凱劾外咳害崖慨概涯碍蓋街該鎧骸浬馨蛙垣柿蛎鈎劃嚇各廓拡撹格核殻獲確穫覚角赫較郭閣隔革学岳楽額顎掛笠樫橿梶鰍潟割喝恰括活渇滑葛褐轄且鰹叶椛樺鞄株兜竃蒲釜鎌噛鴨栢茅萱"],["b4a1","粥刈苅瓦乾侃冠寒刊勘勧巻喚堪姦完官寛干幹患感慣憾換敢柑桓棺款歓汗漢澗潅環甘監看竿管簡緩缶翰肝艦莞観諌貫還鑑間閑関陥韓館舘丸含岸巌玩癌眼岩翫贋雁頑顔願企伎危喜器基奇嬉寄岐希幾忌揮机旗既期棋棄"],["b5a1","機帰毅気汽畿祈季稀紀徽規記貴起軌輝飢騎鬼亀偽儀妓宜戯技擬欺犠疑祇義蟻誼議掬菊鞠吉吃喫桔橘詰砧杵黍却客脚虐逆丘久仇休及吸宮弓急救朽求汲泣灸球究窮笈級糾給旧牛去居巨拒拠挙渠虚許距鋸漁禦魚亨享京"],["b6a1","供侠僑兇競共凶協匡卿叫喬境峡強彊怯恐恭挟教橋況狂狭矯胸脅興蕎郷鏡響饗驚仰凝尭暁業局曲極玉桐粁僅勤均巾錦斤欣欽琴禁禽筋緊芹菌衿襟謹近金吟銀九倶句区狗玖矩苦躯駆駈駒具愚虞喰空偶寓遇隅串櫛釧屑屈"],["b7a1","掘窟沓靴轡窪熊隈粂栗繰桑鍬勲君薫訓群軍郡卦袈祁係傾刑兄啓圭珪型契形径恵慶慧憩掲携敬景桂渓畦稽系経継繋罫茎荊蛍計詣警軽頚鶏芸迎鯨劇戟撃激隙桁傑欠決潔穴結血訣月件倹倦健兼券剣喧圏堅嫌建憲懸拳捲"],["b8a1","検権牽犬献研硯絹県肩見謙賢軒遣鍵険顕験鹸元原厳幻弦減源玄現絃舷言諺限乎個古呼固姑孤己庫弧戸故枯湖狐糊袴股胡菰虎誇跨鈷雇顧鼓五互伍午呉吾娯後御悟梧檎瑚碁語誤護醐乞鯉交佼侯候倖光公功効勾厚口向"],["b9a1","后喉坑垢好孔孝宏工巧巷幸広庚康弘恒慌抗拘控攻昂晃更杭校梗構江洪浩港溝甲皇硬稿糠紅紘絞綱耕考肯肱腔膏航荒行衡講貢購郊酵鉱砿鋼閤降項香高鴻剛劫号合壕拷濠豪轟麹克刻告国穀酷鵠黒獄漉腰甑忽惚骨狛込"],["baa1","此頃今困坤墾婚恨懇昏昆根梱混痕紺艮魂些佐叉唆嵯左差査沙瑳砂詐鎖裟坐座挫債催再最哉塞妻宰彩才採栽歳済災采犀砕砦祭斎細菜裁載際剤在材罪財冴坂阪堺榊肴咲崎埼碕鷺作削咋搾昨朔柵窄策索錯桜鮭笹匙冊刷"],["bba1","察拶撮擦札殺薩雑皐鯖捌錆鮫皿晒三傘参山惨撒散桟燦珊産算纂蚕讃賛酸餐斬暫残仕仔伺使刺司史嗣四士始姉姿子屍市師志思指支孜斯施旨枝止死氏獅祉私糸紙紫肢脂至視詞詩試誌諮資賜雌飼歯事似侍児字寺慈持時"],["bca1","次滋治爾璽痔磁示而耳自蒔辞汐鹿式識鴫竺軸宍雫七叱執失嫉室悉湿漆疾質実蔀篠偲柴芝屡蕊縞舎写射捨赦斜煮社紗者謝車遮蛇邪借勺尺杓灼爵酌釈錫若寂弱惹主取守手朱殊狩珠種腫趣酒首儒受呪寿授樹綬需囚収周"],["bda1","宗就州修愁拾洲秀秋終繍習臭舟蒐衆襲讐蹴輯週酋酬集醜什住充十従戎柔汁渋獣縦重銃叔夙宿淑祝縮粛塾熟出術述俊峻春瞬竣舜駿准循旬楯殉淳準潤盾純巡遵醇順処初所暑曙渚庶緒署書薯藷諸助叙女序徐恕鋤除傷償"],["bea1","勝匠升召哨商唱嘗奨妾娼宵将小少尚庄床廠彰承抄招掌捷昇昌昭晶松梢樟樵沼消渉湘焼焦照症省硝礁祥称章笑粧紹肖菖蒋蕉衝裳訟証詔詳象賞醤鉦鍾鐘障鞘上丈丞乗冗剰城場壌嬢常情擾条杖浄状畳穣蒸譲醸錠嘱埴飾"],["bfa1","拭植殖燭織職色触食蝕辱尻伸信侵唇娠寝審心慎振新晋森榛浸深申疹真神秦紳臣芯薪親診身辛進針震人仁刃塵壬尋甚尽腎訊迅陣靭笥諏須酢図厨逗吹垂帥推水炊睡粋翠衰遂酔錐錘随瑞髄崇嵩数枢趨雛据杉椙菅頗雀裾"],["c0a1","澄摺寸世瀬畝是凄制勢姓征性成政整星晴棲栖正清牲生盛精聖声製西誠誓請逝醒青静斉税脆隻席惜戚斥昔析石積籍績脊責赤跡蹟碩切拙接摂折設窃節説雪絶舌蝉仙先千占宣専尖川戦扇撰栓栴泉浅洗染潜煎煽旋穿箭線"],["c1a1","繊羨腺舛船薦詮賎践選遷銭銑閃鮮前善漸然全禅繕膳糎噌塑岨措曾曽楚狙疏疎礎祖租粗素組蘇訴阻遡鼠僧創双叢倉喪壮奏爽宋層匝惣想捜掃挿掻操早曹巣槍槽漕燥争痩相窓糟総綜聡草荘葬蒼藻装走送遭鎗霜騒像増憎"],["c2a1","臓蔵贈造促側則即息捉束測足速俗属賊族続卒袖其揃存孫尊損村遜他多太汰詑唾堕妥惰打柁舵楕陀駄騨体堆対耐岱帯待怠態戴替泰滞胎腿苔袋貸退逮隊黛鯛代台大第醍題鷹滝瀧卓啄宅托択拓沢濯琢託鐸濁諾茸凧蛸只"],["c3a1","叩但達辰奪脱巽竪辿棚谷狸鱈樽誰丹単嘆坦担探旦歎淡湛炭短端箪綻耽胆蛋誕鍛団壇弾断暖檀段男談値知地弛恥智池痴稚置致蜘遅馳築畜竹筑蓄逐秩窒茶嫡着中仲宙忠抽昼柱注虫衷註酎鋳駐樗瀦猪苧著貯丁兆凋喋寵"],["c4a1","帖帳庁弔張彫徴懲挑暢朝潮牒町眺聴脹腸蝶調諜超跳銚長頂鳥勅捗直朕沈珍賃鎮陳津墜椎槌追鎚痛通塚栂掴槻佃漬柘辻蔦綴鍔椿潰坪壷嬬紬爪吊釣鶴亭低停偵剃貞呈堤定帝底庭廷弟悌抵挺提梯汀碇禎程締艇訂諦蹄逓"],["c5a1","邸鄭釘鼎泥摘擢敵滴的笛適鏑溺哲徹撤轍迭鉄典填天展店添纏甜貼転顛点伝殿澱田電兎吐堵塗妬屠徒斗杜渡登菟賭途都鍍砥砺努度土奴怒倒党冬凍刀唐塔塘套宕島嶋悼投搭東桃梼棟盗淘湯涛灯燈当痘祷等答筒糖統到"],["c6a1","董蕩藤討謄豆踏逃透鐙陶頭騰闘働動同堂導憧撞洞瞳童胴萄道銅峠鴇匿得徳涜特督禿篤毒独読栃橡凸突椴届鳶苫寅酉瀞噸屯惇敦沌豚遁頓呑曇鈍奈那内乍凪薙謎灘捺鍋楢馴縄畷南楠軟難汝二尼弐迩匂賑肉虹廿日乳入"],["c7a1","如尿韮任妊忍認濡禰祢寧葱猫熱年念捻撚燃粘乃廼之埜嚢悩濃納能脳膿農覗蚤巴把播覇杷波派琶破婆罵芭馬俳廃拝排敗杯盃牌背肺輩配倍培媒梅楳煤狽買売賠陪這蝿秤矧萩伯剥博拍柏泊白箔粕舶薄迫曝漠爆縛莫駁麦"],["c8a1","函箱硲箸肇筈櫨幡肌畑畠八鉢溌発醗髪伐罰抜筏閥鳩噺塙蛤隼伴判半反叛帆搬斑板氾汎版犯班畔繁般藩販範釆煩頒飯挽晩番盤磐蕃蛮匪卑否妃庇彼悲扉批披斐比泌疲皮碑秘緋罷肥被誹費避非飛樋簸備尾微枇毘琵眉美"],["c9a1","鼻柊稗匹疋髭彦膝菱肘弼必畢筆逼桧姫媛紐百謬俵彪標氷漂瓢票表評豹廟描病秒苗錨鋲蒜蛭鰭品彬斌浜瀕貧賓頻敏瓶不付埠夫婦富冨布府怖扶敷斧普浮父符腐膚芙譜負賦赴阜附侮撫武舞葡蕪部封楓風葺蕗伏副復幅服"],["caa1","福腹複覆淵弗払沸仏物鮒分吻噴墳憤扮焚奮粉糞紛雰文聞丙併兵塀幣平弊柄並蔽閉陛米頁僻壁癖碧別瞥蔑箆偏変片篇編辺返遍便勉娩弁鞭保舗鋪圃捕歩甫補輔穂募墓慕戊暮母簿菩倣俸包呆報奉宝峰峯崩庖抱捧放方朋"],["cba1","法泡烹砲縫胞芳萌蓬蜂褒訪豊邦鋒飽鳳鵬乏亡傍剖坊妨帽忘忙房暴望某棒冒紡肪膨謀貌貿鉾防吠頬北僕卜墨撲朴牧睦穆釦勃没殆堀幌奔本翻凡盆摩磨魔麻埋妹昧枚毎哩槙幕膜枕鮪柾鱒桝亦俣又抹末沫迄侭繭麿万慢満"],["cca1","漫蔓味未魅巳箕岬密蜜湊蓑稔脈妙粍民眠務夢無牟矛霧鵡椋婿娘冥名命明盟迷銘鳴姪牝滅免棉綿緬面麺摸模茂妄孟毛猛盲網耗蒙儲木黙目杢勿餅尤戻籾貰問悶紋門匁也冶夜爺耶野弥矢厄役約薬訳躍靖柳薮鑓愉愈油癒"],["cda1","諭輸唯佑優勇友宥幽悠憂揖有柚湧涌猶猷由祐裕誘遊邑郵雄融夕予余与誉輿預傭幼妖容庸揚揺擁曜楊様洋溶熔用窯羊耀葉蓉要謡踊遥陽養慾抑欲沃浴翌翼淀羅螺裸来莱頼雷洛絡落酪乱卵嵐欄濫藍蘭覧利吏履李梨理璃"],["cea1","痢裏裡里離陸律率立葎掠略劉流溜琉留硫粒隆竜龍侶慮旅虜了亮僚両凌寮料梁涼猟療瞭稜糧良諒遼量陵領力緑倫厘林淋燐琳臨輪隣鱗麟瑠塁涙累類令伶例冷励嶺怜玲礼苓鈴隷零霊麗齢暦歴列劣烈裂廉恋憐漣煉簾練聯"],["cfa1","蓮連錬呂魯櫓炉賂路露労婁廊弄朗楼榔浪漏牢狼篭老聾蝋郎六麓禄肋録論倭和話歪賄脇惑枠鷲亙亘鰐詫藁蕨椀湾碗腕"],["d0a1","弌丐丕个丱丶丼丿乂乖乘亂亅豫亊舒弍于亞亟亠亢亰亳亶从仍仄仆仂仗仞仭仟价伉佚估佛佝佗佇佶侈侏侘佻佩佰侑佯來侖儘俔俟俎俘俛俑俚俐俤俥倚倨倔倪倥倅伜俶倡倩倬俾俯們倆偃假會偕偐偈做偖偬偸傀傚傅傴傲"],["d1a1","僉僊傳僂僖僞僥僭僣僮價僵儉儁儂儖儕儔儚儡儺儷儼儻儿兀兒兌兔兢竸兩兪兮冀冂囘册冉冏冑冓冕冖冤冦冢冩冪冫决冱冲冰况冽凅凉凛几處凩凭凰凵凾刄刋刔刎刧刪刮刳刹剏剄剋剌剞剔剪剴剩剳剿剽劍劔劒剱劈劑辨"],["d2a1","辧劬劭劼劵勁勍勗勞勣勦飭勠勳勵勸勹匆匈甸匍匐匏匕匚匣匯匱匳匸區卆卅丗卉卍凖卞卩卮夘卻卷厂厖厠厦厥厮厰厶參簒雙叟曼燮叮叨叭叺吁吽呀听吭吼吮吶吩吝呎咏呵咎呟呱呷呰咒呻咀呶咄咐咆哇咢咸咥咬哄哈咨"],["d3a1","咫哂咤咾咼哘哥哦唏唔哽哮哭哺哢唹啀啣啌售啜啅啖啗唸唳啝喙喀咯喊喟啻啾喘喞單啼喃喩喇喨嗚嗅嗟嗄嗜嗤嗔嘔嗷嘖嗾嗽嘛嗹噎噐營嘴嘶嘲嘸噫噤嘯噬噪嚆嚀嚊嚠嚔嚏嚥嚮嚶嚴囂嚼囁囃囀囈囎囑囓囗囮囹圀囿圄圉"],["d4a1","圈國圍圓團圖嗇圜圦圷圸坎圻址坏坩埀垈坡坿垉垓垠垳垤垪垰埃埆埔埒埓堊埖埣堋堙堝塲堡塢塋塰毀塒堽塹墅墹墟墫墺壞墻墸墮壅壓壑壗壙壘壥壜壤壟壯壺壹壻壼壽夂夊夐夛梦夥夬夭夲夸夾竒奕奐奎奚奘奢奠奧奬奩"],["d5a1","奸妁妝佞侫妣妲姆姨姜妍姙姚娥娟娑娜娉娚婀婬婉娵娶婢婪媚媼媾嫋嫂媽嫣嫗嫦嫩嫖嫺嫻嬌嬋嬖嬲嫐嬪嬶嬾孃孅孀孑孕孚孛孥孩孰孳孵學斈孺宀它宦宸寃寇寉寔寐寤實寢寞寥寫寰寶寳尅將專對尓尠尢尨尸尹屁屆屎屓"],["d6a1","屐屏孱屬屮乢屶屹岌岑岔妛岫岻岶岼岷峅岾峇峙峩峽峺峭嶌峪崋崕崗嵜崟崛崑崔崢崚崙崘嵌嵒嵎嵋嵬嵳嵶嶇嶄嶂嶢嶝嶬嶮嶽嶐嶷嶼巉巍巓巒巖巛巫已巵帋帚帙帑帛帶帷幄幃幀幎幗幔幟幢幤幇幵并幺麼广庠廁廂廈廐廏"],["d7a1","廖廣廝廚廛廢廡廨廩廬廱廳廰廴廸廾弃弉彝彜弋弑弖弩弭弸彁彈彌彎弯彑彖彗彙彡彭彳彷徃徂彿徊很徑徇從徙徘徠徨徭徼忖忻忤忸忱忝悳忿怡恠怙怐怩怎怱怛怕怫怦怏怺恚恁恪恷恟恊恆恍恣恃恤恂恬恫恙悁悍惧悃悚"],["d8a1","悄悛悖悗悒悧悋惡悸惠惓悴忰悽惆悵惘慍愕愆惶惷愀惴惺愃愡惻惱愍愎慇愾愨愧慊愿愼愬愴愽慂慄慳慷慘慙慚慫慴慯慥慱慟慝慓慵憙憖憇憬憔憚憊憑憫憮懌懊應懷懈懃懆憺懋罹懍懦懣懶懺懴懿懽懼懾戀戈戉戍戌戔戛"],["d9a1","戞戡截戮戰戲戳扁扎扞扣扛扠扨扼抂抉找抒抓抖拔抃抔拗拑抻拏拿拆擔拈拜拌拊拂拇抛拉挌拮拱挧挂挈拯拵捐挾捍搜捏掖掎掀掫捶掣掏掉掟掵捫捩掾揩揀揆揣揉插揶揄搖搴搆搓搦搶攝搗搨搏摧摯摶摎攪撕撓撥撩撈撼"],["daa1","據擒擅擇撻擘擂擱擧舉擠擡抬擣擯攬擶擴擲擺攀擽攘攜攅攤攣攫攴攵攷收攸畋效敖敕敍敘敞敝敲數斂斃變斛斟斫斷旃旆旁旄旌旒旛旙无旡旱杲昊昃旻杳昵昶昴昜晏晄晉晁晞晝晤晧晨晟晢晰暃暈暎暉暄暘暝曁暹曉暾暼"],["dba1","曄暸曖曚曠昿曦曩曰曵曷朏朖朞朦朧霸朮朿朶杁朸朷杆杞杠杙杣杤枉杰枩杼杪枌枋枦枡枅枷柯枴柬枳柩枸柤柞柝柢柮枹柎柆柧檜栞框栩桀桍栲桎梳栫桙档桷桿梟梏梭梔條梛梃檮梹桴梵梠梺椏梍桾椁棊椈棘椢椦棡椌棍"],["dca1","棔棧棕椶椒椄棗棣椥棹棠棯椨椪椚椣椡棆楹楷楜楸楫楔楾楮椹楴椽楙椰楡楞楝榁楪榲榮槐榿槁槓榾槎寨槊槝榻槃榧樮榑榠榜榕榴槞槨樂樛槿權槹槲槧樅榱樞槭樔槫樊樒櫁樣樓橄樌橲樶橸橇橢橙橦橈樸樢檐檍檠檄檢檣"],["dda1","檗蘗檻櫃櫂檸檳檬櫞櫑櫟檪櫚櫪櫻欅蘖櫺欒欖鬱欟欸欷盜欹飮歇歃歉歐歙歔歛歟歡歸歹歿殀殄殃殍殘殕殞殤殪殫殯殲殱殳殷殼毆毋毓毟毬毫毳毯麾氈氓气氛氤氣汞汕汢汪沂沍沚沁沛汾汨汳沒沐泄泱泓沽泗泅泝沮沱沾"],["dea1","沺泛泯泙泪洟衍洶洫洽洸洙洵洳洒洌浣涓浤浚浹浙涎涕濤涅淹渕渊涵淇淦涸淆淬淞淌淨淒淅淺淙淤淕淪淮渭湮渮渙湲湟渾渣湫渫湶湍渟湃渺湎渤滿渝游溂溪溘滉溷滓溽溯滄溲滔滕溏溥滂溟潁漑灌滬滸滾漿滲漱滯漲滌"],["dfa1","漾漓滷澆潺潸澁澀潯潛濳潭澂潼潘澎澑濂潦澳澣澡澤澹濆澪濟濕濬濔濘濱濮濛瀉瀋濺瀑瀁瀏濾瀛瀚潴瀝瀘瀟瀰瀾瀲灑灣炙炒炯烱炬炸炳炮烟烋烝烙焉烽焜焙煥煕熈煦煢煌煖煬熏燻熄熕熨熬燗熹熾燒燉燔燎燠燬燧燵燼"],["e0a1","燹燿爍爐爛爨爭爬爰爲爻爼爿牀牆牋牘牴牾犂犁犇犒犖犢犧犹犲狃狆狄狎狒狢狠狡狹狷倏猗猊猜猖猝猴猯猩猥猾獎獏默獗獪獨獰獸獵獻獺珈玳珎玻珀珥珮珞璢琅瑯琥珸琲琺瑕琿瑟瑙瑁瑜瑩瑰瑣瑪瑶瑾璋璞璧瓊瓏瓔珱"],["e1a1","瓠瓣瓧瓩瓮瓲瓰瓱瓸瓷甄甃甅甌甎甍甕甓甞甦甬甼畄畍畊畉畛畆畚畩畤畧畫畭畸當疆疇畴疊疉疂疔疚疝疥疣痂疳痃疵疽疸疼疱痍痊痒痙痣痞痾痿痼瘁痰痺痲痳瘋瘍瘉瘟瘧瘠瘡瘢瘤瘴瘰瘻癇癈癆癜癘癡癢癨癩癪癧癬癰"],["e2a1","癲癶癸發皀皃皈皋皎皖皓皙皚皰皴皸皹皺盂盍盖盒盞盡盥盧盪蘯盻眈眇眄眩眤眞眥眦眛眷眸睇睚睨睫睛睥睿睾睹瞎瞋瞑瞠瞞瞰瞶瞹瞿瞼瞽瞻矇矍矗矚矜矣矮矼砌砒礦砠礪硅碎硴碆硼碚碌碣碵碪碯磑磆磋磔碾碼磅磊磬"],["e3a1","磧磚磽磴礇礒礑礙礬礫祀祠祗祟祚祕祓祺祿禊禝禧齋禪禮禳禹禺秉秕秧秬秡秣稈稍稘稙稠稟禀稱稻稾稷穃穗穉穡穢穩龝穰穹穽窈窗窕窘窖窩竈窰窶竅竄窿邃竇竊竍竏竕竓站竚竝竡竢竦竭竰笂笏笊笆笳笘笙笞笵笨笶筐"],["e4a1","筺笄筍笋筌筅筵筥筴筧筰筱筬筮箝箘箟箍箜箚箋箒箏筝箙篋篁篌篏箴篆篝篩簑簔篦篥籠簀簇簓篳篷簗簍篶簣簧簪簟簷簫簽籌籃籔籏籀籐籘籟籤籖籥籬籵粃粐粤粭粢粫粡粨粳粲粱粮粹粽糀糅糂糘糒糜糢鬻糯糲糴糶糺紆"],["e5a1","紂紜紕紊絅絋紮紲紿紵絆絳絖絎絲絨絮絏絣經綉絛綏絽綛綺綮綣綵緇綽綫總綢綯緜綸綟綰緘緝緤緞緻緲緡縅縊縣縡縒縱縟縉縋縢繆繦縻縵縹繃縷縲縺繧繝繖繞繙繚繹繪繩繼繻纃緕繽辮繿纈纉續纒纐纓纔纖纎纛纜缸缺"],["e6a1","罅罌罍罎罐网罕罔罘罟罠罨罩罧罸羂羆羃羈羇羌羔羞羝羚羣羯羲羹羮羶羸譱翅翆翊翕翔翡翦翩翳翹飜耆耄耋耒耘耙耜耡耨耿耻聊聆聒聘聚聟聢聨聳聲聰聶聹聽聿肄肆肅肛肓肚肭冐肬胛胥胙胝胄胚胖脉胯胱脛脩脣脯腋"],["e7a1","隋腆脾腓腑胼腱腮腥腦腴膃膈膊膀膂膠膕膤膣腟膓膩膰膵膾膸膽臀臂膺臉臍臑臙臘臈臚臟臠臧臺臻臾舁舂舅與舊舍舐舖舩舫舸舳艀艙艘艝艚艟艤艢艨艪艫舮艱艷艸艾芍芒芫芟芻芬苡苣苟苒苴苳苺莓范苻苹苞茆苜茉苙"],["e8a1","茵茴茖茲茱荀茹荐荅茯茫茗茘莅莚莪莟莢莖茣莎莇莊荼莵荳荵莠莉莨菴萓菫菎菽萃菘萋菁菷萇菠菲萍萢萠莽萸蔆菻葭萪萼蕚蒄葷葫蒭葮蒂葩葆萬葯葹萵蓊葢蒹蒿蒟蓙蓍蒻蓚蓐蓁蓆蓖蒡蔡蓿蓴蔗蔘蔬蔟蔕蔔蓼蕀蕣蕘蕈"],["e9a1","蕁蘂蕋蕕薀薤薈薑薊薨蕭薔薛藪薇薜蕷蕾薐藉薺藏薹藐藕藝藥藜藹蘊蘓蘋藾藺蘆蘢蘚蘰蘿虍乕虔號虧虱蚓蚣蚩蚪蚋蚌蚶蚯蛄蛆蚰蛉蠣蚫蛔蛞蛩蛬蛟蛛蛯蜒蜆蜈蜀蜃蛻蜑蜉蜍蛹蜊蜴蜿蜷蜻蜥蜩蜚蝠蝟蝸蝌蝎蝴蝗蝨蝮蝙"],["eaa1","蝓蝣蝪蠅螢螟螂螯蟋螽蟀蟐雖螫蟄螳蟇蟆螻蟯蟲蟠蠏蠍蟾蟶蟷蠎蟒蠑蠖蠕蠢蠡蠱蠶蠹蠧蠻衄衂衒衙衞衢衫袁衾袞衵衽袵衲袂袗袒袮袙袢袍袤袰袿袱裃裄裔裘裙裝裹褂裼裴裨裲褄褌褊褓襃褞褥褪褫襁襄褻褶褸襌褝襠襞"],["eba1","襦襤襭襪襯襴襷襾覃覈覊覓覘覡覩覦覬覯覲覺覽覿觀觚觜觝觧觴觸訃訖訐訌訛訝訥訶詁詛詒詆詈詼詭詬詢誅誂誄誨誡誑誥誦誚誣諄諍諂諚諫諳諧諤諱謔諠諢諷諞諛謌謇謚諡謖謐謗謠謳鞫謦謫謾謨譁譌譏譎證譖譛譚譫"],["eca1","譟譬譯譴譽讀讌讎讒讓讖讙讚谺豁谿豈豌豎豐豕豢豬豸豺貂貉貅貊貍貎貔豼貘戝貭貪貽貲貳貮貶賈賁賤賣賚賽賺賻贄贅贊贇贏贍贐齎贓賍贔贖赧赭赱赳趁趙跂趾趺跏跚跖跌跛跋跪跫跟跣跼踈踉跿踝踞踐踟蹂踵踰踴蹊"],["eda1","蹇蹉蹌蹐蹈蹙蹤蹠踪蹣蹕蹶蹲蹼躁躇躅躄躋躊躓躑躔躙躪躡躬躰軆躱躾軅軈軋軛軣軼軻軫軾輊輅輕輒輙輓輜輟輛輌輦輳輻輹轅轂輾轌轉轆轎轗轜轢轣轤辜辟辣辭辯辷迚迥迢迪迯邇迴逅迹迺逑逕逡逍逞逖逋逧逶逵逹迸"],["eea1","遏遐遑遒逎遉逾遖遘遞遨遯遶隨遲邂遽邁邀邊邉邏邨邯邱邵郢郤扈郛鄂鄒鄙鄲鄰酊酖酘酣酥酩酳酲醋醉醂醢醫醯醪醵醴醺釀釁釉釋釐釖釟釡釛釼釵釶鈞釿鈔鈬鈕鈑鉞鉗鉅鉉鉤鉈銕鈿鉋鉐銜銖銓銛鉚鋏銹銷鋩錏鋺鍄錮"],["efa1","錙錢錚錣錺錵錻鍜鍠鍼鍮鍖鎰鎬鎭鎔鎹鏖鏗鏨鏥鏘鏃鏝鏐鏈鏤鐚鐔鐓鐃鐇鐐鐶鐫鐵鐡鐺鑁鑒鑄鑛鑠鑢鑞鑪鈩鑰鑵鑷鑽鑚鑼鑾钁鑿閂閇閊閔閖閘閙閠閨閧閭閼閻閹閾闊濶闃闍闌闕闔闖關闡闥闢阡阨阮阯陂陌陏陋陷陜陞"],["f0a1","陝陟陦陲陬隍隘隕隗險隧隱隲隰隴隶隸隹雎雋雉雍襍雜霍雕雹霄霆霈霓霎霑霏霖霙霤霪霰霹霽霾靄靆靈靂靉靜靠靤靦靨勒靫靱靹鞅靼鞁靺鞆鞋鞏鞐鞜鞨鞦鞣鞳鞴韃韆韈韋韜韭齏韲竟韶韵頏頌頸頤頡頷頽顆顏顋顫顯顰"],["f1a1","顱顴顳颪颯颱颶飄飃飆飩飫餃餉餒餔餘餡餝餞餤餠餬餮餽餾饂饉饅饐饋饑饒饌饕馗馘馥馭馮馼駟駛駝駘駑駭駮駱駲駻駸騁騏騅駢騙騫騷驅驂驀驃騾驕驍驛驗驟驢驥驤驩驫驪骭骰骼髀髏髑髓體髞髟髢髣髦髯髫髮髴髱髷"],["f2a1","髻鬆鬘鬚鬟鬢鬣鬥鬧鬨鬩鬪鬮鬯鬲魄魃魏魍魎魑魘魴鮓鮃鮑鮖鮗鮟鮠鮨鮴鯀鯊鮹鯆鯏鯑鯒鯣鯢鯤鯔鯡鰺鯲鯱鯰鰕鰔鰉鰓鰌鰆鰈鰒鰊鰄鰮鰛鰥鰤鰡鰰鱇鰲鱆鰾鱚鱠鱧鱶鱸鳧鳬鳰鴉鴈鳫鴃鴆鴪鴦鶯鴣鴟鵄鴕鴒鵁鴿鴾鵆鵈"],["f3a1","鵝鵞鵤鵑鵐鵙鵲鶉鶇鶫鵯鵺鶚鶤鶩鶲鷄鷁鶻鶸鶺鷆鷏鷂鷙鷓鷸鷦鷭鷯鷽鸚鸛鸞鹵鹹鹽麁麈麋麌麒麕麑麝麥麩麸麪麭靡黌黎黏黐黔黜點黝黠黥黨黯黴黶黷黹黻黼黽鼇鼈皷鼕鼡鼬鼾齊齒齔齣齟齠齡齦齧齬齪齷齲齶龕龜龠"],["f4a1","堯槇遙瑤凜熙"],["f9a1","纊褜鍈銈蓜俉炻昱棈鋹曻彅丨仡仼伀伃伹佖侒侊侚侔俍偀倢俿倞偆偰偂傔僴僘兊兤冝冾凬刕劜劦勀勛匀匇匤卲厓厲叝﨎咜咊咩哿喆坙坥垬埈埇﨏塚增墲夋奓奛奝奣妤妺孖寀甯寘寬尞岦岺峵崧嵓﨑嵂嵭嶸嶹巐弡弴彧德"],["faa1","忞恝悅悊惞惕愠惲愑愷愰憘戓抦揵摠撝擎敎昀昕昻昉昮昞昤晥晗晙晴晳暙暠暲暿曺朎朗杦枻桒柀栁桄棏﨓楨﨔榘槢樰橫橆橳橾櫢櫤毖氿汜沆汯泚洄涇浯涖涬淏淸淲淼渹湜渧渼溿澈澵濵瀅瀇瀨炅炫焏焄煜煆煇凞燁燾犱"],["fba1","犾猤猪獷玽珉珖珣珒琇珵琦琪琩琮瑢璉璟甁畯皂皜皞皛皦益睆劯砡硎硤硺礰礼神祥禔福禛竑竧靖竫箞精絈絜綷綠緖繒罇羡羽茁荢荿菇菶葈蒴蕓蕙蕫﨟薰蘒﨡蠇裵訒訷詹誧誾諟諸諶譓譿賰賴贒赶﨣軏﨤逸遧郞都鄕鄧釚"],["fca1","釗釞釭釮釤釥鈆鈐鈊鈺鉀鈼鉎鉙鉑鈹鉧銧鉷鉸鋧鋗鋙鋐﨧鋕鋠鋓錥錡鋻﨨錞鋿錝錂鍰鍗鎤鏆鏞鏸鐱鑅鑈閒隆﨩隝隯霳霻靃靍靏靑靕顗顥飯飼餧館馞驎髙髜魵魲鮏鮱鮻鰀鵰鵫鶴鸙黑"],["fcf1","ⅰ",9,"¬¦'""],["8fa2af","˘ˇ¸˙˝¯˛˚~΄΅"],["8fa2c2","¡¦¿"],["8fa2eb","ºª©®™¤№"],["8fa6e1","ΆΈΉΊΪ"],["8fa6e7","Ό"],["8fa6e9","ΎΫ"],["8fa6ec","Ώ"],["8fa6f1","άέήίϊΐόςύϋΰώ"],["8fa7c2","Ђ",10,"ЎЏ"],["8fa7f2","ђ",10,"ўџ"],["8fa9a1","ÆĐ"],["8fa9a4","Ħ"],["8fa9a6","IJ"],["8fa9a8","ŁĿ"],["8fa9ab","ŊØŒ"],["8fa9af","ŦÞ"],["8fa9c1","æđðħıijĸłŀʼnŋøœßŧþ"],["8faaa1","ÁÀÄÂĂǍĀĄÅÃĆĈČÇĊĎÉÈËÊĚĖĒĘ"],["8faaba","ĜĞĢĠĤÍÌÏÎǏİĪĮĨĴĶĹĽĻŃŇŅÑÓÒÖÔǑŐŌÕŔŘŖŚŜŠŞŤŢÚÙÜÛŬǓŰŪŲŮŨǗǛǙǕŴÝŸŶŹŽŻ"],["8faba1","áàäâăǎāąåãćĉčçċďéèëêěėēęǵĝğ"],["8fabbd","ġĥíìïîǐ"],["8fabc5","īįĩĵķĺľļńňņñóòöôǒőōõŕřŗśŝšşťţúùüûŭǔűūųůũǘǜǚǖŵýÿŷźžż"],["8fb0a1","丂丄丅丌丒丟丣两丨丫丮丯丰丵乀乁乄乇乑乚乜乣乨乩乴乵乹乿亍亖亗亝亯亹仃仐仚仛仠仡仢仨仯仱仳仵份仾仿伀伂伃伈伋伌伒伕伖众伙伮伱你伳伵伷伹伻伾佀佂佈佉佋佌佒佔佖佘佟佣佪佬佮佱佷佸佹佺佽佾侁侂侄"],["8fb1a1","侅侉侊侌侎侐侒侓侔侗侙侚侞侟侲侷侹侻侼侽侾俀俁俅俆俈俉俋俌俍俏俒俜俠俢俰俲俼俽俿倀倁倄倇倊倌倎倐倓倗倘倛倜倝倞倢倧倮倰倲倳倵偀偁偂偅偆偊偌偎偑偒偓偗偙偟偠偢偣偦偧偪偭偰偱倻傁傃傄傆傊傎傏傐"],["8fb2a1","傒傓傔傖傛傜傞",4,"傪傯傰傹傺傽僀僃僄僇僌僎僐僓僔僘僜僝僟僢僤僦僨僩僯僱僶僺僾儃儆儇儈儋儌儍儎僲儐儗儙儛儜儝儞儣儧儨儬儭儯儱儳儴儵儸儹兂兊兏兓兕兗兘兟兤兦兾冃冄冋冎冘冝冡冣冭冸冺冼冾冿凂"],["8fb3a1","凈减凑凒凓凕凘凞凢凥凮凲凳凴凷刁刂刅划刓刕刖刘刢刨刱刲刵刼剅剉剕剗剘剚剜剟剠剡剦剮剷剸剹劀劂劅劊劌劓劕劖劗劘劚劜劤劥劦劧劯劰劶劷劸劺劻劽勀勄勆勈勌勏勑勔勖勛勜勡勥勨勩勪勬勰勱勴勶勷匀匃匊匋"],["8fb4a1","匌匑匓匘匛匜匞匟匥匧匨匩匫匬匭匰匲匵匼匽匾卂卌卋卙卛卡卣卥卬卭卲卹卾厃厇厈厎厓厔厙厝厡厤厪厫厯厲厴厵厷厸厺厽叀叅叏叒叓叕叚叝叞叠另叧叵吂吓吚吡吧吨吪启吱吴吵呃呄呇呍呏呞呢呤呦呧呩呫呭呮呴呿"],["8fb5a1","咁咃咅咈咉咍咑咕咖咜咟咡咦咧咩咪咭咮咱咷咹咺咻咿哆哊响哎哠哪哬哯哶哼哾哿唀唁唅唈唉唌唍唎唕唪唫唲唵唶唻唼唽啁啇啉啊啍啐啑啘啚啛啞啠啡啤啦啿喁喂喆喈喎喏喑喒喓喔喗喣喤喭喲喿嗁嗃嗆嗉嗋嗌嗎嗑嗒"],["8fb6a1","嗓嗗嗘嗛嗞嗢嗩嗶嗿嘅嘈嘊嘍",5,"嘙嘬嘰嘳嘵嘷嘹嘻嘼嘽嘿噀噁噃噄噆噉噋噍噏噔噞噠噡噢噣噦噩噭噯噱噲噵嚄嚅嚈嚋嚌嚕嚙嚚嚝嚞嚟嚦嚧嚨嚩嚫嚬嚭嚱嚳嚷嚾囅囉囊囋囏囐囌囍囙囜囝囟囡囤",4,"囱囫园"],["8fb7a1","囶囷圁圂圇圊圌圑圕圚圛圝圠圢圣圤圥圩圪圬圮圯圳圴圽圾圿坅坆坌坍坒坢坥坧坨坫坭",4,"坳坴坵坷坹坺坻坼坾垁垃垌垔垗垙垚垜垝垞垟垡垕垧垨垩垬垸垽埇埈埌埏埕埝埞埤埦埧埩埭埰埵埶埸埽埾埿堃堄堈堉埡"],["8fb8a1","堌堍堛堞堟堠堦堧堭堲堹堿塉塌塍塏塐塕塟塡塤塧塨塸塼塿墀墁墇墈墉墊墌墍墏墐墔墖墝墠墡墢墦墩墱墲壄墼壂壈壍壎壐壒壔壖壚壝壡壢壩壳夅夆夋夌夒夓夔虁夝夡夣夤夨夯夰夳夵夶夿奃奆奒奓奙奛奝奞奟奡奣奫奭"],["8fb9a1","奯奲奵奶她奻奼妋妌妎妒妕妗妟妤妧妭妮妯妰妳妷妺妼姁姃姄姈姊姍姒姝姞姟姣姤姧姮姯姱姲姴姷娀娄娌娍娎娒娓娞娣娤娧娨娪娭娰婄婅婇婈婌婐婕婞婣婥婧婭婷婺婻婾媋媐媓媖媙媜媞媟媠媢媧媬媱媲媳媵媸媺媻媿"],["8fbaa1","嫄嫆嫈嫏嫚嫜嫠嫥嫪嫮嫵嫶嫽嬀嬁嬈嬗嬴嬙嬛嬝嬡嬥嬭嬸孁孋孌孒孖孞孨孮孯孼孽孾孿宁宄宆宊宎宐宑宓宔宖宨宩宬宭宯宱宲宷宺宼寀寁寍寏寖",4,"寠寯寱寴寽尌尗尞尟尣尦尩尫尬尮尰尲尵尶屙屚屜屢屣屧屨屩"],["8fbba1","屭屰屴屵屺屻屼屽岇岈岊岏岒岝岟岠岢岣岦岪岲岴岵岺峉峋峒峝峗峮峱峲峴崁崆崍崒崫崣崤崦崧崱崴崹崽崿嵂嵃嵆嵈嵕嵑嵙嵊嵟嵠嵡嵢嵤嵪嵭嵰嵹嵺嵾嵿嶁嶃嶈嶊嶒嶓嶔嶕嶙嶛嶟嶠嶧嶫嶰嶴嶸嶹巃巇巋巐巎巘巙巠巤"],["8fbca1","巩巸巹帀帇帍帒帔帕帘帟帠帮帨帲帵帾幋幐幉幑幖幘幛幜幞幨幪",4,"幰庀庋庎庢庤庥庨庪庬庱庳庽庾庿廆廌廋廎廑廒廔廕廜廞廥廫异弆弇弈弎弙弜弝弡弢弣弤弨弫弬弮弰弴弶弻弽弿彀彄彅彇彍彐彔彘彛彠彣彤彧"],["8fbda1","彯彲彴彵彸彺彽彾徉徍徏徖徜徝徢徧徫徤徬徯徰徱徸忄忇忈忉忋忐",4,"忞忡忢忨忩忪忬忭忮忯忲忳忶忺忼怇怊怍怓怔怗怘怚怟怤怭怳怵恀恇恈恉恌恑恔恖恗恝恡恧恱恾恿悂悆悈悊悎悑悓悕悘悝悞悢悤悥您悰悱悷"],["8fbea1","悻悾惂惄惈惉惊惋惎惏惔惕惙惛惝惞惢惥惲惵惸惼惽愂愇愊愌愐",4,"愖愗愙愜愞愢愪愫愰愱愵愶愷愹慁慅慆慉慞慠慬慲慸慻慼慿憀憁憃憄憋憍憒憓憗憘憜憝憟憠憥憨憪憭憸憹憼懀懁懂懎懏懕懜懝懞懟懡懢懧懩懥"],["8fbfa1","懬懭懯戁戃戄戇戓戕戜戠戢戣戧戩戫戹戽扂扃扄扆扌扐扑扒扔扖扚扜扤扭扯扳扺扽抍抎抏抐抦抨抳抶抷抺抾抿拄拎拕拖拚拪拲拴拼拽挃挄挊挋挍挐挓挖挘挩挪挭挵挶挹挼捁捂捃捄捆捊捋捎捒捓捔捘捛捥捦捬捭捱捴捵"],["8fc0a1","捸捼捽捿掂掄掇掊掐掔掕掙掚掞掤掦掭掮掯掽揁揅揈揎揑揓揔揕揜揠揥揪揬揲揳揵揸揹搉搊搐搒搔搘搞搠搢搤搥搩搪搯搰搵搽搿摋摏摑摒摓摔摚摛摜摝摟摠摡摣摭摳摴摻摽撅撇撏撐撑撘撙撛撝撟撡撣撦撨撬撳撽撾撿"],["8fc1a1","擄擉擊擋擌擎擐擑擕擗擤擥擩擪擭擰擵擷擻擿攁攄攈攉攊攏攓攔攖攙攛攞攟攢攦攩攮攱攺攼攽敃敇敉敐敒敔敟敠敧敫敺敽斁斅斊斒斕斘斝斠斣斦斮斲斳斴斿旂旈旉旎旐旔旖旘旟旰旲旴旵旹旾旿昀昄昈昉昍昑昒昕昖昝"],["8fc2a1","昞昡昢昣昤昦昩昪昫昬昮昰昱昳昹昷晀晅晆晊晌晑晎晗晘晙晛晜晠晡曻晪晫晬晾晳晵晿晷晸晹晻暀晼暋暌暍暐暒暙暚暛暜暟暠暤暭暱暲暵暻暿曀曂曃曈曌曎曏曔曛曟曨曫曬曮曺朅朇朎朓朙朜朠朢朳朾杅杇杈杌杔杕杝"],["8fc3a1","杦杬杮杴杶杻极构枎枏枑枓枖枘枙枛枰枱枲枵枻枼枽柹柀柂柃柅柈柉柒柗柙柜柡柦柰柲柶柷桒栔栙栝栟栨栧栬栭栯栰栱栳栻栿桄桅桊桌桕桗桘桛桫桮",4,"桵桹桺桻桼梂梄梆梈梖梘梚梜梡梣梥梩梪梮梲梻棅棈棌棏"],["8fc4a1","棐棑棓棖棙棜棝棥棨棪棫棬棭棰棱棵棶棻棼棽椆椉椊椐椑椓椖椗椱椳椵椸椻楂楅楉楎楗楛楣楤楥楦楨楩楬楰楱楲楺楻楿榀榍榒榖榘榡榥榦榨榫榭榯榷榸榺榼槅槈槑槖槗槢槥槮槯槱槳槵槾樀樁樃樏樑樕樚樝樠樤樨樰樲"],["8fc5a1","樴樷樻樾樿橅橆橉橊橎橐橑橒橕橖橛橤橧橪橱橳橾檁檃檆檇檉檋檑檛檝檞檟檥檫檯檰檱檴檽檾檿櫆櫉櫈櫌櫐櫔櫕櫖櫜櫝櫤櫧櫬櫰櫱櫲櫼櫽欂欃欆欇欉欏欐欑欗欛欞欤欨欫欬欯欵欶欻欿歆歊歍歒歖歘歝歠歧歫歮歰歵歽"],["8fc6a1","歾殂殅殗殛殟殠殢殣殨殩殬殭殮殰殸殹殽殾毃毄毉毌毖毚毡毣毦毧毮毱毷毹毿氂氄氅氉氍氎氐氒氙氟氦氧氨氬氮氳氵氶氺氻氿汊汋汍汏汒汔汙汛汜汫汭汯汴汶汸汹汻沅沆沇沉沔沕沗沘沜沟沰沲沴泂泆泍泏泐泑泒泔泖"],["8fc7a1","泚泜泠泧泩泫泬泮泲泴洄洇洊洎洏洑洓洚洦洧洨汧洮洯洱洹洼洿浗浞浟浡浥浧浯浰浼涂涇涑涒涔涖涗涘涪涬涴涷涹涽涿淄淈淊淎淏淖淛淝淟淠淢淥淩淯淰淴淶淼渀渄渞渢渧渲渶渹渻渼湄湅湈湉湋湏湑湒湓湔湗湜湝湞"],["8fc8a1","湢湣湨湳湻湽溍溓溙溠溧溭溮溱溳溻溿滀滁滃滇滈滊滍滎滏滫滭滮滹滻滽漄漈漊漌漍漖漘漚漛漦漩漪漯漰漳漶漻漼漭潏潑潒潓潗潙潚潝潞潡潢潨潬潽潾澃澇澈澋澌澍澐澒澓澔澖澚澟澠澥澦澧澨澮澯澰澵澶澼濅濇濈濊"],["8fc9a1","濚濞濨濩濰濵濹濼濽瀀瀅瀆瀇瀍瀗瀠瀣瀯瀴瀷瀹瀼灃灄灈灉灊灋灔灕灝灞灎灤灥灬灮灵灶灾炁炅炆炔",4,"炛炤炫炰炱炴炷烊烑烓烔烕烖烘烜烤烺焃",4,"焋焌焏焞焠焫焭焯焰焱焸煁煅煆煇煊煋煐煒煗煚煜煞煠"],["8fcaa1","煨煹熀熅熇熌熒熚熛熠熢熯熰熲熳熺熿燀燁燄燋燌燓燖燙燚燜燸燾爀爇爈爉爓爗爚爝爟爤爫爯爴爸爹牁牂牃牅牎牏牐牓牕牖牚牜牞牠牣牨牫牮牯牱牷牸牻牼牿犄犉犍犎犓犛犨犭犮犱犴犾狁狇狉狌狕狖狘狟狥狳狴狺狻"],["8fcba1","狾猂猄猅猇猋猍猒猓猘猙猞猢猤猧猨猬猱猲猵猺猻猽獃獍獐獒獖獘獝獞獟獠獦獧獩獫獬獮獯獱獷獹獼玀玁玃玅玆玎玐玓玕玗玘玜玞玟玠玢玥玦玪玫玭玵玷玹玼玽玿珅珆珉珋珌珏珒珓珖珙珝珡珣珦珧珩珴珵珷珹珺珻珽"],["8fcca1","珿琀琁琄琇琊琑琚琛琤琦琨",9,"琹瑀瑃瑄瑆瑇瑋瑍瑑瑒瑗瑝瑢瑦瑧瑨瑫瑭瑮瑱瑲璀璁璅璆璇璉璏璐璑璒璘璙璚璜璟璠璡璣璦璨璩璪璫璮璯璱璲璵璹璻璿瓈瓉瓌瓐瓓瓘瓚瓛瓞瓟瓤瓨瓪瓫瓯瓴瓺瓻瓼瓿甆"],["8fcda1","甒甖甗甠甡甤甧甩甪甯甶甹甽甾甿畀畃畇畈畎畐畒畗畞畟畡畯畱畹",5,"疁疅疐疒疓疕疙疜疢疤疴疺疿痀痁痄痆痌痎痏痗痜痟痠痡痤痧痬痮痯痱痹瘀瘂瘃瘄瘇瘈瘊瘌瘏瘒瘓瘕瘖瘙瘛瘜瘝瘞瘣瘥瘦瘩瘭瘲瘳瘵瘸瘹"],["8fcea1","瘺瘼癊癀癁癃癄癅癉癋癕癙癟癤癥癭癮癯癱癴皁皅皌皍皕皛皜皝皟皠皢",6,"皪皭皽盁盅盉盋盌盎盔盙盠盦盨盬盰盱盶盹盼眀眆眊眎眒眔眕眗眙眚眜眢眨眭眮眯眴眵眶眹眽眾睂睅睆睊睍睎睏睒睖睗睜睞睟睠睢"],["8fcfa1","睤睧睪睬睰睲睳睴睺睽瞀瞄瞌瞍瞔瞕瞖瞚瞟瞢瞧瞪瞮瞯瞱瞵瞾矃矉矑矒矕矙矞矟矠矤矦矪矬矰矱矴矸矻砅砆砉砍砎砑砝砡砢砣砭砮砰砵砷硃硄硇硈硌硎硒硜硞硠硡硣硤硨硪确硺硾碊碏碔碘碡碝碞碟碤碨碬碭碰碱碲碳"],["8fd0a1","碻碽碿磇磈磉磌磎磒磓磕磖磤磛磟磠磡磦磪磲磳礀磶磷磺磻磿礆礌礐礚礜礞礟礠礥礧礩礭礱礴礵礻礽礿祄祅祆祊祋祏祑祔祘祛祜祧祩祫祲祹祻祼祾禋禌禑禓禔禕禖禘禛禜禡禨禩禫禯禱禴禸离秂秄秇秈秊秏秔秖秚秝秞"],["8fd1a1","秠秢秥秪秫秭秱秸秼稂稃稇稉稊稌稑稕稛稞稡稧稫稭稯稰稴稵稸稹稺穄穅穇穈穌穕穖穙穜穝穟穠穥穧穪穭穵穸穾窀窂窅窆窊窋窐窑窔窞窠窣窬窳窵窹窻窼竆竉竌竎竑竛竨竩竫竬竱竴竻竽竾笇笔笟笣笧笩笪笫笭笮笯笰"],["8fd2a1","笱笴笽笿筀筁筇筎筕筠筤筦筩筪筭筯筲筳筷箄箉箎箐箑箖箛箞箠箥箬箯箰箲箵箶箺箻箼箽篂篅篈篊篔篖篗篙篚篛篨篪篲篴篵篸篹篺篼篾簁簂簃簄簆簉簋簌簎簏簙簛簠簥簦簨簬簱簳簴簶簹簺籆籊籕籑籒籓籙",5],["8fd3a1","籡籣籧籩籭籮籰籲籹籼籽粆粇粏粔粞粠粦粰粶粷粺粻粼粿糄糇糈糉糍糏糓糔糕糗糙糚糝糦糩糫糵紃紇紈紉紏紑紒紓紖紝紞紣紦紪紭紱紼紽紾絀絁絇絈絍絑絓絗絙絚絜絝絥絧絪絰絸絺絻絿綁綂綃綅綆綈綋綌綍綑綖綗綝"],["8fd4a1","綞綦綧綪綳綶綷綹緂",4,"緌緍緎緗緙縀緢緥緦緪緫緭緱緵緶緹緺縈縐縑縕縗縜縝縠縧縨縬縭縯縳縶縿繄繅繇繎繐繒繘繟繡繢繥繫繮繯繳繸繾纁纆纇纊纍纑纕纘纚纝纞缼缻缽缾缿罃罄罇罏罒罓罛罜罝罡罣罤罥罦罭"],["8fd5a1","罱罽罾罿羀羋羍羏羐羑羖羗羜羡羢羦羪羭羴羼羿翀翃翈翎翏翛翟翣翥翨翬翮翯翲翺翽翾翿耇耈耊耍耎耏耑耓耔耖耝耞耟耠耤耦耬耮耰耴耵耷耹耺耼耾聀聄聠聤聦聭聱聵肁肈肎肜肞肦肧肫肸肹胈胍胏胒胔胕胗胘胠胭胮"],["8fd6a1","胰胲胳胶胹胺胾脃脋脖脗脘脜脞脠脤脧脬脰脵脺脼腅腇腊腌腒腗腠腡腧腨腩腭腯腷膁膐膄膅膆膋膎膖膘膛膞膢膮膲膴膻臋臃臅臊臎臏臕臗臛臝臞臡臤臫臬臰臱臲臵臶臸臹臽臿舀舃舏舓舔舙舚舝舡舢舨舲舴舺艃艄艅艆"],["8fd7a1","艋艎艏艑艖艜艠艣艧艭艴艻艽艿芀芁芃芄芇芉芊芎芑芔芖芘芚芛芠芡芣芤芧芨芩芪芮芰芲芴芷芺芼芾芿苆苐苕苚苠苢苤苨苪苭苯苶苷苽苾茀茁茇茈茊茋荔茛茝茞茟茡茢茬茭茮茰茳茷茺茼茽荂荃荄荇荍荎荑荕荖荗荰荸"],["8fd8a1","荽荿莀莂莄莆莍莒莔莕莘莙莛莜莝莦莧莩莬莾莿菀菇菉菏菐菑菔菝荓菨菪菶菸菹菼萁萆萊萏萑萕萙莭萯萹葅葇葈葊葍葏葑葒葖葘葙葚葜葠葤葥葧葪葰葳葴葶葸葼葽蒁蒅蒒蒓蒕蒞蒦蒨蒩蒪蒯蒱蒴蒺蒽蒾蓀蓂蓇蓈蓌蓏蓓"],["8fd9a1","蓜蓧蓪蓯蓰蓱蓲蓷蔲蓺蓻蓽蔂蔃蔇蔌蔎蔐蔜蔞蔢蔣蔤蔥蔧蔪蔫蔯蔳蔴蔶蔿蕆蕏",4,"蕖蕙蕜",6,"蕤蕫蕯蕹蕺蕻蕽蕿薁薅薆薉薋薌薏薓薘薝薟薠薢薥薧薴薶薷薸薼薽薾薿藂藇藊藋藎薭藘藚藟藠藦藨藭藳藶藼"],["8fdaa1","藿蘀蘄蘅蘍蘎蘐蘑蘒蘘蘙蘛蘞蘡蘧蘩蘶蘸蘺蘼蘽虀虂虆虒虓虖虗虘虙虝虠",4,"虩虬虯虵虶虷虺蚍蚑蚖蚘蚚蚜蚡蚦蚧蚨蚭蚱蚳蚴蚵蚷蚸蚹蚿蛀蛁蛃蛅蛑蛒蛕蛗蛚蛜蛠蛣蛥蛧蚈蛺蛼蛽蜄蜅蜇蜋蜎蜏蜐蜓蜔蜙蜞蜟蜡蜣"],["8fdba1","蜨蜮蜯蜱蜲蜹蜺蜼蜽蜾蝀蝃蝅蝍蝘蝝蝡蝤蝥蝯蝱蝲蝻螃",6,"螋螌螐螓螕螗螘螙螞螠螣螧螬螭螮螱螵螾螿蟁蟈蟉蟊蟎蟕蟖蟙蟚蟜蟟蟢蟣蟤蟪蟫蟭蟱蟳蟸蟺蟿蠁蠃蠆蠉蠊蠋蠐蠙蠒蠓蠔蠘蠚蠛蠜蠞蠟蠨蠭蠮蠰蠲蠵"],["8fdca1","蠺蠼衁衃衅衈衉衊衋衎衑衕衖衘衚衜衟衠衤衩衱衹衻袀袘袚袛袜袟袠袨袪袺袽袾裀裊",4,"裑裒裓裛裞裧裯裰裱裵裷褁褆褍褎褏褕褖褘褙褚褜褠褦褧褨褰褱褲褵褹褺褾襀襂襅襆襉襏襒襗襚襛襜襡襢襣襫襮襰襳襵襺"],["8fdda1","襻襼襽覉覍覐覔覕覛覜覟覠覥覰覴覵覶覷覼觔",4,"觥觩觫觭觱觳觶觹觽觿訄訅訇訏訑訒訔訕訞訠訢訤訦訫訬訯訵訷訽訾詀詃詅詇詉詍詎詓詖詗詘詜詝詡詥詧詵詶詷詹詺詻詾詿誀誃誆誋誏誐誒誖誗誙誟誧誩誮誯誳"],["8fdea1","誶誷誻誾諃諆諈諉諊諑諓諔諕諗諝諟諬諰諴諵諶諼諿謅謆謋謑謜謞謟謊謭謰謷謼譂",4,"譈譒譓譔譙譍譞譣譭譶譸譹譼譾讁讄讅讋讍讏讔讕讜讞讟谸谹谽谾豅豇豉豋豏豑豓豔豗豘豛豝豙豣豤豦豨豩豭豳豵豶豻豾貆"],["8fdfa1","貇貋貐貒貓貙貛貜貤貹貺賅賆賉賋賏賖賕賙賝賡賨賬賯賰賲賵賷賸賾賿贁贃贉贒贗贛赥赩赬赮赿趂趄趈趍趐趑趕趞趟趠趦趫趬趯趲趵趷趹趻跀跅跆跇跈跊跎跑跔跕跗跙跤跥跧跬跰趼跱跲跴跽踁踄踅踆踋踑踔踖踠踡踢"],["8fe0a1","踣踦踧踱踳踶踷踸踹踽蹀蹁蹋蹍蹎蹏蹔蹛蹜蹝蹞蹡蹢蹩蹬蹭蹯蹰蹱蹹蹺蹻躂躃躉躐躒躕躚躛躝躞躢躧躩躭躮躳躵躺躻軀軁軃軄軇軏軑軔軜軨軮軰軱軷軹軺軭輀輂輇輈輏輐輖輗輘輞輠輡輣輥輧輨輬輭輮輴輵輶輷輺轀轁"],["8fe1a1","轃轇轏轑",4,"轘轝轞轥辝辠辡辤辥辦辵辶辸达迀迁迆迊迋迍运迒迓迕迠迣迤迨迮迱迵迶迻迾适逄逈逌逘逛逨逩逯逪逬逭逳逴逷逿遃遄遌遛遝遢遦遧遬遰遴遹邅邈邋邌邎邐邕邗邘邙邛邠邡邢邥邰邲邳邴邶邽郌邾郃"],["8fe2a1","郄郅郇郈郕郗郘郙郜郝郟郥郒郶郫郯郰郴郾郿鄀鄄鄅鄆鄈鄍鄐鄔鄖鄗鄘鄚鄜鄞鄠鄥鄢鄣鄧鄩鄮鄯鄱鄴鄶鄷鄹鄺鄼鄽酃酇酈酏酓酗酙酚酛酡酤酧酭酴酹酺酻醁醃醅醆醊醎醑醓醔醕醘醞醡醦醨醬醭醮醰醱醲醳醶醻醼醽醿"],["8fe3a1","釂釃釅釓釔釗釙釚釞釤釥釩釪釬",5,"釷釹釻釽鈀鈁鈄鈅鈆鈇鈉鈊鈌鈐鈒鈓鈖鈘鈜鈝鈣鈤鈥鈦鈨鈮鈯鈰鈳鈵鈶鈸鈹鈺鈼鈾鉀鉂鉃鉆鉇鉊鉍鉎鉏鉑鉘鉙鉜鉝鉠鉡鉥鉧鉨鉩鉮鉯鉰鉵",4,"鉻鉼鉽鉿銈銉銊銍銎銒銗"],["8fe4a1","銙銟銠銤銥銧銨銫銯銲銶銸銺銻銼銽銿",4,"鋅鋆鋇鋈鋋鋌鋍鋎鋐鋓鋕鋗鋘鋙鋜鋝鋟鋠鋡鋣鋥鋧鋨鋬鋮鋰鋹鋻鋿錀錂錈錍錑錔錕錜錝錞錟錡錤錥錧錩錪錳錴錶錷鍇鍈鍉鍐鍑鍒鍕鍗鍘鍚鍞鍤鍥鍧鍩鍪鍭鍯鍰鍱鍳鍴鍶"],["8fe5a1","鍺鍽鍿鎀鎁鎂鎈鎊鎋鎍鎏鎒鎕鎘鎛鎞鎡鎣鎤鎦鎨鎫鎴鎵鎶鎺鎩鏁鏄鏅鏆鏇鏉",4,"鏓鏙鏜鏞鏟鏢鏦鏧鏹鏷鏸鏺鏻鏽鐁鐂鐄鐈鐉鐍鐎鐏鐕鐖鐗鐟鐮鐯鐱鐲鐳鐴鐻鐿鐽鑃鑅鑈鑊鑌鑕鑙鑜鑟鑡鑣鑨鑫鑭鑮鑯鑱鑲钄钃镸镹"],["8fe6a1","镾閄閈閌閍閎閝閞閟閡閦閩閫閬閴閶閺閽閿闆闈闉闋闐闑闒闓闙闚闝闞闟闠闤闦阝阞阢阤阥阦阬阱阳阷阸阹阺阼阽陁陒陔陖陗陘陡陮陴陻陼陾陿隁隂隃隄隉隑隖隚隝隟隤隥隦隩隮隯隳隺雊雒嶲雘雚雝雞雟雩雯雱雺霂"],["8fe7a1","霃霅霉霚霛霝霡霢霣霨霱霳靁靃靊靎靏靕靗靘靚靛靣靧靪靮靳靶靷靸靻靽靿鞀鞉鞕鞖鞗鞙鞚鞞鞟鞢鞬鞮鞱鞲鞵鞶鞸鞹鞺鞼鞾鞿韁韄韅韇韉韊韌韍韎韐韑韔韗韘韙韝韞韠韛韡韤韯韱韴韷韸韺頇頊頙頍頎頔頖頜頞頠頣頦"],["8fe8a1","頫頮頯頰頲頳頵頥頾顄顇顊顑顒顓顖顗顙顚顢顣顥顦顪顬颫颭颮颰颴颷颸颺颻颿飂飅飈飌飡飣飥飦飧飪飳飶餂餇餈餑餕餖餗餚餛餜餟餢餦餧餫餱",4,"餹餺餻餼饀饁饆饇饈饍饎饔饘饙饛饜饞饟饠馛馝馟馦馰馱馲馵"],["8fe9a1","馹馺馽馿駃駉駓駔駙駚駜駞駧駪駫駬駰駴駵駹駽駾騂騃騄騋騌騐騑騖騞騠騢騣騤騧騭騮騳騵騶騸驇驁驄驊驋驌驎驑驔驖驝骪骬骮骯骲骴骵骶骹骻骾骿髁髃髆髈髎髐髒髕髖髗髛髜髠髤髥髧髩髬髲髳髵髹髺髽髿",4],["8feaa1","鬄鬅鬈鬉鬋鬌鬍鬎鬐鬒鬖鬙鬛鬜鬠鬦鬫鬭鬳鬴鬵鬷鬹鬺鬽魈魋魌魕魖魗魛魞魡魣魥魦魨魪",4,"魳魵魷魸魹魿鮀鮄鮅鮆鮇鮉鮊鮋鮍鮏鮐鮔鮚鮝鮞鮦鮧鮩鮬鮰鮱鮲鮷鮸鮻鮼鮾鮿鯁鯇鯈鯎鯐鯗鯘鯝鯟鯥鯧鯪鯫鯯鯳鯷鯸"],["8feba1","鯹鯺鯽鯿鰀鰂鰋鰏鰑鰖鰘鰙鰚鰜鰞鰢鰣鰦",4,"鰱鰵鰶鰷鰽鱁鱃鱄鱅鱉鱊鱎鱏鱐鱓鱔鱖鱘鱛鱝鱞鱟鱣鱩鱪鱜鱫鱨鱮鱰鱲鱵鱷鱻鳦鳲鳷鳹鴋鴂鴑鴗鴘鴜鴝鴞鴯鴰鴲鴳鴴鴺鴼鵅鴽鵂鵃鵇鵊鵓鵔鵟鵣鵢鵥鵩鵪鵫鵰鵶鵷鵻"],["8feca1","鵼鵾鶃鶄鶆鶊鶍鶎鶒鶓鶕鶖鶗鶘鶡鶪鶬鶮鶱鶵鶹鶼鶿鷃鷇鷉鷊鷔鷕鷖鷗鷚鷞鷟鷠鷥鷧鷩鷫鷮鷰鷳鷴鷾鸊鸂鸇鸎鸐鸑鸒鸕鸖鸙鸜鸝鹺鹻鹼麀麂麃麄麅麇麎麏麖麘麛麞麤麨麬麮麯麰麳麴麵黆黈黋黕黟黤黧黬黭黮黰黱黲黵"],["8feda1","黸黿鼂鼃鼉鼏鼐鼑鼒鼔鼖鼗鼙鼚鼛鼟鼢鼦鼪鼫鼯鼱鼲鼴鼷鼹鼺鼼鼽鼿齁齃",4,"齓齕齖齗齘齚齝齞齨齩齭",4,"齳齵齺齽龏龐龑龒龔龖龗龞龡龢龣龥"]]; - -/***/ }), -/* 147 */ -/***/ (function(module) { - -module.exports = {"uChars":[128,165,169,178,184,216,226,235,238,244,248,251,253,258,276,284,300,325,329,334,364,463,465,467,469,471,473,475,477,506,594,610,712,716,730,930,938,962,970,1026,1104,1106,8209,8215,8218,8222,8231,8241,8244,8246,8252,8365,8452,8454,8458,8471,8482,8556,8570,8596,8602,8713,8720,8722,8726,8731,8737,8740,8742,8748,8751,8760,8766,8777,8781,8787,8802,8808,8816,8854,8858,8870,8896,8979,9322,9372,9548,9588,9616,9622,9634,9652,9662,9672,9676,9680,9702,9735,9738,9793,9795,11906,11909,11913,11917,11928,11944,11947,11951,11956,11960,11964,11979,12284,12292,12312,12319,12330,12351,12436,12447,12535,12543,12586,12842,12850,12964,13200,13215,13218,13253,13263,13267,13270,13384,13428,13727,13839,13851,14617,14703,14801,14816,14964,15183,15471,15585,16471,16736,17208,17325,17330,17374,17623,17997,18018,18212,18218,18301,18318,18760,18811,18814,18820,18823,18844,18848,18872,19576,19620,19738,19887,40870,59244,59336,59367,59413,59417,59423,59431,59437,59443,59452,59460,59478,59493,63789,63866,63894,63976,63986,64016,64018,64021,64025,64034,64037,64042,65074,65093,65107,65112,65127,65132,65375,65510,65536],"gbChars":[0,36,38,45,50,81,89,95,96,100,103,104,105,109,126,133,148,172,175,179,208,306,307,308,309,310,311,312,313,341,428,443,544,545,558,741,742,749,750,805,819,820,7922,7924,7925,7927,7934,7943,7944,7945,7950,8062,8148,8149,8152,8164,8174,8236,8240,8262,8264,8374,8380,8381,8384,8388,8390,8392,8393,8394,8396,8401,8406,8416,8419,8424,8437,8439,8445,8482,8485,8496,8521,8603,8936,8946,9046,9050,9063,9066,9076,9092,9100,9108,9111,9113,9131,9162,9164,9218,9219,11329,11331,11334,11336,11346,11361,11363,11366,11370,11372,11375,11389,11682,11686,11687,11692,11694,11714,11716,11723,11725,11730,11736,11982,11989,12102,12336,12348,12350,12384,12393,12395,12397,12510,12553,12851,12962,12973,13738,13823,13919,13933,14080,14298,14585,14698,15583,15847,16318,16434,16438,16481,16729,17102,17122,17315,17320,17402,17418,17859,17909,17911,17915,17916,17936,17939,17961,18664,18703,18814,18962,19043,33469,33470,33471,33484,33485,33490,33497,33501,33505,33513,33520,33536,33550,37845,37921,37948,38029,38038,38064,38065,38066,38069,38075,38076,38078,39108,39109,39113,39114,39115,39116,39265,39394,189000]}; - -/***/ }), -/* 148 */ -/***/ (function(module) { - -module.exports = [["0","\u0000",127],["8141","갂갃갅갆갋",4,"갘갞갟갡갢갣갥",6,"갮갲갳갴"],["8161","갵갶갷갺갻갽갾갿걁",9,"걌걎",5,"걕"],["8181","걖걗걙걚걛걝",18,"걲걳걵걶걹걻",4,"겂겇겈겍겎겏겑겒겓겕",6,"겞겢",5,"겫겭겮겱",6,"겺겾겿곀곂곃곅곆곇곉곊곋곍",7,"곖곘",7,"곢곣곥곦곩곫곭곮곲곴곷",4,"곾곿괁괂괃괅괇",4,"괎괐괒괓"],["8241","괔괕괖괗괙괚괛괝괞괟괡",7,"괪괫괮",5],["8261","괶괷괹괺괻괽",6,"굆굈굊",5,"굑굒굓굕굖굗"],["8281","굙",7,"굢굤",7,"굮굯굱굲굷굸굹굺굾궀궃",4,"궊궋궍궎궏궑",10,"궞",5,"궥",17,"궸",7,"귂귃귅귆귇귉",6,"귒귔",7,"귝귞귟귡귢귣귥",18],["8341","귺귻귽귾긂",5,"긊긌긎",5,"긕",7],["8361","긝",18,"긲긳긵긶긹긻긼"],["8381","긽긾긿깂깄깇깈깉깋깏깑깒깓깕깗",4,"깞깢깣깤깦깧깪깫깭깮깯깱",6,"깺깾",5,"꺆",5,"꺍",46,"꺿껁껂껃껅",6,"껎껒",5,"껚껛껝",8],["8441","껦껧껩껪껬껮",5,"껵껶껷껹껺껻껽",8],["8461","꼆꼉꼊꼋꼌꼎꼏꼑",18],["8481","꼤",7,"꼮꼯꼱꼳꼵",6,"꼾꽀꽄꽅꽆꽇꽊",5,"꽑",10,"꽞",5,"꽦",18,"꽺",5,"꾁꾂꾃꾅꾆꾇꾉",6,"꾒꾓꾔꾖",5,"꾝",26,"꾺꾻꾽꾾"],["8541","꾿꿁",5,"꿊꿌꿏",4,"꿕",6,"꿝",4],["8561","꿢",5,"꿪",5,"꿲꿳꿵꿶꿷꿹",6,"뀂뀃"],["8581","뀅",6,"뀍뀎뀏뀑뀒뀓뀕",6,"뀞",9,"뀩",26,"끆끇끉끋끍끏끐끑끒끖끘끚끛끜끞",29,"끾끿낁낂낃낅",6,"낎낐낒",5,"낛낝낞낣낤"],["8641","낥낦낧낪낰낲낶낷낹낺낻낽",6,"냆냊",5,"냒"],["8661","냓냕냖냗냙",6,"냡냢냣냤냦",10],["8681","냱",22,"넊넍넎넏넑넔넕넖넗넚넞",4,"넦넧넩넪넫넭",6,"넶넺",5,"녂녃녅녆녇녉",6,"녒녓녖녗녙녚녛녝녞녟녡",22,"녺녻녽녾녿놁놃",4,"놊놌놎놏놐놑놕놖놗놙놚놛놝"],["8741","놞",9,"놩",15],["8761","놹",18,"뇍뇎뇏뇑뇒뇓뇕"],["8781","뇖",5,"뇞뇠",7,"뇪뇫뇭뇮뇯뇱",7,"뇺뇼뇾",5,"눆눇눉눊눍",6,"눖눘눚",5,"눡",18,"눵",6,"눽",26,"뉙뉚뉛뉝뉞뉟뉡",6,"뉪",4],["8841","뉯",4,"뉶",5,"뉽",6,"늆늇늈늊",4],["8861","늏늒늓늕늖늗늛",4,"늢늤늧늨늩늫늭늮늯늱늲늳늵늶늷"],["8881","늸",15,"닊닋닍닎닏닑닓",4,"닚닜닞닟닠닡닣닧닩닪닰닱닲닶닼닽닾댂댃댅댆댇댉",6,"댒댖",5,"댝",54,"덗덙덚덝덠덡덢덣"],["8941","덦덨덪덬덭덯덲덳덵덶덷덹",6,"뎂뎆",5,"뎍"],["8961","뎎뎏뎑뎒뎓뎕",10,"뎢",5,"뎩뎪뎫뎭"],["8981","뎮",21,"돆돇돉돊돍돏돑돒돓돖돘돚돜돞돟돡돢돣돥돦돧돩",18,"돽",18,"됑",6,"됙됚됛됝됞됟됡",6,"됪됬",7,"됵",15],["8a41","둅",10,"둒둓둕둖둗둙",6,"둢둤둦"],["8a61","둧",4,"둭",18,"뒁뒂"],["8a81","뒃",4,"뒉",19,"뒞",5,"뒥뒦뒧뒩뒪뒫뒭",7,"뒶뒸뒺",5,"듁듂듃듅듆듇듉",6,"듑듒듓듔듖",5,"듞듟듡듢듥듧",4,"듮듰듲",5,"듹",26,"딖딗딙딚딝"],["8b41","딞",5,"딦딫",4,"딲딳딵딶딷딹",6,"땂땆"],["8b61","땇땈땉땊땎땏땑땒땓땕",6,"땞땢",8],["8b81","땫",52,"떢떣떥떦떧떩떬떭떮떯떲떶",4,"떾떿뗁뗂뗃뗅",6,"뗎뗒",5,"뗙",18,"뗭",18],["8c41","똀",15,"똒똓똕똖똗똙",4],["8c61","똞",6,"똦",5,"똭",6,"똵",5],["8c81","똻",12,"뙉",26,"뙥뙦뙧뙩",50,"뚞뚟뚡뚢뚣뚥",5,"뚭뚮뚯뚰뚲",16],["8d41","뛃",16,"뛕",8],["8d61","뛞",17,"뛱뛲뛳뛵뛶뛷뛹뛺"],["8d81","뛻",4,"뜂뜃뜄뜆",33,"뜪뜫뜭뜮뜱",6,"뜺뜼",7,"띅띆띇띉띊띋띍",6,"띖",9,"띡띢띣띥띦띧띩",6,"띲띴띶",5,"띾띿랁랂랃랅",6,"랎랓랔랕랚랛랝랞"],["8e41","랟랡",6,"랪랮",5,"랶랷랹",8],["8e61","럂",4,"럈럊",19],["8e81","럞",13,"럮럯럱럲럳럵",6,"럾렂",4,"렊렋렍렎렏렑",6,"렚렜렞",5,"렦렧렩렪렫렭",6,"렶렺",5,"롁롂롃롅",11,"롒롔",7,"롞롟롡롢롣롥",6,"롮롰롲",5,"롹롺롻롽",7],["8f41","뢅",7,"뢎",17],["8f61","뢠",7,"뢩",6,"뢱뢲뢳뢵뢶뢷뢹",4],["8f81","뢾뢿룂룄룆",5,"룍룎룏룑룒룓룕",7,"룞룠룢",5,"룪룫룭룮룯룱",6,"룺룼룾",5,"뤅",18,"뤙",6,"뤡",26,"뤾뤿륁륂륃륅",6,"륍륎륐륒",5],["9041","륚륛륝륞륟륡",6,"륪륬륮",5,"륶륷륹륺륻륽"],["9061","륾",5,"릆릈릋릌릏",15],["9081","릟",12,"릮릯릱릲릳릵",6,"릾맀맂",5,"맊맋맍맓",4,"맚맜맟맠맢맦맧맩맪맫맭",6,"맶맻",4,"먂",5,"먉",11,"먖",33,"먺먻먽먾먿멁멃멄멅멆"],["9141","멇멊멌멏멐멑멒멖멗멙멚멛멝",6,"멦멪",5],["9161","멲멳멵멶멷멹",9,"몆몈몉몊몋몍",5],["9181","몓",20,"몪몭몮몯몱몳",4,"몺몼몾",5,"뫅뫆뫇뫉",14,"뫚",33,"뫽뫾뫿묁묂묃묅",7,"묎묐묒",5,"묙묚묛묝묞묟묡",6],["9241","묨묪묬",7,"묷묹묺묿",4,"뭆뭈뭊뭋뭌뭎뭑뭒"],["9261","뭓뭕뭖뭗뭙",7,"뭢뭤",7,"뭭",4],["9281","뭲",21,"뮉뮊뮋뮍뮎뮏뮑",18,"뮥뮦뮧뮩뮪뮫뮭",6,"뮵뮶뮸",7,"믁믂믃믅믆믇믉",6,"믑믒믔",35,"믺믻믽믾밁"],["9341","밃",4,"밊밎밐밒밓밙밚밠밡밢밣밦밨밪밫밬밮밯밲밳밵"],["9361","밶밷밹",6,"뱂뱆뱇뱈뱊뱋뱎뱏뱑",8],["9381","뱚뱛뱜뱞",37,"벆벇벉벊벍벏",4,"벖벘벛",4,"벢벣벥벦벩",6,"벲벶",5,"벾벿볁볂볃볅",7,"볎볒볓볔볖볗볙볚볛볝",22,"볷볹볺볻볽"],["9441","볾",5,"봆봈봊",5,"봑봒봓봕",8],["9461","봞",5,"봥",6,"봭",12],["9481","봺",5,"뵁",6,"뵊뵋뵍뵎뵏뵑",6,"뵚",9,"뵥뵦뵧뵩",22,"붂붃붅붆붋",4,"붒붔붖붗붘붛붝",6,"붥",10,"붱",6,"붹",24],["9541","뷒뷓뷖뷗뷙뷚뷛뷝",11,"뷪",5,"뷱"],["9561","뷲뷳뷵뷶뷷뷹",6,"븁븂븄븆",5,"븎븏븑븒븓"],["9581","븕",6,"븞븠",35,"빆빇빉빊빋빍빏",4,"빖빘빜빝빞빟빢빣빥빦빧빩빫",4,"빲빶",4,"빾빿뺁뺂뺃뺅",6,"뺎뺒",5,"뺚",13,"뺩",14],["9641","뺸",23,"뻒뻓"],["9661","뻕뻖뻙",6,"뻡뻢뻦",5,"뻭",8],["9681","뻶",10,"뼂",5,"뼊",13,"뼚뼞",33,"뽂뽃뽅뽆뽇뽉",6,"뽒뽓뽔뽖",44],["9741","뾃",16,"뾕",8],["9761","뾞",17,"뾱",7],["9781","뾹",11,"뿆",5,"뿎뿏뿑뿒뿓뿕",6,"뿝뿞뿠뿢",89,"쀽쀾쀿"],["9841","쁀",16,"쁒",5,"쁙쁚쁛"],["9861","쁝쁞쁟쁡",6,"쁪",15],["9881","쁺",21,"삒삓삕삖삗삙",6,"삢삤삦",5,"삮삱삲삷",4,"삾샂샃샄샆샇샊샋샍샎샏샑",6,"샚샞",5,"샦샧샩샪샫샭",6,"샶샸샺",5,"섁섂섃섅섆섇섉",6,"섑섒섓섔섖",5,"섡섢섥섨섩섪섫섮"],["9941","섲섳섴섵섷섺섻섽섾섿셁",6,"셊셎",5,"셖셗"],["9961","셙셚셛셝",6,"셦셪",5,"셱셲셳셵셶셷셹셺셻"],["9981","셼",8,"솆",5,"솏솑솒솓솕솗",4,"솞솠솢솣솤솦솧솪솫솭솮솯솱",11,"솾",5,"쇅쇆쇇쇉쇊쇋쇍",6,"쇕쇖쇙",6,"쇡쇢쇣쇥쇦쇧쇩",6,"쇲쇴",7,"쇾쇿숁숂숃숅",6,"숎숐숒",5,"숚숛숝숞숡숢숣"],["9a41","숤숥숦숧숪숬숮숰숳숵",16],["9a61","쉆쉇쉉",6,"쉒쉓쉕쉖쉗쉙",6,"쉡쉢쉣쉤쉦"],["9a81","쉧",4,"쉮쉯쉱쉲쉳쉵",6,"쉾슀슂",5,"슊",5,"슑",6,"슙슚슜슞",5,"슦슧슩슪슫슮",5,"슶슸슺",33,"싞싟싡싢싥",5,"싮싰싲싳싴싵싷싺싽싾싿쌁",6,"쌊쌋쌎쌏"],["9b41","쌐쌑쌒쌖쌗쌙쌚쌛쌝",6,"쌦쌧쌪",8],["9b61","쌳",17,"썆",7],["9b81","썎",25,"썪썫썭썮썯썱썳",4,"썺썻썾",5,"쎅쎆쎇쎉쎊쎋쎍",50,"쏁",22,"쏚"],["9c41","쏛쏝쏞쏡쏣",4,"쏪쏫쏬쏮",5,"쏶쏷쏹",5],["9c61","쏿",8,"쐉",6,"쐑",9],["9c81","쐛",8,"쐥",6,"쐭쐮쐯쐱쐲쐳쐵",6,"쐾",9,"쑉",26,"쑦쑧쑩쑪쑫쑭",6,"쑶쑷쑸쑺",5,"쒁",18,"쒕",6,"쒝",12],["9d41","쒪",13,"쒹쒺쒻쒽",8],["9d61","쓆",25],["9d81","쓠",8,"쓪",5,"쓲쓳쓵쓶쓷쓹쓻쓼쓽쓾씂",9,"씍씎씏씑씒씓씕",6,"씝",10,"씪씫씭씮씯씱",6,"씺씼씾",5,"앆앇앋앏앐앑앒앖앚앛앜앟앢앣앥앦앧앩",6,"앲앶",5,"앾앿얁얂얃얅얆얈얉얊얋얎얐얒얓얔"],["9e41","얖얙얚얛얝얞얟얡",7,"얪",9,"얶"],["9e61","얷얺얿",4,"엋엍엏엒엓엕엖엗엙",6,"엢엤엦엧"],["9e81","엨엩엪엫엯엱엲엳엵엸엹엺엻옂옃옄옉옊옋옍옎옏옑",6,"옚옝",6,"옦옧옩옪옫옯옱옲옶옸옺옼옽옾옿왂왃왅왆왇왉",6,"왒왖",5,"왞왟왡",10,"왭왮왰왲",5,"왺왻왽왾왿욁",6,"욊욌욎",5,"욖욗욙욚욛욝",6,"욦"],["9f41","욨욪",5,"욲욳욵욶욷욻",4,"웂웄웆",5,"웎"],["9f61","웏웑웒웓웕",6,"웞웟웢",5,"웪웫웭웮웯웱웲"],["9f81","웳",4,"웺웻웼웾",5,"윆윇윉윊윋윍",6,"윖윘윚",5,"윢윣윥윦윧윩",6,"윲윴윶윸윹윺윻윾윿읁읂읃읅",4,"읋읎읐읙읚읛읝읞읟읡",6,"읩읪읬",7,"읶읷읹읺읻읿잀잁잂잆잋잌잍잏잒잓잕잙잛",4,"잢잧",4,"잮잯잱잲잳잵잶잷"],["a041","잸잹잺잻잾쟂",5,"쟊쟋쟍쟏쟑",6,"쟙쟚쟛쟜"],["a061","쟞",5,"쟥쟦쟧쟩쟪쟫쟭",13],["a081","쟻",4,"젂젃젅젆젇젉젋",4,"젒젔젗",4,"젞젟젡젢젣젥",6,"젮젰젲",5,"젹젺젻젽젾젿졁",6,"졊졋졎",5,"졕",26,"졲졳졵졶졷졹졻",4,"좂좄좈좉좊좎",5,"좕",7,"좞좠좢좣좤"],["a141","좥좦좧좩",18,"좾좿죀죁"],["a161","죂죃죅죆죇죉죊죋죍",6,"죖죘죚",5,"죢죣죥"],["a181","죦",14,"죶",5,"죾죿줁줂줃줇",4,"줎 、。·‥…¨〃­―∥\∼‘’“”〔〕〈",9,"±×÷≠≤≥∞∴°′″℃Å¢£¥♂♀∠⊥⌒∂∇≡≒§※☆★○●◎◇◆□■△▲▽▼→←↑↓↔〓≪≫√∽∝∵∫∬∈∋⊆⊇⊂⊃∪∩∧∨¬"],["a241","줐줒",5,"줙",18],["a261","줭",6,"줵",18],["a281","쥈",7,"쥒쥓쥕쥖쥗쥙",6,"쥢쥤",7,"쥭쥮쥯⇒⇔∀∃´~ˇ˘˝˚˙¸˛¡¿ː∮∑∏¤℉‰◁◀▷▶♤♠♡♥♧♣⊙◈▣◐◑▒▤▥▨▧▦▩♨☏☎☜☞¶†‡↕↗↙↖↘♭♩♪♬㉿㈜№㏇™㏂㏘℡€®"],["a341","쥱쥲쥳쥵",6,"쥽",10,"즊즋즍즎즏"],["a361","즑",6,"즚즜즞",16],["a381","즯",16,"짂짃짅짆짉짋",4,"짒짔짗짘짛!",58,"₩]",32," ̄"],["a441","짞짟짡짣짥짦짨짩짪짫짮짲",5,"짺짻짽짾짿쨁쨂쨃쨄"],["a461","쨅쨆쨇쨊쨎",5,"쨕쨖쨗쨙",12],["a481","쨦쨧쨨쨪",28,"ㄱ",93],["a541","쩇",4,"쩎쩏쩑쩒쩓쩕",6,"쩞쩢",5,"쩩쩪"],["a561","쩫",17,"쩾",5,"쪅쪆"],["a581","쪇",16,"쪙",14,"ⅰ",9],["a5b0","Ⅰ",9],["a5c1","Α",16,"Σ",6],["a5e1","α",16,"σ",6],["a641","쪨",19,"쪾쪿쫁쫂쫃쫅"],["a661","쫆",5,"쫎쫐쫒쫔쫕쫖쫗쫚",5,"쫡",6],["a681","쫨쫩쫪쫫쫭",6,"쫵",18,"쬉쬊─│┌┐┘└├┬┤┴┼━┃┏┓┛┗┣┳┫┻╋┠┯┨┷┿┝┰┥┸╂┒┑┚┙┖┕┎┍┞┟┡┢┦┧┩┪┭┮┱┲┵┶┹┺┽┾╀╁╃",7],["a741","쬋",4,"쬑쬒쬓쬕쬖쬗쬙",6,"쬢",7],["a761","쬪",22,"쭂쭃쭄"],["a781","쭅쭆쭇쭊쭋쭍쭎쭏쭑",6,"쭚쭛쭜쭞",5,"쭥",7,"㎕㎖㎗ℓ㎘㏄㎣㎤㎥㎦㎙",9,"㏊㎍㎎㎏㏏㎈㎉㏈㎧㎨㎰",9,"㎀",4,"㎺",5,"㎐",4,"Ω㏀㏁㎊㎋㎌㏖㏅㎭㎮㎯㏛㎩㎪㎫㎬㏝㏐㏓㏃㏉㏜㏆"],["a841","쭭",10,"쭺",14],["a861","쮉",18,"쮝",6],["a881","쮤",19,"쮹",11,"ÆЪĦ"],["a8a6","IJ"],["a8a8","ĿŁØŒºÞŦŊ"],["a8b1","㉠",27,"ⓐ",25,"①",14,"½⅓⅔¼¾⅛⅜⅝⅞"],["a941","쯅",14,"쯕",10],["a961","쯠쯡쯢쯣쯥쯦쯨쯪",18],["a981","쯽",14,"찎찏찑찒찓찕",6,"찞찟찠찣찤æđðħıijĸŀłøœßþŧŋʼn㈀",27,"⒜",25,"⑴",14,"¹²³⁴ⁿ₁₂₃₄"],["aa41","찥찦찪찫찭찯찱",6,"찺찿",4,"챆챇챉챊챋챍챎"],["aa61","챏",4,"챖챚",5,"챡챢챣챥챧챩",6,"챱챲"],["aa81","챳챴챶",29,"ぁ",82],["ab41","첔첕첖첗첚첛첝첞첟첡",6,"첪첮",5,"첶첷첹"],["ab61","첺첻첽",6,"쳆쳈쳊",5,"쳑쳒쳓쳕",5],["ab81","쳛",8,"쳥",6,"쳭쳮쳯쳱",12,"ァ",85],["ac41","쳾쳿촀촂",5,"촊촋촍촎촏촑",6,"촚촜촞촟촠"],["ac61","촡촢촣촥촦촧촩촪촫촭",11,"촺",4],["ac81","촿",28,"쵝쵞쵟А",5,"ЁЖ",25],["acd1","а",5,"ёж",25],["ad41","쵡쵢쵣쵥",6,"쵮쵰쵲",5,"쵹",7],["ad61","춁",6,"춉",10,"춖춗춙춚춛춝춞춟"],["ad81","춠춡춢춣춦춨춪",5,"춱",18,"췅"],["ae41","췆",5,"췍췎췏췑",16],["ae61","췢",5,"췩췪췫췭췮췯췱",6,"췺췼췾",4],["ae81","츃츅츆츇츉츊츋츍",6,"츕츖츗츘츚",5,"츢츣츥츦츧츩츪츫"],["af41","츬츭츮츯츲츴츶",19],["af61","칊",13,"칚칛칝칞칢",5,"칪칬"],["af81","칮",5,"칶칷칹칺칻칽",6,"캆캈캊",5,"캒캓캕캖캗캙"],["b041","캚",5,"캢캦",5,"캮",12],["b061","캻",5,"컂",19],["b081","컖",13,"컦컧컩컪컭",6,"컶컺",5,"가각간갇갈갉갊감",7,"같",4,"갠갤갬갭갯갰갱갸갹갼걀걋걍걔걘걜거걱건걷걸걺검겁것겄겅겆겉겊겋게겐겔겜겝겟겠겡겨격겪견겯결겸겹겻겼경곁계곈곌곕곗고곡곤곧골곪곬곯곰곱곳공곶과곽관괄괆"],["b141","켂켃켅켆켇켉",6,"켒켔켖",5,"켝켞켟켡켢켣"],["b161","켥",6,"켮켲",5,"켹",11],["b181","콅",14,"콖콗콙콚콛콝",6,"콦콨콪콫콬괌괍괏광괘괜괠괩괬괭괴괵괸괼굄굅굇굉교굔굘굡굣구국군굳굴굵굶굻굼굽굿궁궂궈궉권궐궜궝궤궷귀귁귄귈귐귑귓규균귤그극근귿글긁금급긋긍긔기긱긴긷길긺김깁깃깅깆깊까깍깎깐깔깖깜깝깟깠깡깥깨깩깬깰깸"],["b241","콭콮콯콲콳콵콶콷콹",6,"쾁쾂쾃쾄쾆",5,"쾍"],["b261","쾎",18,"쾢",5,"쾩"],["b281","쾪",5,"쾱",18,"쿅",6,"깹깻깼깽꺄꺅꺌꺼꺽꺾껀껄껌껍껏껐껑께껙껜껨껫껭껴껸껼꼇꼈꼍꼐꼬꼭꼰꼲꼴꼼꼽꼿꽁꽂꽃꽈꽉꽐꽜꽝꽤꽥꽹꾀꾄꾈꾐꾑꾕꾜꾸꾹꾼꿀꿇꿈꿉꿋꿍꿎꿔꿜꿨꿩꿰꿱꿴꿸뀀뀁뀄뀌뀐뀔뀜뀝뀨끄끅끈끊끌끎끓끔끕끗끙"],["b341","쿌",19,"쿢쿣쿥쿦쿧쿩"],["b361","쿪",5,"쿲쿴쿶",5,"쿽쿾쿿퀁퀂퀃퀅",5],["b381","퀋",5,"퀒",5,"퀙",19,"끝끼끽낀낄낌낍낏낑나낙낚난낟날낡낢남납낫",4,"낱낳내낵낸낼냄냅냇냈냉냐냑냔냘냠냥너넉넋넌널넒넓넘넙넛넜넝넣네넥넨넬넴넵넷넸넹녀녁년녈념녑녔녕녘녜녠노녹논놀놂놈놉놋농높놓놔놘놜놨뇌뇐뇔뇜뇝"],["b441","퀮",5,"퀶퀷퀹퀺퀻퀽",6,"큆큈큊",5],["b461","큑큒큓큕큖큗큙",6,"큡",10,"큮큯"],["b481","큱큲큳큵",6,"큾큿킀킂",18,"뇟뇨뇩뇬뇰뇹뇻뇽누눅눈눋눌눔눕눗눙눠눴눼뉘뉜뉠뉨뉩뉴뉵뉼늄늅늉느늑는늘늙늚늠늡늣능늦늪늬늰늴니닉닌닐닒님닙닛닝닢다닥닦단닫",4,"닳담답닷",4,"닿대댁댄댈댐댑댓댔댕댜더덕덖던덛덜덞덟덤덥"],["b541","킕",14,"킦킧킩킪킫킭",5],["b561","킳킶킸킺",5,"탂탃탅탆탇탊",5,"탒탖",4],["b581","탛탞탟탡탢탣탥",6,"탮탲",5,"탹",11,"덧덩덫덮데덱덴델뎀뎁뎃뎄뎅뎌뎐뎔뎠뎡뎨뎬도독돈돋돌돎돐돔돕돗동돛돝돠돤돨돼됐되된될됨됩됫됴두둑둔둘둠둡둣둥둬뒀뒈뒝뒤뒨뒬뒵뒷뒹듀듄듈듐듕드득든듣들듦듬듭듯등듸디딕딘딛딜딤딥딧딨딩딪따딱딴딸"],["b641","턅",7,"턎",17],["b661","턠",15,"턲턳턵턶턷턹턻턼턽턾"],["b681","턿텂텆",5,"텎텏텑텒텓텕",6,"텞텠텢",5,"텩텪텫텭땀땁땃땄땅땋때땍땐땔땜땝땟땠땡떠떡떤떨떪떫떰떱떳떴떵떻떼떽뗀뗄뗌뗍뗏뗐뗑뗘뗬또똑똔똘똥똬똴뙈뙤뙨뚜뚝뚠뚤뚫뚬뚱뛔뛰뛴뛸뜀뜁뜅뜨뜩뜬뜯뜰뜸뜹뜻띄띈띌띔띕띠띤띨띰띱띳띵라락란랄람랍랏랐랑랒랖랗"],["b741","텮",13,"텽",6,"톅톆톇톉톊"],["b761","톋",20,"톢톣톥톦톧"],["b781","톩",6,"톲톴톶톷톸톹톻톽톾톿퇁",14,"래랙랜랠램랩랫랬랭랴략랸럇량러럭런럴럼럽럿렀렁렇레렉렌렐렘렙렛렝려력련렬렴렵렷렸령례롄롑롓로록론롤롬롭롯롱롸롼뢍뢨뢰뢴뢸룀룁룃룅료룐룔룝룟룡루룩룬룰룸룹룻룽뤄뤘뤠뤼뤽륀륄륌륏륑류륙륜률륨륩"],["b841","퇐",7,"퇙",17],["b861","퇫",8,"퇵퇶퇷퇹",13],["b881","툈툊",5,"툑",24,"륫륭르륵른를름릅릇릉릊릍릎리릭린릴림립릿링마막만많",4,"맘맙맛망맞맡맣매맥맨맬맴맵맷맸맹맺먀먁먈먕머먹먼멀멂멈멉멋멍멎멓메멕멘멜멤멥멧멨멩며멱면멸몃몄명몇몌모목몫몬몰몲몸몹못몽뫄뫈뫘뫙뫼"],["b941","툪툫툮툯툱툲툳툵",6,"툾퉀퉂",5,"퉉퉊퉋퉌"],["b961","퉍",14,"퉝",6,"퉥퉦퉧퉨"],["b981","퉩",22,"튂튃튅튆튇튉튊튋튌묀묄묍묏묑묘묜묠묩묫무묵묶문묻물묽묾뭄뭅뭇뭉뭍뭏뭐뭔뭘뭡뭣뭬뮈뮌뮐뮤뮨뮬뮴뮷므믄믈믐믓미믹민믿밀밂밈밉밋밌밍및밑바",4,"받",4,"밤밥밧방밭배백밴밸뱀뱁뱃뱄뱅뱉뱌뱍뱐뱝버벅번벋벌벎범법벗"],["ba41","튍튎튏튒튓튔튖",5,"튝튞튟튡튢튣튥",6,"튭"],["ba61","튮튯튰튲",5,"튺튻튽튾틁틃",4,"틊틌",5],["ba81","틒틓틕틖틗틙틚틛틝",6,"틦",9,"틲틳틵틶틷틹틺벙벚베벡벤벧벨벰벱벳벴벵벼벽변별볍볏볐병볕볘볜보복볶본볼봄봅봇봉봐봔봤봬뵀뵈뵉뵌뵐뵘뵙뵤뵨부북분붇불붉붊붐붑붓붕붙붚붜붤붰붸뷔뷕뷘뷜뷩뷰뷴뷸븀븃븅브븍븐블븜븝븟비빅빈빌빎빔빕빗빙빚빛빠빡빤"],["bb41","틻",4,"팂팄팆",5,"팏팑팒팓팕팗",4,"팞팢팣"],["bb61","팤팦팧팪팫팭팮팯팱",6,"팺팾",5,"퍆퍇퍈퍉"],["bb81","퍊",31,"빨빪빰빱빳빴빵빻빼빽뺀뺄뺌뺍뺏뺐뺑뺘뺙뺨뻐뻑뻔뻗뻘뻠뻣뻤뻥뻬뼁뼈뼉뼘뼙뼛뼜뼝뽀뽁뽄뽈뽐뽑뽕뾔뾰뿅뿌뿍뿐뿔뿜뿟뿡쀼쁑쁘쁜쁠쁨쁩삐삑삔삘삠삡삣삥사삭삯산삳살삵삶삼삽삿샀상샅새색샌샐샘샙샛샜생샤"],["bc41","퍪",17,"퍾퍿펁펂펃펅펆펇"],["bc61","펈펉펊펋펎펒",5,"펚펛펝펞펟펡",6,"펪펬펮"],["bc81","펯",4,"펵펶펷펹펺펻펽",6,"폆폇폊",5,"폑",5,"샥샨샬샴샵샷샹섀섄섈섐섕서",4,"섣설섦섧섬섭섯섰성섶세섹센셀셈셉셋셌셍셔셕션셜셤셥셧셨셩셰셴셸솅소속솎손솔솖솜솝솟송솥솨솩솬솰솽쇄쇈쇌쇔쇗쇘쇠쇤쇨쇰쇱쇳쇼쇽숀숄숌숍숏숑수숙순숟술숨숩숫숭"],["bd41","폗폙",7,"폢폤",7,"폮폯폱폲폳폵폶폷"],["bd61","폸폹폺폻폾퐀퐂",5,"퐉",13],["bd81","퐗",5,"퐞",25,"숯숱숲숴쉈쉐쉑쉔쉘쉠쉥쉬쉭쉰쉴쉼쉽쉿슁슈슉슐슘슛슝스슥슨슬슭슴습슷승시식신싣실싫심십싯싱싶싸싹싻싼쌀쌈쌉쌌쌍쌓쌔쌕쌘쌜쌤쌥쌨쌩썅써썩썬썰썲썸썹썼썽쎄쎈쎌쏀쏘쏙쏜쏟쏠쏢쏨쏩쏭쏴쏵쏸쐈쐐쐤쐬쐰"],["be41","퐸",7,"푁푂푃푅",14],["be61","푔",7,"푝푞푟푡푢푣푥",7,"푮푰푱푲"],["be81","푳",4,"푺푻푽푾풁풃",4,"풊풌풎",5,"풕",8,"쐴쐼쐽쑈쑤쑥쑨쑬쑴쑵쑹쒀쒔쒜쒸쒼쓩쓰쓱쓴쓸쓺쓿씀씁씌씐씔씜씨씩씬씰씸씹씻씽아악안앉않알앍앎앓암압앗았앙앝앞애액앤앨앰앱앳앴앵야약얀얄얇얌얍얏양얕얗얘얜얠얩어억언얹얻얼얽얾엄",6,"엌엎"],["bf41","풞",10,"풪",14],["bf61","풹",18,"퓍퓎퓏퓑퓒퓓퓕"],["bf81","퓖",5,"퓝퓞퓠",7,"퓩퓪퓫퓭퓮퓯퓱",6,"퓹퓺퓼에엑엔엘엠엡엣엥여역엮연열엶엷염",5,"옅옆옇예옌옐옘옙옛옜오옥온올옭옮옰옳옴옵옷옹옻와왁완왈왐왑왓왔왕왜왝왠왬왯왱외왹왼욀욈욉욋욍요욕욘욜욤욥욧용우욱운울욹욺움웁웃웅워웍원월웜웝웠웡웨"],["c041","퓾",5,"픅픆픇픉픊픋픍",6,"픖픘",5],["c061","픞",25],["c081","픸픹픺픻픾픿핁핂핃핅",6,"핎핐핒",5,"핚핛핝핞핟핡핢핣웩웬웰웸웹웽위윅윈윌윔윕윗윙유육윤율윰윱윳융윷으윽은을읊음읍읏응",7,"읜읠읨읫이익인일읽읾잃임입잇있잉잊잎자작잔잖잗잘잚잠잡잣잤장잦재잭잰잴잼잽잿쟀쟁쟈쟉쟌쟎쟐쟘쟝쟤쟨쟬저적전절젊"],["c141","핤핦핧핪핬핮",5,"핶핷핹핺핻핽",6,"햆햊햋"],["c161","햌햍햎햏햑",19,"햦햧"],["c181","햨",31,"점접젓정젖제젝젠젤젬젭젯젱져젼졀졈졉졌졍졔조족존졸졺좀좁좃종좆좇좋좌좍좔좝좟좡좨좼좽죄죈죌죔죕죗죙죠죡죤죵주죽준줄줅줆줌줍줏중줘줬줴쥐쥑쥔쥘쥠쥡쥣쥬쥰쥴쥼즈즉즌즐즘즙즛증지직진짇질짊짐집짓"],["c241","헊헋헍헎헏헑헓",4,"헚헜헞",5,"헦헧헩헪헫헭헮"],["c261","헯",4,"헶헸헺",5,"혂혃혅혆혇혉",6,"혒"],["c281","혖",5,"혝혞혟혡혢혣혥",7,"혮",9,"혺혻징짖짙짚짜짝짠짢짤짧짬짭짯짰짱째짹짼쨀쨈쨉쨋쨌쨍쨔쨘쨩쩌쩍쩐쩔쩜쩝쩟쩠쩡쩨쩽쪄쪘쪼쪽쫀쫄쫌쫍쫏쫑쫓쫘쫙쫠쫬쫴쬈쬐쬔쬘쬠쬡쭁쭈쭉쭌쭐쭘쭙쭝쭤쭸쭹쮜쮸쯔쯤쯧쯩찌찍찐찔찜찝찡찢찧차착찬찮찰참찹찻"],["c341","혽혾혿홁홂홃홄홆홇홊홌홎홏홐홒홓홖홗홙홚홛홝",4],["c361","홢",4,"홨홪",5,"홲홳홵",11],["c381","횁횂횄횆",5,"횎횏횑횒횓횕",7,"횞횠횢",5,"횩횪찼창찾채책챈챌챔챕챗챘챙챠챤챦챨챰챵처척천철첨첩첫첬청체첵첸첼쳄쳅쳇쳉쳐쳔쳤쳬쳰촁초촉촌촐촘촙촛총촤촨촬촹최쵠쵤쵬쵭쵯쵱쵸춈추축춘출춤춥춧충춰췄췌췐취췬췰췸췹췻췽츄츈츌츔츙츠측츤츨츰츱츳층"],["c441","횫횭횮횯횱",7,"횺횼",7,"훆훇훉훊훋"],["c461","훍훎훏훐훒훓훕훖훘훚",5,"훡훢훣훥훦훧훩",4],["c481","훮훯훱훲훳훴훶",5,"훾훿휁휂휃휅",11,"휒휓휔치칙친칟칠칡침칩칫칭카칵칸칼캄캅캇캉캐캑캔캘캠캡캣캤캥캬캭컁커컥컨컫컬컴컵컷컸컹케켁켄켈켐켑켓켕켜켠켤켬켭켯켰켱켸코콕콘콜콤콥콧콩콰콱콴콸쾀쾅쾌쾡쾨쾰쿄쿠쿡쿤쿨쿰쿱쿳쿵쿼퀀퀄퀑퀘퀭퀴퀵퀸퀼"],["c541","휕휖휗휚휛휝휞휟휡",6,"휪휬휮",5,"휶휷휹"],["c561","휺휻휽",6,"흅흆흈흊",5,"흒흓흕흚",4],["c581","흟흢흤흦흧흨흪흫흭흮흯흱흲흳흵",6,"흾흿힀힂",5,"힊힋큄큅큇큉큐큔큘큠크큭큰클큼큽킁키킥킨킬킴킵킷킹타탁탄탈탉탐탑탓탔탕태택탠탤탬탭탯탰탱탸턍터턱턴털턺텀텁텃텄텅테텍텐텔템텝텟텡텨텬텼톄톈토톡톤톨톰톱톳통톺톼퇀퇘퇴퇸툇툉툐투툭툰툴툼툽툿퉁퉈퉜"],["c641","힍힎힏힑",6,"힚힜힞",5],["c6a1","퉤튀튁튄튈튐튑튕튜튠튤튬튱트특튼튿틀틂틈틉틋틔틘틜틤틥티틱틴틸팀팁팃팅파팍팎판팔팖팜팝팟팠팡팥패팩팬팰팸팹팻팼팽퍄퍅퍼퍽펀펄펌펍펏펐펑페펙펜펠펨펩펫펭펴편펼폄폅폈평폐폘폡폣포폭폰폴폼폽폿퐁"],["c7a1","퐈퐝푀푄표푠푤푭푯푸푹푼푿풀풂품풉풋풍풔풩퓌퓐퓔퓜퓟퓨퓬퓰퓸퓻퓽프픈플픔픕픗피픽핀필핌핍핏핑하학한할핥함합핫항해핵핸핼햄햅햇했행햐향허헉헌헐헒험헙헛헝헤헥헨헬헴헵헷헹혀혁현혈혐협혓혔형혜혠"],["c8a1","혤혭호혹혼홀홅홈홉홋홍홑화확환활홧황홰홱홴횃횅회획횐횔횝횟횡효횬횰횹횻후훅훈훌훑훔훗훙훠훤훨훰훵훼훽휀휄휑휘휙휜휠휨휩휫휭휴휵휸휼흄흇흉흐흑흔흖흗흘흙흠흡흣흥흩희흰흴흼흽힁히힉힌힐힘힙힛힝"],["caa1","伽佳假價加可呵哥嘉嫁家暇架枷柯歌珂痂稼苛茄街袈訶賈跏軻迦駕刻却各恪慤殼珏脚覺角閣侃刊墾奸姦干幹懇揀杆柬桿澗癎看磵稈竿簡肝艮艱諫間乫喝曷渴碣竭葛褐蝎鞨勘坎堪嵌感憾戡敢柑橄減甘疳監瞰紺邯鑑鑒龕"],["cba1","匣岬甲胛鉀閘剛堈姜岡崗康强彊慷江畺疆糠絳綱羌腔舡薑襁講鋼降鱇介价個凱塏愷愾慨改槪漑疥皆盖箇芥蓋豈鎧開喀客坑更粳羹醵倨去居巨拒据據擧渠炬祛距踞車遽鉅鋸乾件健巾建愆楗腱虔蹇鍵騫乞傑杰桀儉劍劒檢"],["cca1","瞼鈐黔劫怯迲偈憩揭擊格檄激膈覡隔堅牽犬甄絹繭肩見譴遣鵑抉決潔結缺訣兼慊箝謙鉗鎌京俓倞傾儆勁勍卿坰境庚徑慶憬擎敬景暻更梗涇炅烱璟璥瓊痙硬磬竟競絅經耕耿脛莖警輕逕鏡頃頸驚鯨係啓堺契季屆悸戒桂械"],["cda1","棨溪界癸磎稽系繫繼計誡谿階鷄古叩告呱固姑孤尻庫拷攷故敲暠枯槁沽痼皐睾稿羔考股膏苦苽菰藁蠱袴誥賈辜錮雇顧高鼓哭斛曲梏穀谷鵠困坤崑昆梱棍滾琨袞鯤汨滑骨供公共功孔工恐恭拱控攻珙空蚣貢鞏串寡戈果瓜"],["cea1","科菓誇課跨過鍋顆廓槨藿郭串冠官寬慣棺款灌琯瓘管罐菅觀貫關館刮恝括适侊光匡壙廣曠洸炚狂珖筐胱鑛卦掛罫乖傀塊壞怪愧拐槐魁宏紘肱轟交僑咬喬嬌嶠巧攪敎校橋狡皎矯絞翹膠蕎蛟較轎郊餃驕鮫丘久九仇俱具勾"],["cfa1","區口句咎嘔坵垢寇嶇廐懼拘救枸柩構歐毆毬求溝灸狗玖球瞿矩究絿耉臼舅舊苟衢謳購軀逑邱鉤銶駒驅鳩鷗龜國局菊鞠鞫麴君窘群裙軍郡堀屈掘窟宮弓穹窮芎躬倦券勸卷圈拳捲權淃眷厥獗蕨蹶闕机櫃潰詭軌饋句晷歸貴"],["d0a1","鬼龜叫圭奎揆槻珪硅窺竅糾葵規赳逵閨勻均畇筠菌鈞龜橘克剋劇戟棘極隙僅劤勤懃斤根槿瑾筋芹菫覲謹近饉契今妗擒昑檎琴禁禽芩衾衿襟金錦伋及急扱汲級給亘兢矜肯企伎其冀嗜器圻基埼夔奇妓寄岐崎己幾忌技旗旣"],["d1a1","朞期杞棋棄機欺氣汽沂淇玘琦琪璂璣畸畿碁磯祁祇祈祺箕紀綺羈耆耭肌記譏豈起錡錤飢饑騎騏驥麒緊佶吉拮桔金喫儺喇奈娜懦懶拏拿癩",5,"那樂",4,"諾酪駱亂卵暖欄煖爛蘭難鸞捏捺南嵐枏楠湳濫男藍襤拉"],["d2a1","納臘蠟衲囊娘廊",4,"乃來內奈柰耐冷女年撚秊念恬拈捻寧寗努勞奴弩怒擄櫓爐瑙盧",5,"駑魯",10,"濃籠聾膿農惱牢磊腦賂雷尿壘",7,"嫩訥杻紐勒",5,"能菱陵尼泥匿溺多茶"],["d3a1","丹亶但單團壇彖斷旦檀段湍短端簞緞蛋袒鄲鍛撻澾獺疸達啖坍憺擔曇淡湛潭澹痰聃膽蕁覃談譚錟沓畓答踏遝唐堂塘幢戇撞棠當糖螳黨代垈坮大對岱帶待戴擡玳臺袋貸隊黛宅德悳倒刀到圖堵塗導屠島嶋度徒悼挑掉搗桃"],["d4a1","棹櫂淘渡滔濤燾盜睹禱稻萄覩賭跳蹈逃途道都鍍陶韜毒瀆牘犢獨督禿篤纛讀墩惇敦旽暾沌焞燉豚頓乭突仝冬凍動同憧東桐棟洞潼疼瞳童胴董銅兜斗杜枓痘竇荳讀豆逗頭屯臀芚遁遯鈍得嶝橙燈登等藤謄鄧騰喇懶拏癩羅"],["d5a1","蘿螺裸邏樂洛烙珞絡落諾酪駱丹亂卵欄欒瀾爛蘭鸞剌辣嵐擥攬欖濫籃纜藍襤覽拉臘蠟廊朗浪狼琅瑯螂郞來崍徠萊冷掠略亮倆兩凉梁樑粮粱糧良諒輛量侶儷勵呂廬慮戾旅櫚濾礪藜蠣閭驢驪麗黎力曆歷瀝礫轢靂憐戀攣漣"],["d6a1","煉璉練聯蓮輦連鍊冽列劣洌烈裂廉斂殮濂簾獵令伶囹寧岺嶺怜玲笭羚翎聆逞鈴零靈領齡例澧禮醴隷勞怒撈擄櫓潞瀘爐盧老蘆虜路輅露魯鷺鹵碌祿綠菉錄鹿麓論壟弄朧瀧瓏籠聾儡瀨牢磊賂賚賴雷了僚寮廖料燎療瞭聊蓼"],["d7a1","遼鬧龍壘婁屢樓淚漏瘻累縷蔞褸鏤陋劉旒柳榴流溜瀏琉瑠留瘤硫謬類六戮陸侖倫崙淪綸輪律慄栗率隆勒肋凜凌楞稜綾菱陵俚利厘吏唎履悧李梨浬犁狸理璃異痢籬罹羸莉裏裡里釐離鯉吝潾燐璘藺躪隣鱗麟林淋琳臨霖砬"],["d8a1","立笠粒摩瑪痲碼磨馬魔麻寞幕漠膜莫邈万卍娩巒彎慢挽晩曼滿漫灣瞞萬蔓蠻輓饅鰻唜抹末沫茉襪靺亡妄忘忙望網罔芒茫莽輞邙埋妹媒寐昧枚梅每煤罵買賣邁魅脈貊陌驀麥孟氓猛盲盟萌冪覓免冕勉棉沔眄眠綿緬面麵滅"],["d9a1","蔑冥名命明暝椧溟皿瞑茗蓂螟酩銘鳴袂侮冒募姆帽慕摸摹暮某模母毛牟牡瑁眸矛耗芼茅謀謨貌木沐牧目睦穆鶩歿沒夢朦蒙卯墓妙廟描昴杳渺猫竗苗錨務巫憮懋戊拇撫无楙武毋無珷畝繆舞茂蕪誣貿霧鵡墨默們刎吻問文"],["daa1","汶紊紋聞蚊門雯勿沕物味媚尾嵋彌微未梶楣渼湄眉米美薇謎迷靡黴岷悶愍憫敏旻旼民泯玟珉緡閔密蜜謐剝博拍搏撲朴樸泊珀璞箔粕縛膊舶薄迫雹駁伴半反叛拌搬攀斑槃泮潘班畔瘢盤盼磐磻礬絆般蟠返頒飯勃拔撥渤潑"],["dba1","發跋醱鉢髮魃倣傍坊妨尨幇彷房放方旁昉枋榜滂磅紡肪膀舫芳蒡蚌訪謗邦防龐倍俳北培徘拜排杯湃焙盃背胚裴裵褙賠輩配陪伯佰帛柏栢白百魄幡樊煩燔番磻繁蕃藩飜伐筏罰閥凡帆梵氾汎泛犯範范法琺僻劈壁擘檗璧癖"],["dca1","碧蘗闢霹便卞弁變辨辯邊別瞥鱉鼈丙倂兵屛幷昞昺柄棅炳甁病秉竝輧餠騈保堡報寶普步洑湺潽珤甫菩補褓譜輔伏僕匐卜宓復服福腹茯蔔複覆輹輻馥鰒本乶俸奉封峯峰捧棒烽熢琫縫蓬蜂逢鋒鳳不付俯傅剖副否咐埠夫婦"],["dda1","孚孵富府復扶敷斧浮溥父符簿缶腐腑膚艀芙莩訃負賦賻赴趺部釜阜附駙鳧北分吩噴墳奔奮忿憤扮昐汾焚盆粉糞紛芬賁雰不佛弗彿拂崩朋棚硼繃鵬丕備匕匪卑妃婢庇悲憊扉批斐枇榧比毖毗毘沸泌琵痺砒碑秕秘粃緋翡肥"],["dea1","脾臂菲蜚裨誹譬費鄙非飛鼻嚬嬪彬斌檳殯浜濱瀕牝玭貧賓頻憑氷聘騁乍事些仕伺似使俟僿史司唆嗣四士奢娑寫寺射巳師徙思捨斜斯柶査梭死沙泗渣瀉獅砂社祀祠私篩紗絲肆舍莎蓑蛇裟詐詞謝賜赦辭邪飼駟麝削數朔索"],["dfa1","傘刪山散汕珊産疝算蒜酸霰乷撒殺煞薩三參杉森渗芟蔘衫揷澁鈒颯上傷像償商喪嘗孀尙峠常床庠廂想桑橡湘爽牀狀相祥箱翔裳觴詳象賞霜塞璽賽嗇塞穡索色牲生甥省笙墅壻嶼序庶徐恕抒捿敍暑曙書栖棲犀瑞筮絮緖署"],["e0a1","胥舒薯西誓逝鋤黍鼠夕奭席惜昔晳析汐淅潟石碩蓆釋錫仙僊先善嬋宣扇敾旋渲煽琁瑄璇璿癬禪線繕羨腺膳船蘚蟬詵跣選銑鐥饍鮮卨屑楔泄洩渫舌薛褻設說雪齧剡暹殲纖蟾贍閃陝攝涉燮葉城姓宬性惺成星晟猩珹盛省筬"],["e1a1","聖聲腥誠醒世勢歲洗稅笹細說貰召嘯塑宵小少巢所掃搔昭梳沼消溯瀟炤燒甦疏疎瘙笑篠簫素紹蔬蕭蘇訴逍遡邵銷韶騷俗屬束涑粟續謖贖速孫巽損蓀遜飡率宋悚松淞訟誦送頌刷殺灑碎鎖衰釗修受嗽囚垂壽嫂守岫峀帥愁"],["e2a1","戍手授搜收數樹殊水洙漱燧狩獸琇璲瘦睡秀穗竪粹綏綬繡羞脩茱蒐蓚藪袖誰讐輸遂邃酬銖銹隋隧隨雖需須首髓鬚叔塾夙孰宿淑潚熟琡璹肅菽巡徇循恂旬栒楯橓殉洵淳珣盾瞬筍純脣舜荀蓴蕣詢諄醇錞順馴戌術述鉥崇崧"],["e3a1","嵩瑟膝蝨濕拾習褶襲丞乘僧勝升承昇繩蠅陞侍匙嘶始媤尸屎屍市弑恃施是時枾柴猜矢示翅蒔蓍視試詩諡豕豺埴寔式息拭植殖湜熄篒蝕識軾食飾伸侁信呻娠宸愼新晨燼申神紳腎臣莘薪藎蜃訊身辛辰迅失室實悉審尋心沁"],["e4a1","沈深瀋甚芯諶什十拾雙氏亞俄兒啞娥峨我牙芽莪蛾衙訝阿雅餓鴉鵝堊岳嶽幄惡愕握樂渥鄂鍔顎鰐齷安岸按晏案眼雁鞍顔鮟斡謁軋閼唵岩巖庵暗癌菴闇壓押狎鴨仰央怏昻殃秧鴦厓哀埃崖愛曖涯碍艾隘靄厄扼掖液縊腋額"],["e5a1","櫻罌鶯鸚也倻冶夜惹揶椰爺耶若野弱掠略約若葯蒻藥躍亮佯兩凉壤孃恙揚攘敭暘梁楊樣洋瀁煬痒瘍禳穰糧羊良襄諒讓釀陽量養圄御於漁瘀禦語馭魚齬億憶抑檍臆偃堰彦焉言諺孼蘖俺儼嚴奄掩淹嶪業円予余勵呂女如廬"],["e6a1","旅歟汝濾璵礖礪與艅茹輿轝閭餘驪麗黎亦力域役易曆歷疫繹譯轢逆驛嚥堧姸娟宴年延憐戀捐挻撚椽沇沿涎涓淵演漣烟然煙煉燃燕璉硏硯秊筵緣練縯聯衍軟輦蓮連鉛鍊鳶列劣咽悅涅烈熱裂說閱厭廉念捻染殮炎焰琰艶苒"],["e7a1","簾閻髥鹽曄獵燁葉令囹塋寧嶺嶸影怜映暎楹榮永泳渶潁濚瀛瀯煐營獰玲瑛瑩瓔盈穎纓羚聆英詠迎鈴鍈零霙靈領乂倪例刈叡曳汭濊猊睿穢芮藝蘂禮裔詣譽豫醴銳隸霓預五伍俉傲午吾吳嗚塢墺奧娛寤悟惡懊敖旿晤梧汚澳"],["e8a1","烏熬獒筽蜈誤鰲鼇屋沃獄玉鈺溫瑥瘟穩縕蘊兀壅擁瓮甕癰翁邕雍饔渦瓦窩窪臥蛙蝸訛婉完宛梡椀浣玩琓琬碗緩翫脘腕莞豌阮頑曰往旺枉汪王倭娃歪矮外嵬巍猥畏了僚僥凹堯夭妖姚寥寮尿嶢拗搖撓擾料曜樂橈燎燿瑤療"],["e9a1","窈窯繇繞耀腰蓼蟯要謠遙遼邀饒慾欲浴縟褥辱俑傭冗勇埇墉容庸慂榕涌湧溶熔瑢用甬聳茸蓉踊鎔鏞龍于佑偶優又友右宇寓尤愚憂旴牛玗瑀盂祐禑禹紆羽芋藕虞迂遇郵釪隅雨雩勖彧旭昱栯煜稶郁頊云暈橒殞澐熉耘芸蕓"],["eaa1","運隕雲韻蔚鬱亐熊雄元原員圓園垣媛嫄寃怨愿援沅洹湲源爰猿瑗苑袁轅遠阮院願鴛月越鉞位偉僞危圍委威尉慰暐渭爲瑋緯胃萎葦蔿蝟衛褘謂違韋魏乳侑儒兪劉唯喩孺宥幼幽庾悠惟愈愉揄攸有杻柔柚柳楡楢油洧流游溜"],["eba1","濡猶猷琉瑜由留癒硫紐維臾萸裕誘諛諭踰蹂遊逾遺酉釉鍮類六堉戮毓肉育陸倫允奫尹崙淪潤玧胤贇輪鈗閏律慄栗率聿戎瀜絨融隆垠恩慇殷誾銀隱乙吟淫蔭陰音飮揖泣邑凝應膺鷹依倚儀宜意懿擬椅毅疑矣義艤薏蟻衣誼"],["eca1","議醫二以伊利吏夷姨履已弛彛怡易李梨泥爾珥理異痍痢移罹而耳肄苡荑裏裡貽貳邇里離飴餌匿溺瀷益翊翌翼謚人仁刃印吝咽因姻寅引忍湮燐璘絪茵藺蚓認隣靭靷鱗麟一佚佾壹日溢逸鎰馹任壬妊姙恁林淋稔臨荏賃入卄"],["eda1","立笠粒仍剩孕芿仔刺咨姉姿子字孜恣慈滋炙煮玆瓷疵磁紫者自茨蔗藉諮資雌作勺嚼斫昨灼炸爵綽芍酌雀鵲孱棧殘潺盞岑暫潛箴簪蠶雜丈仗匠場墻壯奬將帳庄張掌暲杖樟檣欌漿牆狀獐璋章粧腸臟臧莊葬蔣薔藏裝贓醬長"],["eea1","障再哉在宰才材栽梓渽滓災縡裁財載齋齎爭箏諍錚佇低儲咀姐底抵杵楮樗沮渚狙猪疽箸紵苧菹著藷詛貯躇這邸雎齟勣吊嫡寂摘敵滴狄炙的積笛籍績翟荻謫賊赤跡蹟迪迹適鏑佃佺傳全典前剪塡塼奠專展廛悛戰栓殿氈澱"],["efa1","煎琠田甸畑癲筌箋箭篆纏詮輾轉鈿銓錢鐫電顚顫餞切截折浙癤竊節絶占岾店漸点粘霑鮎點接摺蝶丁井亭停偵呈姃定幀庭廷征情挺政整旌晶晸柾楨檉正汀淀淨渟湞瀞炡玎珽町睛碇禎程穽精綎艇訂諪貞鄭酊釘鉦鋌錠霆靖"],["f0a1","靜頂鼎制劑啼堤帝弟悌提梯濟祭第臍薺製諸蹄醍除際霽題齊俎兆凋助嘲弔彫措操早晁曺曹朝條棗槽漕潮照燥爪璪眺祖祚租稠窕粗糟組繰肇藻蚤詔調趙躁造遭釣阻雕鳥族簇足鏃存尊卒拙猝倧宗從悰慫棕淙琮種終綜縱腫"],["f1a1","踪踵鍾鐘佐坐左座挫罪主住侏做姝胄呪周嗾奏宙州廚晝朱柱株注洲湊澍炷珠疇籌紂紬綢舟蛛註誅走躊輳週酎酒鑄駐竹粥俊儁准埈寯峻晙樽浚準濬焌畯竣蠢逡遵雋駿茁中仲衆重卽櫛楫汁葺增憎曾拯烝甑症繒蒸證贈之只"],["f2a1","咫地址志持指摯支旨智枝枳止池沚漬知砥祉祗紙肢脂至芝芷蜘誌識贄趾遲直稙稷織職唇嗔塵振搢晉晋桭榛殄津溱珍瑨璡畛疹盡眞瞋秦縉縝臻蔯袗診賑軫辰進鎭陣陳震侄叱姪嫉帙桎瓆疾秩窒膣蛭質跌迭斟朕什執潗緝輯"],["f3a1","鏶集徵懲澄且侘借叉嗟嵯差次此磋箚茶蹉車遮捉搾着窄錯鑿齪撰澯燦璨瓚竄簒纂粲纘讚贊鑽餐饌刹察擦札紮僭參塹慘慙懺斬站讒讖倉倡創唱娼廠彰愴敞昌昶暢槍滄漲猖瘡窓脹艙菖蒼債埰寀寨彩採砦綵菜蔡采釵冊柵策"],["f4a1","責凄妻悽處倜刺剔尺慽戚拓擲斥滌瘠脊蹠陟隻仟千喘天川擅泉淺玔穿舛薦賤踐遷釧闡阡韆凸哲喆徹撤澈綴輟轍鐵僉尖沾添甛瞻簽籤詹諂堞妾帖捷牒疊睫諜貼輒廳晴淸聽菁請靑鯖切剃替涕滯締諦逮遞體初剿哨憔抄招梢"],["f5a1","椒楚樵炒焦硝礁礎秒稍肖艸苕草蕉貂超酢醋醮促囑燭矗蜀觸寸忖村邨叢塚寵悤憁摠總聰蔥銃撮催崔最墜抽推椎楸樞湫皺秋芻萩諏趨追鄒酋醜錐錘鎚雛騶鰍丑畜祝竺筑築縮蓄蹙蹴軸逐春椿瑃出朮黜充忠沖蟲衝衷悴膵萃"],["f6a1","贅取吹嘴娶就炊翠聚脆臭趣醉驟鷲側仄厠惻測層侈値嗤峙幟恥梔治淄熾痔痴癡稚穉緇緻置致蚩輜雉馳齒則勅飭親七柒漆侵寢枕沈浸琛砧針鍼蟄秤稱快他咤唾墮妥惰打拖朶楕舵陀馱駝倬卓啄坼度托拓擢晫柝濁濯琢琸託"],["f7a1","鐸呑嘆坦彈憚歎灘炭綻誕奪脫探眈耽貪塔搭榻宕帑湯糖蕩兌台太怠態殆汰泰笞胎苔跆邰颱宅擇澤撑攄兎吐土討慟桶洞痛筒統通堆槌腿褪退頹偸套妬投透鬪慝特闖坡婆巴把播擺杷波派爬琶破罷芭跛頗判坂板版瓣販辦鈑"],["f8a1","阪八叭捌佩唄悖敗沛浿牌狽稗覇貝彭澎烹膨愎便偏扁片篇編翩遍鞭騙貶坪平枰萍評吠嬖幣廢弊斃肺蔽閉陛佈包匍匏咆哺圃布怖抛抱捕暴泡浦疱砲胞脯苞葡蒲袍褒逋鋪飽鮑幅暴曝瀑爆輻俵剽彪慓杓標漂瓢票表豹飇飄驃"],["f9a1","品稟楓諷豊風馮彼披疲皮被避陂匹弼必泌珌畢疋筆苾馝乏逼下何厦夏廈昰河瑕荷蝦賀遐霞鰕壑學虐謔鶴寒恨悍旱汗漢澣瀚罕翰閑閒限韓割轄函含咸啣喊檻涵緘艦銜陷鹹合哈盒蛤閤闔陜亢伉姮嫦巷恒抗杭桁沆港缸肛航"],["faa1","行降項亥偕咳垓奚孩害懈楷海瀣蟹解該諧邂駭骸劾核倖幸杏荇行享向嚮珦鄕響餉饗香噓墟虛許憲櫶獻軒歇險驗奕爀赫革俔峴弦懸晛泫炫玄玹現眩睍絃絢縣舷衒見賢鉉顯孑穴血頁嫌俠協夾峽挾浹狹脅脇莢鋏頰亨兄刑型"],["fba1","形泂滎瀅灐炯熒珩瑩荊螢衡逈邢鎣馨兮彗惠慧暳蕙蹊醯鞋乎互呼壕壺好岵弧戶扈昊晧毫浩淏湖滸澔濠濩灝狐琥瑚瓠皓祜糊縞胡芦葫蒿虎號蝴護豪鎬頀顥惑或酷婚昏混渾琿魂忽惚笏哄弘汞泓洪烘紅虹訌鴻化和嬅樺火畵"],["fca1","禍禾花華話譁貨靴廓擴攫確碻穫丸喚奐宦幻患換歡晥桓渙煥環紈還驩鰥活滑猾豁闊凰幌徨恍惶愰慌晃晄榥況湟滉潢煌璜皇篁簧荒蝗遑隍黃匯回廻徊恢悔懷晦會檜淮澮灰獪繪膾茴蛔誨賄劃獲宖橫鐄哮嚆孝效斅曉梟涍淆"],["fda1","爻肴酵驍侯候厚后吼喉嗅帿後朽煦珝逅勛勳塤壎焄熏燻薰訓暈薨喧暄煊萱卉喙毁彙徽揮暉煇諱輝麾休携烋畦虧恤譎鷸兇凶匈洶胸黑昕欣炘痕吃屹紇訖欠欽歆吸恰洽翕興僖凞喜噫囍姬嬉希憙憘戱晞曦熙熹熺犧禧稀羲詰"]]; - -/***/ }), -/* 149 */ -/***/ (function(module) { - -module.exports = [["8740","䏰䰲䘃䖦䕸𧉧䵷䖳𧲱䳢𧳅㮕䜶䝄䱇䱀𤊿𣘗𧍒𦺋𧃒䱗𪍑䝏䗚䲅𧱬䴇䪤䚡𦬣爥𥩔𡩣𣸆𣽡晍囻"],["8767","綕夝𨮹㷴霴𧯯寛𡵞媤㘥𩺰嫑宷峼杮薓𩥅瑡璝㡵𡵓𣚞𦀡㻬"],["87a1","𥣞㫵竼龗𤅡𨤍𣇪𠪊𣉞䌊蒄龖鐯䤰蘓墖靊鈘秐稲晠権袝瑌篅枂稬剏遆㓦珄𥶹瓆鿇垳䤯呌䄱𣚎堘穲𧭥讏䚮𦺈䆁𥶙箮𢒼鿈𢓁𢓉𢓌鿉蔄𣖻䂴鿊䓡𪷿拁灮鿋"],["8840","㇀",4,"𠄌㇅𠃑𠃍㇆㇇𠃋𡿨㇈𠃊㇉㇊㇋㇌𠄎㇍㇎ĀÁǍÀĒÉĚÈŌÓǑÒ࿿Ê̄Ế࿿Ê̌ỀÊāáǎàɑēéěèīíǐìōóǒòūúǔùǖǘǚ"],["88a1","ǜü࿿ê̄ế࿿ê̌ềêɡ⏚⏛"],["8940","𪎩𡅅"],["8943","攊"],["8946","丽滝鵎釟"],["894c","𧜵撑会伨侨兖兴农凤务动医华发变团声处备夲头学实実岚庆总斉柾栄桥济炼电纤纬纺织经统缆缷艺苏药视设询车轧轮"],["89a1","琑糼緍楆竉刧"],["89ab","醌碸酞肼"],["89b0","贋胶𠧧"],["89b5","肟黇䳍鷉鸌䰾𩷶𧀎鸊𪄳㗁"],["89c1","溚舾甙"],["89c5","䤑马骏龙禇𨑬𡷊𠗐𢫦两亁亀亇亿仫伷㑌侽㹈倃傈㑽㒓㒥円夅凛凼刅争剹劐匧㗇厩㕑厰㕓参吣㕭㕲㚁咓咣咴咹哐哯唘唣唨㖘唿㖥㖿嗗㗅"],["8a40","𧶄唥"],["8a43","𠱂𠴕𥄫喐𢳆㧬𠍁蹆𤶸𩓥䁓𨂾睺𢰸㨴䟕𨅝𦧲𤷪擝𠵼𠾴𠳕𡃴撍蹾𠺖𠰋𠽤𢲩𨉖𤓓"],["8a64","𠵆𩩍𨃩䟴𤺧𢳂骲㩧𩗴㿭㔆𥋇𩟔𧣈𢵄鵮頕"],["8a76","䏙𦂥撴哣𢵌𢯊𡁷㧻𡁯"],["8aa1","𦛚𦜖𧦠擪𥁒𠱃蹨𢆡𨭌𠜱"],["8aac","䠋𠆩㿺塳𢶍"],["8ab2","𤗈𠓼𦂗𠽌𠶖啹䂻䎺"],["8abb","䪴𢩦𡂝膪飵𠶜捹㧾𢝵跀嚡摼㹃"],["8ac9","𪘁𠸉𢫏𢳉"],["8ace","𡃈𣧂㦒㨆𨊛㕸𥹉𢃇噒𠼱𢲲𩜠㒼氽𤸻"],["8adf","𧕴𢺋𢈈𪙛𨳍𠹺𠰴𦠜羓𡃏𢠃𢤹㗻𥇣𠺌𠾍𠺪㾓𠼰𠵇𡅏𠹌"],["8af6","𠺫𠮩𠵈𡃀𡄽㿹𢚖搲𠾭"],["8b40","𣏴𧘹𢯎𠵾𠵿𢱑𢱕㨘𠺘𡃇𠼮𪘲𦭐𨳒𨶙𨳊閪哌苄喹"],["8b55","𩻃鰦骶𧝞𢷮煀腭胬尜𦕲脴㞗卟𨂽醶𠻺𠸏𠹷𠻻㗝𤷫㘉𠳖嚯𢞵𡃉𠸐𠹸𡁸𡅈𨈇𡑕𠹹𤹐𢶤婔𡀝𡀞𡃵𡃶垜𠸑"],["8ba1","𧚔𨋍𠾵𠹻𥅾㜃𠾶𡆀𥋘𪊽𤧚𡠺𤅷𨉼墙剨㘚𥜽箲孨䠀䬬鼧䧧鰟鮍𥭴𣄽嗻㗲嚉丨夂𡯁屮靑𠂆乛亻㔾尣彑忄㣺扌攵歺氵氺灬爫丬犭𤣩罒礻糹罓𦉪㓁"],["8bde","𦍋耂肀𦘒𦥑卝衤见𧢲讠贝钅镸长门𨸏韦页风飞饣𩠐鱼鸟黄歯龜丷𠂇阝户钢"],["8c40","倻淾𩱳龦㷉袏𤅎灷峵䬠𥇍㕙𥴰愢𨨲辧釶熑朙玺𣊁𪄇㲋𡦀䬐磤琂冮𨜏䀉橣𪊺䈣蘏𠩯稪𩥇𨫪靕灍匤𢁾鏴盙𨧣龧矝亣俰傼丯众龨吴綋墒壐𡶶庒庙忂𢜒斋"],["8ca1","𣏹椙橃𣱣泿"],["8ca7","爀𤔅玌㻛𤨓嬕璹讃𥲤𥚕窓篬糃繬苸薗龩袐龪躹龫迏蕟駠鈡龬𨶹𡐿䁱䊢娚"],["8cc9","顨杫䉶圽"],["8cce","藖𤥻芿𧄍䲁𦵴嵻𦬕𦾾龭龮宖龯曧繛湗秊㶈䓃𣉖𢞖䎚䔶"],["8ce6","峕𣬚諹屸㴒𣕑嵸龲煗䕘𤃬𡸣䱷㥸㑊𠆤𦱁諌侴𠈹妿腬顖𩣺弻"],["8d40","𠮟"],["8d42","𢇁𨥭䄂䚻𩁹㼇龳𪆵䃸㟖䛷𦱆䅼𨚲𧏿䕭㣔𥒚䕡䔛䶉䱻䵶䗪㿈𤬏㙡䓞䒽䇭崾嵈嵖㷼㠏嶤嶹㠠㠸幂庽弥徃㤈㤔㤿㥍惗愽峥㦉憷憹懏㦸戬抐拥挘㧸嚱"],["8da1","㨃揢揻搇摚㩋擀崕嘡龟㪗斆㪽旿晓㫲暒㬢朖㭂枤栀㭘桊梄㭲㭱㭻椉楃牜楤榟榅㮼槖㯝橥橴橱檂㯬檙㯲檫檵櫔櫶殁毁毪汵沪㳋洂洆洦涁㳯涤涱渕渘温溆𨧀溻滢滚齿滨滩漤漴㵆𣽁澁澾㵪㵵熷岙㶊瀬㶑灐灔灯灿炉𠌥䏁㗱𠻘"],["8e40","𣻗垾𦻓焾𥟠㙎榢𨯩孴穉𥣡𩓙穥穽𥦬窻窰竂竃燑𦒍䇊竚竝竪䇯咲𥰁笋筕笩𥌎𥳾箢筯莜𥮴𦱿篐萡箒箸𥴠㶭𥱥蒒篺簆簵𥳁籄粃𤢂粦晽𤕸糉糇糦籴糳糵糎"],["8ea1","繧䔝𦹄絝𦻖璍綉綫焵綳緒𤁗𦀩緤㴓緵𡟹緥𨍭縝𦄡𦅚繮纒䌫鑬縧罀罁罇礶𦋐駡羗𦍑羣𡙡𠁨䕜𣝦䔃𨌺翺𦒉者耈耝耨耯𪂇𦳃耻耼聡𢜔䦉𦘦𣷣𦛨朥肧𨩈脇脚墰𢛶汿𦒘𤾸擧𡒊舘𡡞橓𤩥𤪕䑺舩𠬍𦩒𣵾俹𡓽蓢荢𦬊𤦧𣔰𡝳𣷸芪椛芳䇛"],["8f40","蕋苐茚𠸖𡞴㛁𣅽𣕚艻苢茘𣺋𦶣𦬅𦮗𣗎㶿茝嗬莅䔋𦶥莬菁菓㑾𦻔橗蕚㒖𦹂𢻯葘𥯤葱㷓䓤檧葊𣲵祘蒨𦮖𦹷𦹃蓞萏莑䒠蒓蓤𥲑䉀𥳀䕃蔴嫲𦺙䔧蕳䔖枿蘖"],["8fa1","𨘥𨘻藁𧂈蘂𡖂𧃍䕫䕪蘨㙈𡢢号𧎚虾蝱𪃸蟮𢰧螱蟚蠏噡虬桖䘏衅衆𧗠𣶹𧗤衞袜䙛袴袵揁装睷𧜏覇覊覦覩覧覼𨨥觧𧤤𧪽誜瞓釾誐𧩙竩𧬺𣾏䜓𧬸煼謌謟𥐰𥕥謿譌譍誩𤩺讐讛誯𡛟䘕衏貛𧵔𧶏貫㜥𧵓賖𧶘𧶽贒贃𡤐賛灜贑𤳉㻐起"],["9040","趩𨀂𡀔𤦊㭼𨆼𧄌竧躭躶軃鋔輙輭𨍥𨐒辥錃𪊟𠩐辳䤪𨧞𨔽𣶻廸𣉢迹𪀔𨚼𨔁𢌥㦀𦻗逷𨔼𧪾遡𨕬𨘋邨𨜓郄𨛦邮都酧㫰醩釄粬𨤳𡺉鈎沟鉁鉢𥖹銹𨫆𣲛𨬌𥗛"],["90a1","𠴱錬鍫𨫡𨯫炏嫃𨫢𨫥䥥鉄𨯬𨰹𨯿鍳鑛躼閅閦鐦閠濶䊹𢙺𨛘𡉼𣸮䧟氜陻隖䅬隣𦻕懚隶磵𨫠隽双䦡𦲸𠉴𦐐𩂯𩃥𤫑𡤕𣌊霱虂霶䨏䔽䖅𤫩灵孁霛靜𩇕靗孊𩇫靟鐥僐𣂷𣂼鞉鞟鞱鞾韀韒韠𥑬韮琜𩐳響韵𩐝𧥺䫑頴頳顋顦㬎𧅵㵑𠘰𤅜"],["9140","𥜆飊颷飈飇䫿𦴧𡛓喰飡飦飬鍸餹𤨩䭲𩡗𩤅駵騌騻騐驘𥜥㛄𩂱𩯕髠髢𩬅髴䰎鬔鬭𨘀倴鬴𦦨㣃𣁽魐魀𩴾婅𡡣鮎𤉋鰂鯿鰌𩹨鷔𩾷𪆒𪆫𪃡𪄣𪇟鵾鶃𪄴鸎梈"],["91a1","鷄𢅛𪆓𪈠𡤻𪈳鴹𪂹𪊴麐麕麞麢䴴麪麯𤍤黁㭠㧥㴝伲㞾𨰫鼂鼈䮖鐤𦶢鼗鼖鼹嚟嚊齅馸𩂋韲葿齢齩竜龎爖䮾𤥵𤦻煷𤧸𤍈𤩑玞𨯚𡣺禟𨥾𨸶鍩鏳𨩄鋬鎁鏋𨥬𤒹爗㻫睲穃烐𤑳𤏸煾𡟯炣𡢾𣖙㻇𡢅𥐯𡟸㜢𡛻𡠹㛡𡝴𡣑𥽋㜣𡛀坛𤨥𡏾𡊨"],["9240","𡏆𡒶蔃𣚦蔃葕𤦔𧅥𣸱𥕜𣻻𧁒䓴𣛮𩦝𦼦柹㜳㰕㷧塬𡤢栐䁗𣜿𤃡𤂋𤄏𦰡哋嚞𦚱嚒𠿟𠮨𠸍鏆𨬓鎜仸儫㠙𤐶亼𠑥𠍿佋侊𥙑婨𠆫𠏋㦙𠌊𠐔㐵伩𠋀𨺳𠉵諚𠈌亘"],["92a1","働儍侢伃𤨎𣺊佂倮偬傁俌俥偘僼兙兛兝兞湶𣖕𣸹𣺿浲𡢄𣺉冨凃𠗠䓝𠒣𠒒𠒑赺𨪜𠜎剙劤𠡳勡鍮䙺熌𤎌𠰠𤦬𡃤槑𠸝瑹㻞璙琔瑖玘䮎𤪼𤂍叐㖄爏𤃉喴𠍅响𠯆圝鉝雴鍦埝垍坿㘾壋媙𨩆𡛺𡝯𡜐娬妸銏婾嫏娒𥥆𡧳𡡡𤊕㛵洅瑃娡𥺃"],["9340","媁𨯗𠐓鏠璌𡌃焅䥲鐈𨧻鎽㞠尞岞幞幈𡦖𡥼𣫮廍孏𡤃𡤄㜁𡢠㛝𡛾㛓脪𨩇𡶺𣑲𨦨弌弎𡤧𡞫婫𡜻孄蘔𧗽衠恾𢡠𢘫忛㺸𢖯𢖾𩂈𦽳懀𠀾𠁆𢘛憙憘恵𢲛𢴇𤛔𩅍"],["93a1","摱𤙥𢭪㨩𢬢𣑐𩣪𢹸挷𪑛撶挱揑𤧣𢵧护𢲡搻敫楲㯴𣂎𣊭𤦉𣊫唍𣋠𡣙𩐿曎𣊉𣆳㫠䆐𥖄𨬢𥖏𡛼𥕛𥐥磮𣄃𡠪𣈴㑤𣈏𣆂𤋉暎𦴤晫䮓昰𧡰𡷫晣𣋒𣋡昞𥡲㣑𣠺𣞼㮙𣞢𣏾瓐㮖枏𤘪梶栞㯄檾㡣𣟕𤒇樳橒櫉欅𡤒攑梘橌㯗橺歗𣿀𣲚鎠鋲𨯪𨫋"],["9440","銉𨀞𨧜鑧涥漋𤧬浧𣽿㶏渄𤀼娽渊塇洤硂焻𤌚𤉶烱牐犇犔𤞏𤜥兹𤪤𠗫瑺𣻸𣙟𤩊𤤗𥿡㼆㺱𤫟𨰣𣼵悧㻳瓌琼鎇琷䒟𦷪䕑疃㽣𤳙𤴆㽘畕癳𪗆㬙瑨𨫌𤦫𤦎㫻"],["94a1","㷍𤩎㻿𤧅𤣳釺圲鍂𨫣𡡤僟𥈡𥇧睸𣈲眎眏睻𤚗𣞁㩞𤣰琸璛㺿𤪺𤫇䃈𤪖𦆮錇𥖁砞碍碈磒珐祙𧝁𥛣䄎禛蒖禥樭𣻺稺秴䅮𡛦䄲鈵秱𠵌𤦌𠊙𣶺𡝮㖗啫㕰㚪𠇔𠰍竢婙𢛵𥪯𥪜娍𠉛磰娪𥯆竾䇹籝籭䈑𥮳𥺼𥺦糍𤧹𡞰粎籼粮檲緜縇緓罎𦉡"],["9540","𦅜𧭈綗𥺂䉪𦭵𠤖柖𠁎𣗏埄𦐒𦏸𤥢翝笧𠠬𥫩𥵃笌𥸎駦虅驣樜𣐿㧢𤧷𦖭騟𦖠蒀𧄧𦳑䓪脷䐂胆脉腂𦞴飃𦩂艢艥𦩑葓𦶧蘐𧈛媆䅿𡡀嬫𡢡嫤𡣘蚠蜨𣶏蠭𧐢娂"],["95a1","衮佅袇袿裦襥襍𥚃襔𧞅𧞄𨯵𨯙𨮜𨧹㺭蒣䛵䛏㟲訽訜𩑈彍鈫𤊄旔焩烄𡡅鵭貟賩𧷜妚矃姰䍮㛔踪躧𤰉輰轊䋴汘澻𢌡䢛潹溋𡟚鯩㚵𤤯邻邗啱䤆醻鐄𨩋䁢𨫼鐧𨰝𨰻蓥訫閙閧閗閖𨴴瑅㻂𤣿𤩂𤏪㻧𣈥随𨻧𨹦𨹥㻌𤧭𤩸𣿮琒瑫㻼靁𩂰"],["9640","桇䨝𩂓𥟟靝鍨𨦉𨰦𨬯𦎾銺嬑譩䤼珹𤈛鞛靱餸𠼦巁𨯅𤪲頟𩓚鋶𩗗釥䓀𨭐𤩧𨭤飜𨩅㼀鈪䤥萔餻饍𧬆㷽馛䭯馪驜𨭥𥣈檏騡嫾騯𩣱䮐𩥈馼䮽䮗鍽塲𡌂堢𤦸"],["96a1","𡓨硄𢜟𣶸棅㵽鑘㤧慐𢞁𢥫愇鱏鱓鱻鰵鰐魿鯏𩸭鮟𪇵𪃾鴡䲮𤄄鸘䲰鴌𪆴𪃭𪃳𩤯鶥蒽𦸒𦿟𦮂藼䔳𦶤𦺄𦷰萠藮𦸀𣟗𦁤秢𣖜𣙀䤭𤧞㵢鏛銾鍈𠊿碹鉷鑍俤㑀遤𥕝砽硔碶硋𡝗𣇉𤥁㚚佲濚濙瀞瀞吔𤆵垻壳垊鴖埗焴㒯𤆬燫𦱀𤾗嬨𡞵𨩉"],["9740","愌嫎娋䊼𤒈㜬䭻𨧼鎻鎸𡣖𠼝葲𦳀𡐓𤋺𢰦𤏁妔𣶷𦝁綨𦅛𦂤𤦹𤦋𨧺鋥珢㻩璴𨭣𡢟㻡𤪳櫘珳珻㻖𤨾𤪔𡟙𤩦𠎧𡐤𤧥瑈𤤖炥𤥶銄珦鍟𠓾錱𨫎𨨖鎆𨯧𥗕䤵𨪂煫"],["97a1","𤥃𠳿嚤𠘚𠯫𠲸唂秄𡟺緾𡛂𤩐𡡒䔮鐁㜊𨫀𤦭妰𡢿𡢃𧒄媡㛢𣵛㚰鉟婹𨪁𡡢鍴㳍𠪴䪖㦊僴㵩㵌𡎜煵䋻𨈘渏𩃤䓫浗𧹏灧沯㳖𣿭𣸭渂漌㵯𠏵畑㚼㓈䚀㻚䡱姄鉮䤾轁𨰜𦯀堒埈㛖𡑒烾𤍢𤩱𢿣𡊰𢎽梹楧𡎘𣓥𧯴𣛟𨪃𣟖𣏺𤲟樚𣚭𦲷萾䓟䓎"],["9840","𦴦𦵑𦲂𦿞漗𧄉茽𡜺菭𦲀𧁓𡟛妉媂𡞳婡婱𡤅𤇼㜭姯𡜼㛇熎鎐暚𤊥婮娫𤊓樫𣻹𧜶𤑛𤋊焝𤉙𨧡侰𦴨峂𤓎𧹍𤎽樌𤉖𡌄炦焳𤏩㶥泟勇𤩏繥姫崯㷳彜𤩝𡟟綤萦"],["98a1","咅𣫺𣌀𠈔坾𠣕𠘙㿥𡾞𪊶瀃𩅛嵰玏糓𨩙𩐠俈翧狍猐𧫴猸猹𥛶獁獈㺩𧬘遬燵𤣲珡臶㻊県㻑沢国琙琞琟㻢㻰㻴㻺瓓㼎㽓畂畭畲疍㽼痈痜㿀癍㿗癴㿜発𤽜熈嘣覀塩䀝睃䀹条䁅㗛瞘䁪䁯属瞾矋売砘点砜䂨砹硇硑硦葈𥔵礳栃礲䄃"],["9940","䄉禑禙辻稆込䅧窑䆲窼艹䇄竏竛䇏両筢筬筻簒簛䉠䉺类粜䊌粸䊔糭输烀𠳏総緔緐緽羮羴犟䎗耠耥笹耮耱联㷌垴炠肷胩䏭脌猪脎脒畠脔䐁㬹腖腙腚"],["99a1","䐓堺腼膄䐥膓䐭膥埯臁臤艔䒏芦艶苊苘苿䒰荗险榊萅烵葤惣蒈䔄蒾蓡蓸蔐蔸蕒䔻蕯蕰藠䕷虲蚒蚲蛯际螋䘆䘗袮裿褤襇覑𧥧訩訸誔誴豑賔賲贜䞘塟跃䟭仮踺嗘坔蹱嗵躰䠷軎転軤軭軲辷迁迊迌逳駄䢭飠鈓䤞鈨鉘鉫銱銮銿"],["9a40","鋣鋫鋳鋴鋽鍃鎄鎭䥅䥑麿鐗匁鐝鐭鐾䥪鑔鑹锭関䦧间阳䧥枠䨤靀䨵鞲韂噔䫤惨颹䬙飱塄餎餙冴餜餷饂饝饢䭰駅䮝騼鬏窃魩鮁鯝鯱鯴䱭鰠㝯𡯂鵉鰺"],["9aa1","黾噐鶓鶽鷀鷼银辶鹻麬麱麽黆铜黢黱黸竈齄𠂔𠊷𠎠椚铃妬𠓗塀铁㞹𠗕𠘕𠙶𡚺块煳𠫂𠫍𠮿呪吆𠯋咞𠯻𠰻𠱓𠱥𠱼惧𠲍噺𠲵𠳝𠳭𠵯𠶲𠷈楕鰯螥𠸄𠸎𠻗𠾐𠼭𠹳尠𠾼帋𡁜𡁏𡁶朞𡁻𡂈𡂖㙇𡂿𡃓𡄯𡄻卤蒭𡋣𡍵𡌶讁𡕷𡘙𡟃𡟇乸炻𡠭𡥪"],["9b40","𡨭𡩅𡰪𡱰𡲬𡻈拃𡻕𡼕熘桕𢁅槩㛈𢉼𢏗𢏺𢜪𢡱𢥏苽𢥧𢦓𢫕覥𢫨辠𢬎鞸𢬿顇骽𢱌"],["9b62","𢲈𢲷𥯨𢴈𢴒𢶷𢶕𢹂𢽴𢿌𣀳𣁦𣌟𣏞徱晈暿𧩹𣕧𣗳爁𤦺矗𣘚𣜖纇𠍆墵朎"],["9ba1","椘𣪧𧙗𥿢𣸑𣺹𧗾𢂚䣐䪸𤄙𨪚𤋮𤌍𤀻𤌴𤎖𤩅𠗊凒𠘑妟𡺨㮾𣳿𤐄𤓖垈𤙴㦛𤜯𨗨𩧉㝢𢇃譞𨭎駖𤠒𤣻𤨕爉𤫀𠱸奥𤺥𤾆𠝹軚𥀬劏圿煱𥊙𥐙𣽊𤪧喼𥑆𥑮𦭒釔㑳𥔿𧘲𥕞䜘𥕢𥕦𥟇𤤿𥡝偦㓻𣏌惞𥤃䝼𨥈𥪮𥮉𥰆𡶐垡煑澶𦄂𧰒遖𦆲𤾚譢𦐂𦑊"],["9c40","嵛𦯷輶𦒄𡤜諪𤧶𦒈𣿯𦔒䯀𦖿𦚵𢜛鑥𥟡憕娧晉侻嚹𤔡𦛼乪𤤴陖涏𦲽㘘襷𦞙𦡮𦐑𦡞營𦣇筂𩃀𠨑𦤦鄄𦤹穅鷰𦧺騦𦨭㙟𦑩𠀡禃𦨴𦭛崬𣔙菏𦮝䛐𦲤画补𦶮墶"],["9ca1","㜜𢖍𧁋𧇍㱔𧊀𧊅銁𢅺𧊋錰𧋦𤧐氹钟𧑐𠻸蠧裵𢤦𨑳𡞱溸𤨪𡠠㦤㚹尐秣䔿暶𩲭𩢤襃𧟌𧡘囖䃟𡘊㦡𣜯𨃨𡏅熭荦𧧝𩆨婧䲷𧂯𨦫𧧽𧨊𧬋𧵦𤅺筃祾𨀉澵𪋟樃𨌘厢𦸇鎿栶靝𨅯𨀣𦦵𡏭𣈯𨁈嶅𨰰𨂃圕頣𨥉嶫𤦈斾槕叒𤪥𣾁㰑朶𨂐𨃴𨄮𡾡𨅏"],["9d40","𨆉𨆯𨈚𨌆𨌯𨎊㗊𨑨𨚪䣺揦𨥖砈鉕𨦸䏲𨧧䏟𨧨𨭆𨯔姸𨰉輋𨿅𩃬筑𩄐𩄼㷷𩅞𤫊运犏嚋𩓧𩗩𩖰𩖸𩜲𩣑𩥉𩥪𩧃𩨨𩬎𩵚𩶛纟𩻸𩼣䲤镇𪊓熢𪋿䶑递𪗋䶜𠲜达嗁"],["9da1","辺𢒰边𤪓䔉繿潖檱仪㓤𨬬𧢝㜺躀𡟵𨀤𨭬𨮙𧨾𦚯㷫𧙕𣲷𥘵𥥖亚𥺁𦉘嚿𠹭踎孭𣺈𤲞揞拐𡟶𡡻攰嘭𥱊吚𥌑㷆𩶘䱽嘢嘞罉𥻘奵𣵀蝰东𠿪𠵉𣚺脗鵞贘瘻鱅癎瞹鍅吲腈苷嘥脲萘肽嗪祢噃吖𠺝㗎嘅嗱曱𨋢㘭甴嗰喺咗啲𠱁𠲖廐𥅈𠹶𢱢"],["9e40","𠺢麫絚嗞𡁵抝靭咔賍燶酶揼掹揾啩𢭃鱲𢺳冚㓟𠶧冧呍唞唓癦踭𦢊疱肶蠄螆裇膶萜𡃁䓬猄𤜆宐茋𦢓噻𢛴𧴯𤆣𧵳𦻐𧊶酰𡇙鈈𣳼𪚩𠺬𠻹牦𡲢䝎𤿂𧿹𠿫䃺"],["9ea1","鱝攟𢶠䣳𤟠𩵼𠿬𠸊恢𧖣𠿭"],["9ead","𦁈𡆇熣纎鵐业丄㕷嬍沲卧㚬㧜卽㚥𤘘墚𤭮舭呋垪𥪕𠥹"],["9ec5","㩒𢑥獴𩺬䴉鯭𣳾𩼰䱛𤾩𩖞𩿞葜𣶶𧊲𦞳𣜠挮紥𣻷𣸬㨪逈勌㹴㙺䗩𠒎癀嫰𠺶硺𧼮墧䂿噼鮋嵴癔𪐴麅䳡痹㟻愙𣃚𤏲"],["9ef5","噝𡊩垧𤥣𩸆刴𧂮㖭汊鵼"],["9f40","籖鬹埞𡝬屓擓𩓐𦌵𧅤蚭𠴨𦴢𤫢𠵱"],["9f4f","凾𡼏嶎霃𡷑麁遌笟鬂峑箣扨挵髿篏鬪籾鬮籂粆鰕篼鬉鼗鰛𤤾齚啳寃俽麘俲剠㸆勑坧偖妷帒韈鶫轜呩鞴饀鞺匬愰"],["9fa1","椬叚鰊鴂䰻陁榀傦畆𡝭駚剳"],["9fae","酙隁酜"],["9fb2","酑𨺗捿𦴣櫊嘑醎畺抅𠏼獏籰𥰡𣳽"],["9fc1","𤤙盖鮝个𠳔莾衂"],["9fc9","届槀僭坺刟巵从氱𠇲伹咜哚劚趂㗾弌㗳"],["9fdb","歒酼龥鮗頮颴骺麨麄煺笔"],["9fe7","毺蠘罸"],["9feb","嘠𪙊蹷齓"],["9ff0","跔蹏鸜踁抂𨍽踨蹵竓𤩷稾磘泪詧瘇"],["a040","𨩚鼦泎蟖痃𪊲硓咢贌狢獱謭猂瓱賫𤪻蘯徺袠䒷"],["a055","𡠻𦸅"],["a058","詾𢔛"],["a05b","惽癧髗鵄鍮鮏蟵"],["a063","蠏賷猬霡鮰㗖犲䰇籑饊𦅙慙䰄麖慽"],["a073","坟慯抦戹拎㩜懢厪𣏵捤栂㗒"],["a0a1","嵗𨯂迚𨸹"],["a0a6","僙𡵆礆匲阸𠼻䁥"],["a0ae","矾"],["a0b0","糂𥼚糚稭聦聣絍甅瓲覔舚朌聢𧒆聛瓰脃眤覉𦟌畓𦻑螩蟎臈螌詉貭譃眫瓸蓚㘵榲趦"],["a0d4","覩瑨涹蟁𤀑瓧㷛煶悤憜㳑煢恷"],["a0e2","罱𨬭牐惩䭾删㰘𣳇𥻗𧙖𥔱𡥄𡋾𩤃𦷜𧂭峁𦆭𨨏𣙷𠃮𦡆𤼎䕢嬟𦍌齐麦𦉫"],["a3c0","␀",31,"␡"],["c6a1","①",9,"⑴",9,"ⅰ",9,"丶丿亅亠冂冖冫勹匸卩厶夊宀巛⼳广廴彐彡攴无疒癶辵隶¨ˆヽヾゝゞ〃仝々〆〇ー[]✽ぁ",23],["c740","す",58,"ァアィイ"],["c7a1","ゥ",81,"А",5,"ЁЖ",4],["c840","Л",26,"ёж",25,"⇧↸↹㇏𠃌乚𠂊刂䒑"],["c8a1","龰冈龱𧘇"],["c8cd","¬¦'"㈱№℡゛゜⺀⺄⺆⺇⺈⺊⺌⺍⺕⺜⺝⺥⺧⺪⺬⺮⺶⺼⺾⻆⻊⻌⻍⻏⻖⻗⻞⻣"],["c8f5","ʃɐɛɔɵœøŋʊɪ"],["f9fe","■"],["fa40","𠕇鋛𠗟𣿅蕌䊵珯况㙉𤥂𨧤鍄𡧛苮𣳈砼杄拟𤤳𨦪𠊠𦮳𡌅侫𢓭倈𦴩𧪄𣘀𤪱𢔓倩𠍾徤𠎀𠍇滛𠐟偽儁㑺儎顬㝃萖𤦤𠒇兠𣎴兪𠯿𢃼𠋥𢔰𠖎𣈳𡦃宂蝽𠖳𣲙冲冸"],["faa1","鴴凉减凑㳜凓𤪦决凢卂凭菍椾𣜭彻刋刦刼劵剗劔効勅簕蕂勠蘍𦬓包𨫞啉滙𣾀𠥔𣿬匳卄𠯢泋𡜦栛珕恊㺪㣌𡛨燝䒢卭却𨚫卾卿𡖖𡘓矦厓𨪛厠厫厮玧𥝲㽙玜叁叅汉义埾叙㪫𠮏叠𣿫𢶣叶𠱷吓灹唫晗浛呭𦭓𠵴啝咏咤䞦𡜍𠻝㶴𠵍"],["fb40","𨦼𢚘啇䳭启琗喆喩嘅𡣗𤀺䕒𤐵暳𡂴嘷曍𣊊暤暭噍噏磱囱鞇叾圀囯园𨭦㘣𡉏坆𤆥汮炋坂㚱𦱾埦𡐖堃𡑔𤍣堦𤯵塜墪㕡壠壜𡈼壻寿坃𪅐𤉸鏓㖡够梦㛃湙"],["fba1","𡘾娤啓𡚒蔅姉𠵎𦲁𦴪𡟜姙𡟻𡞲𦶦浱𡠨𡛕姹𦹅媫婣㛦𤦩婷㜈媖瑥嫓𦾡𢕔㶅𡤑㜲𡚸広勐孶斈孼𧨎䀄䡝𠈄寕慠𡨴𥧌𠖥寳宝䴐尅𡭄尓珎尔𡲥𦬨屉䣝岅峩峯嶋𡷹𡸷崐崘嵆𡺤岺巗苼㠭𤤁𢁉𢅳芇㠶㯂帮檊幵幺𤒼𠳓厦亷廐厨𡝱帉廴𨒂"],["fc40","廹廻㢠廼栾鐛弍𠇁弢㫞䢮𡌺强𦢈𢏐彘𢑱彣鞽𦹮彲鍀𨨶徧嶶㵟𥉐𡽪𧃸𢙨釖𠊞𨨩怱暅𡡷㥣㷇㘹垐𢞴祱㹀悞悤悳𤦂𤦏𧩓璤僡媠慤萤慂慈𦻒憁凴𠙖憇宪𣾷"],["fca1","𢡟懓𨮝𩥝懐㤲𢦀𢣁怣慜攞掋𠄘担𡝰拕𢸍捬𤧟㨗搸揸𡎎𡟼撐澊𢸶頔𤂌𥜝擡擥鑻㩦携㩗敍漖𤨨𤨣斅敭敟𣁾斵𤥀䬷旑䃘𡠩无旣忟𣐀昘𣇷𣇸晄𣆤𣆥晋𠹵晧𥇦晳晴𡸽𣈱𨗴𣇈𥌓矅𢣷馤朂𤎜𤨡㬫槺𣟂杞杧杢𤇍𩃭柗䓩栢湐鈼栁𣏦𦶠桝"],["fd40","𣑯槡樋𨫟楳棃𣗍椁椀㴲㨁𣘼㮀枬楡𨩊䋼椶榘㮡𠏉荣傐槹𣙙𢄪橅𣜃檝㯳枱櫈𩆜㰍欝𠤣惞欵歴𢟍溵𣫛𠎵𡥘㝀吡𣭚毡𣻼毜氷𢒋𤣱𦭑汚舦汹𣶼䓅𣶽𤆤𤤌𤤀"],["fda1","𣳉㛥㳫𠴲鮃𣇹𢒑羏样𦴥𦶡𦷫涖浜湼漄𤥿𤂅𦹲蔳𦽴凇沜渝萮𨬡港𣸯瑓𣾂秌湏媑𣁋濸㜍澝𣸰滺𡒗𤀽䕕鏰潄潜㵎潴𩅰㴻澟𤅄濓𤂑𤅕𤀹𣿰𣾴𤄿凟𤅖𤅗𤅀𦇝灋灾炧炁烌烕烖烟䄄㷨熴熖𤉷焫煅媈煊煮岜𤍥煏鍢𤋁焬𤑚𤨧𤨢熺𨯨炽爎"],["fe40","鑂爕夑鑃爤鍁𥘅爮牀𤥴梽牕牗㹕𣁄栍漽犂猪猫𤠣𨠫䣭𨠄猨献珏玪𠰺𦨮珉瑉𤇢𡛧𤨤昣㛅𤦷𤦍𤧻珷琕椃𤨦琹𠗃㻗瑜𢢭瑠𨺲瑇珤瑶莹瑬㜰瑴鏱樬璂䥓𤪌"],["fea1","𤅟𤩹𨮏孆𨰃𡢞瓈𡦈甎瓩甞𨻙𡩋寗𨺬鎅畍畊畧畮𤾂㼄𤴓疎瑝疞疴瘂瘬癑癏癯癶𦏵皐臯㟸𦤑𦤎皡皥皷盌𦾟葢𥂝𥅽𡸜眞眦着撯𥈠睘𣊬瞯𨥤𨥨𡛁矴砉𡍶𤨒棊碯磇磓隥礮𥗠磗礴碱𧘌辸袄𨬫𦂃𢘜禆褀椂禀𥡗禝𧬹礼禩渪𧄦㺨秆𩄍秔"]]; - -/***/ }), -/* 150 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var Buffer = __webpack_require__(4).Buffer, - Transform = __webpack_require__(3).Transform; - - -// == Exports ================================================================== -module.exports = function(iconv) { - - // Additional Public API. - iconv.encodeStream = function encodeStream(encoding, options) { - return new IconvLiteEncoderStream(iconv.getEncoder(encoding, options), options); - } - - iconv.decodeStream = function decodeStream(encoding, options) { - return new IconvLiteDecoderStream(iconv.getDecoder(encoding, options), options); - } - - iconv.supportsStreams = true; - - - // Not published yet. - iconv.IconvLiteEncoderStream = IconvLiteEncoderStream; - iconv.IconvLiteDecoderStream = IconvLiteDecoderStream; - iconv._collect = IconvLiteDecoderStream.prototype.collect; -}; - - -// == Encoder stream ======================================================= -function IconvLiteEncoderStream(conv, options) { - this.conv = conv; - options = options || {}; - options.decodeStrings = false; // We accept only strings, so we don't need to decode them. - Transform.call(this, options); -} - -IconvLiteEncoderStream.prototype = Object.create(Transform.prototype, { - constructor: { value: IconvLiteEncoderStream } -}); - -IconvLiteEncoderStream.prototype._transform = function(chunk, encoding, done) { - if (typeof chunk != 'string') - return done(new Error("Iconv encoding stream needs strings as its input.")); - try { - var res = this.conv.write(chunk); - if (res && res.length) this.push(res); - done(); - } - catch (e) { - done(e); - } -} - -IconvLiteEncoderStream.prototype._flush = function(done) { - try { - var res = this.conv.end(); - if (res && res.length) this.push(res); - done(); - } - catch (e) { - done(e); - } -} - -IconvLiteEncoderStream.prototype.collect = function(cb) { - var chunks = []; - this.on('error', cb); - this.on('data', function(chunk) { chunks.push(chunk); }); - this.on('end', function() { - cb(null, Buffer.concat(chunks)); - }); - return this; -} - - -// == Decoder stream ======================================================= -function IconvLiteDecoderStream(conv, options) { - this.conv = conv; - options = options || {}; - options.encoding = this.encoding = 'utf8'; // We output strings. - Transform.call(this, options); -} - -IconvLiteDecoderStream.prototype = Object.create(Transform.prototype, { - constructor: { value: IconvLiteDecoderStream } -}); - -IconvLiteDecoderStream.prototype._transform = function(chunk, encoding, done) { - if (!Buffer.isBuffer(chunk)) - return done(new Error("Iconv decoding stream needs buffers as its input.")); - try { - var res = this.conv.write(chunk); - if (res && res.length) this.push(res, this.encoding); - done(); - } - catch (e) { - done(e); - } -} - -IconvLiteDecoderStream.prototype._flush = function(done) { - try { - var res = this.conv.end(); - if (res && res.length) this.push(res, this.encoding); - done(); - } - catch (e) { - done(e); - } -} - -IconvLiteDecoderStream.prototype.collect = function(cb) { - var res = ''; - this.on('error', cb); - this.on('data', function(chunk) { res += chunk; }); - this.on('end', function() { - cb(null, res); - }); - return this; -} - - - -/***/ }), -/* 151 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -var Buffer = __webpack_require__(4).Buffer; -// Note: not polyfilled with safer-buffer on a purpose, as overrides Buffer - -// == Extend Node primitives to use iconv-lite ================================= - -module.exports = function (iconv) { - var original = undefined; // Place to keep original methods. - - // Node authors rewrote Buffer internals to make it compatible with - // Uint8Array and we cannot patch key functions since then. - // Note: this does use older Buffer API on a purpose - iconv.supportsNodeEncodingsExtension = !(Buffer.from || new Buffer(0) instanceof Uint8Array); - - iconv.extendNodeEncodings = function extendNodeEncodings() { - if (original) return; - original = {}; - - if (!iconv.supportsNodeEncodingsExtension) { - console.error("ACTION NEEDED: require('iconv-lite').extendNodeEncodings() is not supported in your version of Node"); - console.error("See more info at https://github.com/ashtuchkin/iconv-lite/wiki/Node-v4-compatibility"); - return; - } - - var nodeNativeEncodings = { - 'hex': true, 'utf8': true, 'utf-8': true, 'ascii': true, 'binary': true, - 'base64': true, 'ucs2': true, 'ucs-2': true, 'utf16le': true, 'utf-16le': true, - }; - - Buffer.isNativeEncoding = function(enc) { - return enc && nodeNativeEncodings[enc.toLowerCase()]; - } - - // -- SlowBuffer ----------------------------------------------------------- - var SlowBuffer = __webpack_require__(4).SlowBuffer; - - original.SlowBufferToString = SlowBuffer.prototype.toString; - SlowBuffer.prototype.toString = function(encoding, start, end) { - encoding = String(encoding || 'utf8').toLowerCase(); - - // Use native conversion when possible - if (Buffer.isNativeEncoding(encoding)) - return original.SlowBufferToString.call(this, encoding, start, end); - - // Otherwise, use our decoding method. - if (typeof start == 'undefined') start = 0; - if (typeof end == 'undefined') end = this.length; - return iconv.decode(this.slice(start, end), encoding); - } - - original.SlowBufferWrite = SlowBuffer.prototype.write; - SlowBuffer.prototype.write = function(string, offset, length, encoding) { - // Support both (string, offset, length, encoding) - // and the legacy (string, encoding, offset, length) - if (isFinite(offset)) { - if (!isFinite(length)) { - encoding = length; - length = undefined; - } - } else { // legacy - var swap = encoding; - encoding = offset; - offset = length; - length = swap; - } - - offset = +offset || 0; - var remaining = this.length - offset; - if (!length) { - length = remaining; - } else { - length = +length; - if (length > remaining) { - length = remaining; - } - } - encoding = String(encoding || 'utf8').toLowerCase(); - - // Use native conversion when possible - if (Buffer.isNativeEncoding(encoding)) - return original.SlowBufferWrite.call(this, string, offset, length, encoding); - - if (string.length > 0 && (length < 0 || offset < 0)) - throw new RangeError('attempt to write beyond buffer bounds'); - - // Otherwise, use our encoding method. - var buf = iconv.encode(string, encoding); - if (buf.length < length) length = buf.length; - buf.copy(this, offset, 0, length); - return length; - } - - // -- Buffer --------------------------------------------------------------- - - original.BufferIsEncoding = Buffer.isEncoding; - Buffer.isEncoding = function(encoding) { - return Buffer.isNativeEncoding(encoding) || iconv.encodingExists(encoding); - } - - original.BufferByteLength = Buffer.byteLength; - Buffer.byteLength = SlowBuffer.byteLength = function(str, encoding) { - encoding = String(encoding || 'utf8').toLowerCase(); - - // Use native conversion when possible - if (Buffer.isNativeEncoding(encoding)) - return original.BufferByteLength.call(this, str, encoding); - - // Slow, I know, but we don't have a better way yet. - return iconv.encode(str, encoding).length; - } - - original.BufferToString = Buffer.prototype.toString; - Buffer.prototype.toString = function(encoding, start, end) { - encoding = String(encoding || 'utf8').toLowerCase(); - - // Use native conversion when possible - if (Buffer.isNativeEncoding(encoding)) - return original.BufferToString.call(this, encoding, start, end); - - // Otherwise, use our decoding method. - if (typeof start == 'undefined') start = 0; - if (typeof end == 'undefined') end = this.length; - return iconv.decode(this.slice(start, end), encoding); - } - - original.BufferWrite = Buffer.prototype.write; - Buffer.prototype.write = function(string, offset, length, encoding) { - var _offset = offset, _length = length, _encoding = encoding; - // Support both (string, offset, length, encoding) - // and the legacy (string, encoding, offset, length) - if (isFinite(offset)) { - if (!isFinite(length)) { - encoding = length; - length = undefined; - } - } else { // legacy - var swap = encoding; - encoding = offset; - offset = length; - length = swap; - } - - encoding = String(encoding || 'utf8').toLowerCase(); - - // Use native conversion when possible - if (Buffer.isNativeEncoding(encoding)) - return original.BufferWrite.call(this, string, _offset, _length, _encoding); - - offset = +offset || 0; - var remaining = this.length - offset; - if (!length) { - length = remaining; - } else { - length = +length; - if (length > remaining) { - length = remaining; - } - } - - if (string.length > 0 && (length < 0 || offset < 0)) - throw new RangeError('attempt to write beyond buffer bounds'); - - // Otherwise, use our encoding method. - var buf = iconv.encode(string, encoding); - if (buf.length < length) length = buf.length; - buf.copy(this, offset, 0, length); - return length; - - // TODO: Set _charsWritten. - } - - - // -- Readable ------------------------------------------------------------- - if (iconv.supportsStreams) { - var Readable = __webpack_require__(3).Readable; - - original.ReadableSetEncoding = Readable.prototype.setEncoding; - Readable.prototype.setEncoding = function setEncoding(enc, options) { - // Use our own decoder, it has the same interface. - // We cannot use original function as it doesn't handle BOM-s. - this._readableState.decoder = iconv.getDecoder(enc, options); - this._readableState.encoding = enc; - } - - Readable.prototype.collect = iconv._collect; - } - } - - // Remove iconv-lite Node primitive extensions. - iconv.undoExtendNodeEncodings = function undoExtendNodeEncodings() { - if (!iconv.supportsNodeEncodingsExtension) - return; - if (!original) - throw new Error("require('iconv-lite').undoExtendNodeEncodings(): Nothing to undo; extendNodeEncodings() is not called.") - - delete Buffer.isNativeEncoding; - - var SlowBuffer = __webpack_require__(4).SlowBuffer; - - SlowBuffer.prototype.toString = original.SlowBufferToString; - SlowBuffer.prototype.write = original.SlowBufferWrite; - - Buffer.isEncoding = original.BufferIsEncoding; - Buffer.byteLength = original.BufferByteLength; - Buffer.prototype.toString = original.BufferToString; - Buffer.prototype.write = original.BufferWrite; - - if (iconv.supportsStreams) { - var Readable = __webpack_require__(3).Readable; - - Readable.prototype.setEncoding = original.ReadableSetEncoding; - delete Readable.prototype.collect; - } - - original = undefined; - } -} - - -/***/ }), -/* 152 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/*! - * unpipe - * Copyright(c) 2015 Douglas Christopher Wilson - * MIT Licensed - */ - - - -/** - * Module exports. - * @public - */ - -module.exports = unpipe - -/** - * Determine if there are Node.js pipe-like data listeners. - * @private - */ - -function hasPipeDataListeners(stream) { - var listeners = stream.listeners('data') - - for (var i = 0; i < listeners.length; i++) { - if (listeners[i].name === 'ondata') { - return true - } - } - - return false -} - -/** - * Unpipe a stream from all destinations. - * - * @param {object} stream - * @public - */ - -function unpipe(stream) { - if (!stream) { - throw new TypeError('argument stream is required') - } - - if (typeof stream.unpipe === 'function') { - // new-style - stream.unpipe() - return - } - - // Node.js 0.8 hack - if (!hasPipeDataListeners(stream)) { - return - } - - var listener - var listeners = stream.listeners('close') - - for (var i = 0; i < listeners.length; i++) { - listener = listeners[i] - - if (listener.name !== 'cleanup' && listener.name !== 'onclose') { - continue - } - - // invoke the listener - listener.call(stream) - } -} - - -/***/ }), -/* 153 */ -/***/ (function(module, exports) { - -module.exports = require("zlib"); - -/***/ }), -/* 154 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var stringify = __webpack_require__(155); -var parse = __webpack_require__(156); -var formats = __webpack_require__(48); - -module.exports = { - formats: formats, - parse: parse, - stringify: stringify -}; - - -/***/ }), -/* 155 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var utils = __webpack_require__(21); -var formats = __webpack_require__(48); -var has = Object.prototype.hasOwnProperty; - -var arrayPrefixGenerators = { - brackets: function brackets(prefix) { - return prefix + '[]'; - }, - comma: 'comma', - indices: function indices(prefix, key) { - return prefix + '[' + key + ']'; - }, - repeat: function repeat(prefix) { - return prefix; - } -}; - -var isArray = Array.isArray; -var push = Array.prototype.push; -var pushToArray = function (arr, valueOrArray) { - push.apply(arr, isArray(valueOrArray) ? valueOrArray : [valueOrArray]); -}; - -var toISO = Date.prototype.toISOString; - -var defaultFormat = formats['default']; -var defaults = { - addQueryPrefix: false, - allowDots: false, - charset: 'utf-8', - charsetSentinel: false, - delimiter: '&', - encode: true, - encoder: utils.encode, - encodeValuesOnly: false, - format: defaultFormat, - formatter: formats.formatters[defaultFormat], - // deprecated - indices: false, - serializeDate: function serializeDate(date) { - return toISO.call(date); - }, - skipNulls: false, - strictNullHandling: false -}; - -var isNonNullishPrimitive = function isNonNullishPrimitive(v) { - return typeof v === 'string' - || typeof v === 'number' - || typeof v === 'boolean' - || typeof v === 'symbol' - || typeof v === 'bigint'; -}; - -var stringify = function stringify( - object, - prefix, - generateArrayPrefix, - strictNullHandling, - skipNulls, - encoder, - filter, - sort, - allowDots, - serializeDate, - formatter, - encodeValuesOnly, - charset -) { - var obj = object; - if (typeof filter === 'function') { - obj = filter(prefix, obj); - } else if (obj instanceof Date) { - obj = serializeDate(obj); - } else if (generateArrayPrefix === 'comma' && isArray(obj)) { - obj = utils.maybeMap(obj, function (value) { - if (value instanceof Date) { - return serializeDate(value); - } - return value; - }).join(','); - } - - if (obj === null) { - if (strictNullHandling) { - return encoder && !encodeValuesOnly ? encoder(prefix, defaults.encoder, charset, 'key') : prefix; - } - - obj = ''; - } - - if (isNonNullishPrimitive(obj) || utils.isBuffer(obj)) { - if (encoder) { - var keyValue = encodeValuesOnly ? prefix : encoder(prefix, defaults.encoder, charset, 'key'); - return [formatter(keyValue) + '=' + formatter(encoder(obj, defaults.encoder, charset, 'value'))]; - } - return [formatter(prefix) + '=' + formatter(String(obj))]; - } - - var values = []; - - if (typeof obj === 'undefined') { - return values; - } - - var objKeys; - if (isArray(filter)) { - objKeys = filter; - } else { - var keys = Object.keys(obj); - objKeys = sort ? keys.sort(sort) : keys; - } - - for (var i = 0; i < objKeys.length; ++i) { - var key = objKeys[i]; - var value = obj[key]; - - if (skipNulls && value === null) { - continue; - } - - var keyPrefix = isArray(obj) - ? typeof generateArrayPrefix === 'function' ? generateArrayPrefix(prefix, key) : prefix - : prefix + (allowDots ? '.' + key : '[' + key + ']'); - - pushToArray(values, stringify( - value, - keyPrefix, - generateArrayPrefix, - strictNullHandling, - skipNulls, - encoder, - filter, - sort, - allowDots, - serializeDate, - formatter, - encodeValuesOnly, - charset - )); - } - - return values; -}; - -var normalizeStringifyOptions = function normalizeStringifyOptions(opts) { - if (!opts) { - return defaults; - } - - if (opts.encoder !== null && opts.encoder !== undefined && typeof opts.encoder !== 'function') { - throw new TypeError('Encoder has to be a function.'); - } - - var charset = opts.charset || defaults.charset; - if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { - throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); - } - - var format = formats['default']; - if (typeof opts.format !== 'undefined') { - if (!has.call(formats.formatters, opts.format)) { - throw new TypeError('Unknown format option provided.'); - } - format = opts.format; - } - var formatter = formats.formatters[format]; - - var filter = defaults.filter; - if (typeof opts.filter === 'function' || isArray(opts.filter)) { - filter = opts.filter; - } - - return { - addQueryPrefix: typeof opts.addQueryPrefix === 'boolean' ? opts.addQueryPrefix : defaults.addQueryPrefix, - allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, - charset: charset, - charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, - delimiter: typeof opts.delimiter === 'undefined' ? defaults.delimiter : opts.delimiter, - encode: typeof opts.encode === 'boolean' ? opts.encode : defaults.encode, - encoder: typeof opts.encoder === 'function' ? opts.encoder : defaults.encoder, - encodeValuesOnly: typeof opts.encodeValuesOnly === 'boolean' ? opts.encodeValuesOnly : defaults.encodeValuesOnly, - filter: filter, - formatter: formatter, - serializeDate: typeof opts.serializeDate === 'function' ? opts.serializeDate : defaults.serializeDate, - skipNulls: typeof opts.skipNulls === 'boolean' ? opts.skipNulls : defaults.skipNulls, - sort: typeof opts.sort === 'function' ? opts.sort : null, - strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling - }; -}; - -module.exports = function (object, opts) { - var obj = object; - var options = normalizeStringifyOptions(opts); - - var objKeys; - var filter; - - if (typeof options.filter === 'function') { - filter = options.filter; - obj = filter('', obj); - } else if (isArray(options.filter)) { - filter = options.filter; - objKeys = filter; - } - - var keys = []; - - if (typeof obj !== 'object' || obj === null) { - return ''; - } - - var arrayFormat; - if (opts && opts.arrayFormat in arrayPrefixGenerators) { - arrayFormat = opts.arrayFormat; - } else if (opts && 'indices' in opts) { - arrayFormat = opts.indices ? 'indices' : 'repeat'; - } else { - arrayFormat = 'indices'; - } - - var generateArrayPrefix = arrayPrefixGenerators[arrayFormat]; - - if (!objKeys) { - objKeys = Object.keys(obj); - } - - if (options.sort) { - objKeys.sort(options.sort); - } - - for (var i = 0; i < objKeys.length; ++i) { - var key = objKeys[i]; - - if (options.skipNulls && obj[key] === null) { - continue; - } - pushToArray(keys, stringify( - obj[key], - key, - generateArrayPrefix, - options.strictNullHandling, - options.skipNulls, - options.encode ? options.encoder : null, - options.filter, - options.sort, - options.allowDots, - options.serializeDate, - options.formatter, - options.encodeValuesOnly, - options.charset - )); - } - - var joined = keys.join(options.delimiter); - var prefix = options.addQueryPrefix === true ? '?' : ''; - - if (options.charsetSentinel) { - if (options.charset === 'iso-8859-1') { - // encodeURIComponent('✓'), the "numeric entity" representation of a checkmark - prefix += 'utf8=%26%2310003%3B&'; - } else { - // encodeURIComponent('✓') - prefix += 'utf8=%E2%9C%93&'; - } - } - - return joined.length > 0 ? prefix + joined : ''; -}; - - -/***/ }), -/* 156 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var utils = __webpack_require__(21); - -var has = Object.prototype.hasOwnProperty; -var isArray = Array.isArray; - -var defaults = { - allowDots: false, - allowPrototypes: false, - arrayLimit: 20, - charset: 'utf-8', - charsetSentinel: false, - comma: false, - decoder: utils.decode, - delimiter: '&', - depth: 5, - ignoreQueryPrefix: false, - interpretNumericEntities: false, - parameterLimit: 1000, - parseArrays: true, - plainObjects: false, - strictNullHandling: false -}; - -var interpretNumericEntities = function (str) { - return str.replace(/&#(\d+);/g, function ($0, numberStr) { - return String.fromCharCode(parseInt(numberStr, 10)); - }); -}; - -var parseArrayValue = function (val, options) { - if (val && typeof val === 'string' && options.comma && val.indexOf(',') > -1) { - return val.split(','); - } - - return val; -}; - -// This is what browsers will submit when the ✓ character occurs in an -// application/x-www-form-urlencoded body and the encoding of the page containing -// the form is iso-8859-1, or when the submitted form has an accept-charset -// attribute of iso-8859-1. Presumably also with other charsets that do not contain -// the ✓ character, such as us-ascii. -var isoSentinel = 'utf8=%26%2310003%3B'; // encodeURIComponent('✓') - -// These are the percent-encoded utf-8 octets representing a checkmark, indicating that the request actually is utf-8 encoded. -var charsetSentinel = 'utf8=%E2%9C%93'; // encodeURIComponent('✓') - -var parseValues = function parseQueryStringValues(str, options) { - var obj = {}; - var cleanStr = options.ignoreQueryPrefix ? str.replace(/^\?/, '') : str; - var limit = options.parameterLimit === Infinity ? undefined : options.parameterLimit; - var parts = cleanStr.split(options.delimiter, limit); - var skipIndex = -1; // Keep track of where the utf8 sentinel was found - var i; - - var charset = options.charset; - if (options.charsetSentinel) { - for (i = 0; i < parts.length; ++i) { - if (parts[i].indexOf('utf8=') === 0) { - if (parts[i] === charsetSentinel) { - charset = 'utf-8'; - } else if (parts[i] === isoSentinel) { - charset = 'iso-8859-1'; - } - skipIndex = i; - i = parts.length; // The eslint settings do not allow break; - } - } - } - - for (i = 0; i < parts.length; ++i) { - if (i === skipIndex) { - continue; - } - var part = parts[i]; - - var bracketEqualsPos = part.indexOf(']='); - var pos = bracketEqualsPos === -1 ? part.indexOf('=') : bracketEqualsPos + 1; - - var key, val; - if (pos === -1) { - key = options.decoder(part, defaults.decoder, charset, 'key'); - val = options.strictNullHandling ? null : ''; - } else { - key = options.decoder(part.slice(0, pos), defaults.decoder, charset, 'key'); - val = utils.maybeMap( - parseArrayValue(part.slice(pos + 1), options), - function (encodedVal) { - return options.decoder(encodedVal, defaults.decoder, charset, 'value'); - } - ); - } - - if (val && options.interpretNumericEntities && charset === 'iso-8859-1') { - val = interpretNumericEntities(val); - } - - if (part.indexOf('[]=') > -1) { - val = isArray(val) ? [val] : val; - } - - if (has.call(obj, key)) { - obj[key] = utils.combine(obj[key], val); - } else { - obj[key] = val; - } - } - - return obj; -}; - -var parseObject = function (chain, val, options, valuesParsed) { - var leaf = valuesParsed ? val : parseArrayValue(val, options); - - for (var i = chain.length - 1; i >= 0; --i) { - var obj; - var root = chain[i]; - - if (root === '[]' && options.parseArrays) { - obj = [].concat(leaf); - } else { - obj = options.plainObjects ? Object.create(null) : {}; - var cleanRoot = root.charAt(0) === '[' && root.charAt(root.length - 1) === ']' ? root.slice(1, -1) : root; - var index = parseInt(cleanRoot, 10); - if (!options.parseArrays && cleanRoot === '') { - obj = { 0: leaf }; - } else if ( - !isNaN(index) - && root !== cleanRoot - && String(index) === cleanRoot - && index >= 0 - && (options.parseArrays && index <= options.arrayLimit) - ) { - obj = []; - obj[index] = leaf; - } else { - obj[cleanRoot] = leaf; - } - } - - leaf = obj; // eslint-disable-line no-param-reassign - } - - return leaf; -}; - -var parseKeys = function parseQueryStringKeys(givenKey, val, options, valuesParsed) { - if (!givenKey) { - return; - } - - // Transform dot notation to bracket notation - var key = options.allowDots ? givenKey.replace(/\.([^.[]+)/g, '[$1]') : givenKey; - - // The regex chunks - - var brackets = /(\[[^[\]]*])/; - var child = /(\[[^[\]]*])/g; - - // Get the parent - - var segment = options.depth > 0 && brackets.exec(key); - var parent = segment ? key.slice(0, segment.index) : key; - - // Stash the parent if it exists - - var keys = []; - if (parent) { - // If we aren't using plain objects, optionally prefix keys that would overwrite object prototype properties - if (!options.plainObjects && has.call(Object.prototype, parent)) { - if (!options.allowPrototypes) { - return; - } - } - - keys.push(parent); - } - - // Loop through children appending to the array until we hit depth - - var i = 0; - while (options.depth > 0 && (segment = child.exec(key)) !== null && i < options.depth) { - i += 1; - if (!options.plainObjects && has.call(Object.prototype, segment[1].slice(1, -1))) { - if (!options.allowPrototypes) { - return; - } - } - keys.push(segment[1]); - } - - // If there's a remainder, just add whatever is left - - if (segment) { - keys.push('[' + key.slice(segment.index) + ']'); - } - - return parseObject(keys, val, options, valuesParsed); -}; - -var normalizeParseOptions = function normalizeParseOptions(opts) { - if (!opts) { - return defaults; - } - - if (opts.decoder !== null && opts.decoder !== undefined && typeof opts.decoder !== 'function') { - throw new TypeError('Decoder has to be a function.'); - } - - if (typeof opts.charset !== 'undefined' && opts.charset !== 'utf-8' && opts.charset !== 'iso-8859-1') { - throw new TypeError('The charset option must be either utf-8, iso-8859-1, or undefined'); - } - var charset = typeof opts.charset === 'undefined' ? defaults.charset : opts.charset; - - return { - allowDots: typeof opts.allowDots === 'undefined' ? defaults.allowDots : !!opts.allowDots, - allowPrototypes: typeof opts.allowPrototypes === 'boolean' ? opts.allowPrototypes : defaults.allowPrototypes, - arrayLimit: typeof opts.arrayLimit === 'number' ? opts.arrayLimit : defaults.arrayLimit, - charset: charset, - charsetSentinel: typeof opts.charsetSentinel === 'boolean' ? opts.charsetSentinel : defaults.charsetSentinel, - comma: typeof opts.comma === 'boolean' ? opts.comma : defaults.comma, - decoder: typeof opts.decoder === 'function' ? opts.decoder : defaults.decoder, - delimiter: typeof opts.delimiter === 'string' || utils.isRegExp(opts.delimiter) ? opts.delimiter : defaults.delimiter, - // eslint-disable-next-line no-implicit-coercion, no-extra-parens - depth: (typeof opts.depth === 'number' || opts.depth === false) ? +opts.depth : defaults.depth, - ignoreQueryPrefix: opts.ignoreQueryPrefix === true, - interpretNumericEntities: typeof opts.interpretNumericEntities === 'boolean' ? opts.interpretNumericEntities : defaults.interpretNumericEntities, - parameterLimit: typeof opts.parameterLimit === 'number' ? opts.parameterLimit : defaults.parameterLimit, - parseArrays: opts.parseArrays !== false, - plainObjects: typeof opts.plainObjects === 'boolean' ? opts.plainObjects : defaults.plainObjects, - strictNullHandling: typeof opts.strictNullHandling === 'boolean' ? opts.strictNullHandling : defaults.strictNullHandling - }; -}; - -module.exports = function (str, opts) { - var options = normalizeParseOptions(opts); - - if (str === '' || str === null || typeof str === 'undefined') { - return options.plainObjects ? Object.create(null) : {}; - } - - var tempObj = typeof str === 'string' ? parseValues(str, options) : str; - var obj = options.plainObjects ? Object.create(null) : {}; - - // Iterate over the keys and setup the new object - - var keys = Object.keys(tempObj); - for (var i = 0; i < keys.length; ++i) { - var key = keys[i]; - var newObj = parseKeys(key, tempObj[key], options, typeof str === 'string'); - obj = utils.merge(obj, newObj, options); - } - - return utils.compact(obj); -}; - - -/***/ }), -/* 157 */ -/***/ (function(module, exports, __webpack_require__) { - -var IncomingForm = __webpack_require__(158).IncomingForm; -IncomingForm.IncomingForm = IncomingForm; -module.exports = IncomingForm; - - -/***/ }), -/* 158 */ -/***/ (function(module, exports, __webpack_require__) { - -if (false) {} - -var crypto = __webpack_require__(8); -var fs = __webpack_require__(2); -var util = __webpack_require__(1), - path = __webpack_require__(0), - File = __webpack_require__(159), - MultipartParser = __webpack_require__(160).MultipartParser, - QuerystringParser = __webpack_require__(161).QuerystringParser, - OctetParser = __webpack_require__(162).OctetParser, - JSONParser = __webpack_require__(163).JSONParser, - StringDecoder = __webpack_require__(44).StringDecoder, - EventEmitter = __webpack_require__(5).EventEmitter, - Stream = __webpack_require__(3).Stream, - os = __webpack_require__(29); - -function IncomingForm(opts) { - if (!(this instanceof IncomingForm)) return new IncomingForm(opts); - EventEmitter.call(this); - - opts=opts||{}; - - this.error = null; - this.ended = false; - - this.maxFields = opts.maxFields || 1000; - this.maxFieldsSize = opts.maxFieldsSize || 20 * 1024 * 1024; - this.maxFileSize = opts.maxFileSize || 200 * 1024 * 1024; - this.keepExtensions = opts.keepExtensions || false; - this.uploadDir = opts.uploadDir || (os.tmpdir && os.tmpdir()) || os.tmpDir(); - this.encoding = opts.encoding || 'utf-8'; - this.headers = null; - this.type = null; - this.hash = opts.hash || false; - this.multiples = opts.multiples || false; - - this.bytesReceived = null; - this.bytesExpected = null; - - this._parser = null; - this._flushing = 0; - this._fieldsSize = 0; - this._fileSize = 0; - this.openedFiles = []; - - return this; -} -util.inherits(IncomingForm, EventEmitter); -exports.IncomingForm = IncomingForm; - -IncomingForm.prototype.parse = function(req, cb) { - this.pause = function() { - try { - req.pause(); - } catch (err) { - // the stream was destroyed - if (!this.ended) { - // before it was completed, crash & burn - this._error(err); - } - return false; - } - return true; - }; - - this.resume = function() { - try { - req.resume(); - } catch (err) { - // the stream was destroyed - if (!this.ended) { - // before it was completed, crash & burn - this._error(err); - } - return false; - } - - return true; - }; - - // Setup callback first, so we don't miss anything from data events emitted - // immediately. - if (cb) { - var fields = {}, files = {}; - this - .on('field', function(name, value) { - fields[name] = value; - }) - .on('file', function(name, file) { - if (this.multiples) { - if (files[name]) { - if (!Array.isArray(files[name])) { - files[name] = [files[name]]; - } - files[name].push(file); - } else { - files[name] = file; - } - } else { - files[name] = file; - } - }) - .on('error', function(err) { - cb(err, fields, files); - }) - .on('end', function() { - cb(null, fields, files); - }); - } - - // Parse headers and setup the parser, ready to start listening for data. - this.writeHeaders(req.headers); - - // Start listening for data. - var self = this; - req - .on('error', function(err) { - self._error(err); - }) - .on('aborted', function() { - self.emit('aborted'); - self._error(new Error('Request aborted')); - }) - .on('data', function(buffer) { - self.write(buffer); - }) - .on('end', function() { - if (self.error) { - return; - } - - var err = self._parser.end(); - if (err) { - self._error(err); - } - }); - - return this; -}; - -IncomingForm.prototype.writeHeaders = function(headers) { - this.headers = headers; - this._parseContentLength(); - this._parseContentType(); -}; - -IncomingForm.prototype.write = function(buffer) { - if (this.error) { - return; - } - if (!this._parser) { - this._error(new Error('uninitialized parser')); - return; - } - - this.bytesReceived += buffer.length; - this.emit('progress', this.bytesReceived, this.bytesExpected); - - var bytesParsed = this._parser.write(buffer); - if (bytesParsed !== buffer.length) { - this._error(new Error('parser error, '+bytesParsed+' of '+buffer.length+' bytes parsed')); - } - - return bytesParsed; -}; - -IncomingForm.prototype.pause = function() { - // this does nothing, unless overwritten in IncomingForm.parse - return false; -}; - -IncomingForm.prototype.resume = function() { - // this does nothing, unless overwritten in IncomingForm.parse - return false; -}; - -IncomingForm.prototype.onPart = function(part) { - // this method can be overwritten by the user - this.handlePart(part); -}; - -IncomingForm.prototype.handlePart = function(part) { - var self = this; - - // This MUST check exactly for undefined. You can not change it to !part.filename. - if (part.filename === undefined) { - var value = '' - , decoder = new StringDecoder(this.encoding); - - part.on('data', function(buffer) { - self._fieldsSize += buffer.length; - if (self._fieldsSize > self.maxFieldsSize) { - self._error(new Error('maxFieldsSize exceeded, received '+self._fieldsSize+' bytes of field data')); - return; - } - value += decoder.write(buffer); - }); - - part.on('end', function() { - self.emit('field', part.name, value); - }); - return; - } - - this._flushing++; - - var file = new File({ - path: this._uploadPath(part.filename), - name: part.filename, - type: part.mime, - hash: self.hash - }); - - this.emit('fileBegin', part.name, file); - - file.open(); - this.openedFiles.push(file); - - part.on('data', function(buffer) { - self._fileSize += buffer.length; - if (self._fileSize > self.maxFileSize) { - self._error(new Error('maxFileSize exceeded, received '+self._fileSize+' bytes of file data')); - return; - } - if (buffer.length == 0) { - return; - } - self.pause(); - file.write(buffer, function() { - self.resume(); - }); - }); - - part.on('end', function() { - file.end(function() { - self._flushing--; - self.emit('file', part.name, file); - self._maybeEnd(); - }); - }); -}; - -function dummyParser(self) { - return { - end: function () { - self.ended = true; - self._maybeEnd(); - return null; - } - }; -} - -IncomingForm.prototype._parseContentType = function() { - if (this.bytesExpected === 0) { - this._parser = dummyParser(this); - return; - } - - if (!this.headers['content-type']) { - this._error(new Error('bad content-type header, no content-type')); - return; - } - - if (this.headers['content-type'].match(/octet-stream/i)) { - this._initOctetStream(); - return; - } - - if (this.headers['content-type'].match(/urlencoded/i)) { - this._initUrlencoded(); - return; - } - - if (this.headers['content-type'].match(/multipart/i)) { - var m = this.headers['content-type'].match(/boundary=(?:"([^"]+)"|([^;]+))/i); - if (m) { - this._initMultipart(m[1] || m[2]); - } else { - this._error(new Error('bad content-type header, no multipart boundary')); - } - return; - } - - if (this.headers['content-type'].match(/json/i)) { - this._initJSONencoded(); - return; - } - - this._error(new Error('bad content-type header, unknown content-type: '+this.headers['content-type'])); -}; - -IncomingForm.prototype._error = function(err) { - if (this.error || this.ended) { - return; - } - - this.error = err; - this.emit('error', err); - - if (Array.isArray(this.openedFiles)) { - this.openedFiles.forEach(function(file) { - file._writeStream.destroy(); - setTimeout(fs.unlink, 0, file.path, function(error) { }); - }); - } -}; - -IncomingForm.prototype._parseContentLength = function() { - this.bytesReceived = 0; - if (this.headers['content-length']) { - this.bytesExpected = parseInt(this.headers['content-length'], 10); - } else if (this.headers['transfer-encoding'] === undefined) { - this.bytesExpected = 0; - } - - if (this.bytesExpected !== null) { - this.emit('progress', this.bytesReceived, this.bytesExpected); - } -}; - -IncomingForm.prototype._newParser = function() { - return new MultipartParser(); -}; - -IncomingForm.prototype._initMultipart = function(boundary) { - this.type = 'multipart'; - - var parser = new MultipartParser(), - self = this, - headerField, - headerValue, - part; - - parser.initWithBoundary(boundary); - - parser.onPartBegin = function() { - part = new Stream(); - part.readable = true; - part.headers = {}; - part.name = null; - part.filename = null; - part.mime = null; - - part.transferEncoding = 'binary'; - part.transferBuffer = ''; - - headerField = ''; - headerValue = ''; - }; - - parser.onHeaderField = function(b, start, end) { - headerField += b.toString(self.encoding, start, end); - }; - - parser.onHeaderValue = function(b, start, end) { - headerValue += b.toString(self.encoding, start, end); - }; - - parser.onHeaderEnd = function() { - headerField = headerField.toLowerCase(); - part.headers[headerField] = headerValue; - - // matches either a quoted-string or a token (RFC 2616 section 19.5.1) - var m = headerValue.match(/\bname=("([^"]*)"|([^\(\)<>@,;:\\"\/\[\]\?=\{\}\s\t/]+))/i); - if (headerField == 'content-disposition') { - if (m) { - part.name = m[2] || m[3] || ''; - } - - part.filename = self._fileName(headerValue); - } else if (headerField == 'content-type') { - part.mime = headerValue; - } else if (headerField == 'content-transfer-encoding') { - part.transferEncoding = headerValue.toLowerCase(); - } - - headerField = ''; - headerValue = ''; - }; - - parser.onHeadersEnd = function() { - switch(part.transferEncoding){ - case 'binary': - case '7bit': - case '8bit': - parser.onPartData = function(b, start, end) { - part.emit('data', b.slice(start, end)); - }; - - parser.onPartEnd = function() { - part.emit('end'); - }; - break; - - case 'base64': - parser.onPartData = function(b, start, end) { - part.transferBuffer += b.slice(start, end).toString('ascii'); - - /* - four bytes (chars) in base64 converts to three bytes in binary - encoding. So we should always work with a number of bytes that - can be divided by 4, it will result in a number of buytes that - can be divided vy 3. - */ - var offset = parseInt(part.transferBuffer.length / 4, 10) * 4; - part.emit('data', new Buffer(part.transferBuffer.substring(0, offset), 'base64')); - part.transferBuffer = part.transferBuffer.substring(offset); - }; - - parser.onPartEnd = function() { - part.emit('data', new Buffer(part.transferBuffer, 'base64')); - part.emit('end'); - }; - break; - - default: - return self._error(new Error('unknown transfer-encoding')); - } - - self.onPart(part); - }; - - - parser.onEnd = function() { - self.ended = true; - self._maybeEnd(); - }; - - this._parser = parser; -}; - -IncomingForm.prototype._fileName = function(headerValue) { - // matches either a quoted-string or a token (RFC 2616 section 19.5.1) - var m = headerValue.match(/\bfilename=("(.*?)"|([^\(\)<>@,;:\\"\/\[\]\?=\{\}\s\t/]+))($|;\s)/i); - if (!m) return; - - var match = m[2] || m[3] || ''; - var filename = match.substr(match.lastIndexOf('\\') + 1); - filename = filename.replace(/%22/g, '"'); - filename = filename.replace(/&#([\d]{4});/g, function(m, code) { - return String.fromCharCode(code); - }); - return filename; -}; - -IncomingForm.prototype._initUrlencoded = function() { - this.type = 'urlencoded'; - - var parser = new QuerystringParser(this.maxFields) - , self = this; - - parser.onField = function(key, val) { - self.emit('field', key, val); - }; - - parser.onEnd = function() { - self.ended = true; - self._maybeEnd(); - }; - - this._parser = parser; -}; - -IncomingForm.prototype._initOctetStream = function() { - this.type = 'octet-stream'; - var filename = this.headers['x-file-name']; - var mime = this.headers['content-type']; - - var file = new File({ - path: this._uploadPath(filename), - name: filename, - type: mime - }); - - this.emit('fileBegin', filename, file); - file.open(); - this.openedFiles.push(file); - this._flushing++; - - var self = this; - - self._parser = new OctetParser(); - - //Keep track of writes that haven't finished so we don't emit the file before it's done being written - var outstandingWrites = 0; - - self._parser.on('data', function(buffer){ - self.pause(); - outstandingWrites++; - - file.write(buffer, function() { - outstandingWrites--; - self.resume(); - - if(self.ended){ - self._parser.emit('doneWritingFile'); - } - }); - }); - - self._parser.on('end', function(){ - self._flushing--; - self.ended = true; - - var done = function(){ - file.end(function() { - self.emit('file', 'file', file); - self._maybeEnd(); - }); - }; - - if(outstandingWrites === 0){ - done(); - } else { - self._parser.once('doneWritingFile', done); - } - }); -}; - -IncomingForm.prototype._initJSONencoded = function() { - this.type = 'json'; - - var parser = new JSONParser(this) - , self = this; - - parser.onField = function(key, val) { - self.emit('field', key, val); - }; - - parser.onEnd = function() { - self.ended = true; - self._maybeEnd(); - }; - - this._parser = parser; -}; - -IncomingForm.prototype._uploadPath = function(filename) { - var buf = crypto.randomBytes(16); - var name = 'upload_' + buf.toString('hex'); - - if (this.keepExtensions) { - var ext = path.extname(filename); - ext = ext.replace(/(\.[a-z0-9]+).*/i, '$1'); - - name += ext; - } - - return path.join(this.uploadDir, name); -}; - -IncomingForm.prototype._maybeEnd = function() { - if (!this.ended || this._flushing || this.error) { - return; - } - - this.emit('end'); -}; - - -/***/ }), -/* 159 */ -/***/ (function(module, exports, __webpack_require__) { - -if (false) {} - -var util = __webpack_require__(1), - fs = __webpack_require__(2), - EventEmitter = __webpack_require__(5).EventEmitter, - crypto = __webpack_require__(8); - -function File(properties) { - EventEmitter.call(this); - - this.size = 0; - this.path = null; - this.name = null; - this.type = null; - this.hash = null; - this.lastModifiedDate = null; - - this._writeStream = null; - - for (var key in properties) { - this[key] = properties[key]; - } - - if(typeof this.hash === 'string') { - this.hash = crypto.createHash(properties.hash); - } else { - this.hash = null; - } -} -module.exports = File; -util.inherits(File, EventEmitter); - -File.prototype.open = function() { - this._writeStream = new fs.WriteStream(this.path); -}; - -File.prototype.toJSON = function() { - var json = { - size: this.size, - path: this.path, - name: this.name, - type: this.type, - mtime: this.lastModifiedDate, - length: this.length, - filename: this.filename, - mime: this.mime - }; - if (this.hash && this.hash != "") { - json.hash = this.hash; - } - return json; -}; - -File.prototype.write = function(buffer, cb) { - var self = this; - if (self.hash) { - self.hash.update(buffer); - } - - if (this._writeStream.closed) { - return cb(); - } - - this._writeStream.write(buffer, function() { - self.lastModifiedDate = new Date(); - self.size += buffer.length; - self.emit('progress', self.size); - cb(); - }); -}; - -File.prototype.end = function(cb) { - var self = this; - if (self.hash) { - self.hash = self.hash.digest('hex'); - } - this._writeStream.end(function() { - self.emit('end'); - cb(); - }); -}; - - -/***/ }), -/* 160 */ -/***/ (function(module, exports, __webpack_require__) { - -var Buffer = __webpack_require__(4).Buffer, - s = 0, - S = - { PARSER_UNINITIALIZED: s++, - START: s++, - START_BOUNDARY: s++, - HEADER_FIELD_START: s++, - HEADER_FIELD: s++, - HEADER_VALUE_START: s++, - HEADER_VALUE: s++, - HEADER_VALUE_ALMOST_DONE: s++, - HEADERS_ALMOST_DONE: s++, - PART_DATA_START: s++, - PART_DATA: s++, - PART_END: s++, - END: s++ - }, - - f = 1, - F = - { PART_BOUNDARY: f, - LAST_BOUNDARY: f *= 2 - }, - - LF = 10, - CR = 13, - SPACE = 32, - HYPHEN = 45, - COLON = 58, - A = 97, - Z = 122, - - lower = function(c) { - return c | 0x20; - }; - -for (s in S) { - exports[s] = S[s]; -} - -function MultipartParser() { - this.boundary = null; - this.boundaryChars = null; - this.lookbehind = null; - this.state = S.PARSER_UNINITIALIZED; - - this.index = null; - this.flags = 0; -} -exports.MultipartParser = MultipartParser; - -MultipartParser.stateToString = function(stateNumber) { - for (var state in S) { - var number = S[state]; - if (number === stateNumber) return state; - } -}; - -MultipartParser.prototype.initWithBoundary = function(str) { - this.boundary = new Buffer(str.length+4); - this.boundary.write('\r\n--', 0); - this.boundary.write(str, 4); - this.lookbehind = new Buffer(this.boundary.length+8); - this.state = S.START; - - this.boundaryChars = {}; - for (var i = 0; i < this.boundary.length; i++) { - this.boundaryChars[this.boundary[i]] = true; - } -}; - -MultipartParser.prototype.write = function(buffer) { - var self = this, - i = 0, - len = buffer.length, - prevIndex = this.index, - index = this.index, - state = this.state, - flags = this.flags, - lookbehind = this.lookbehind, - boundary = this.boundary, - boundaryChars = this.boundaryChars, - boundaryLength = this.boundary.length, - boundaryEnd = boundaryLength - 1, - bufferLength = buffer.length, - c, - cl, - - mark = function(name) { - self[name+'Mark'] = i; - }, - clear = function(name) { - delete self[name+'Mark']; - }, - callback = function(name, buffer, start, end) { - if (start !== undefined && start === end) { - return; - } - - var callbackSymbol = 'on'+name.substr(0, 1).toUpperCase()+name.substr(1); - if (callbackSymbol in self) { - self[callbackSymbol](buffer, start, end); - } - }, - dataCallback = function(name, clear) { - var markSymbol = name+'Mark'; - if (!(markSymbol in self)) { - return; - } - - if (!clear) { - callback(name, buffer, self[markSymbol], buffer.length); - self[markSymbol] = 0; - } else { - callback(name, buffer, self[markSymbol], i); - delete self[markSymbol]; - } - }; - - for (i = 0; i < len; i++) { - c = buffer[i]; - switch (state) { - case S.PARSER_UNINITIALIZED: - return i; - case S.START: - index = 0; - state = S.START_BOUNDARY; - case S.START_BOUNDARY: - if (index == boundary.length - 2) { - if (c == HYPHEN) { - flags |= F.LAST_BOUNDARY; - } else if (c != CR) { - return i; - } - index++; - break; - } else if (index - 1 == boundary.length - 2) { - if (flags & F.LAST_BOUNDARY && c == HYPHEN){ - callback('end'); - state = S.END; - flags = 0; - } else if (!(flags & F.LAST_BOUNDARY) && c == LF) { - index = 0; - callback('partBegin'); - state = S.HEADER_FIELD_START; - } else { - return i; - } - break; - } - - if (c != boundary[index+2]) { - index = -2; - } - if (c == boundary[index+2]) { - index++; - } - break; - case S.HEADER_FIELD_START: - state = S.HEADER_FIELD; - mark('headerField'); - index = 0; - case S.HEADER_FIELD: - if (c == CR) { - clear('headerField'); - state = S.HEADERS_ALMOST_DONE; - break; - } - - index++; - if (c == HYPHEN) { - break; - } - - if (c == COLON) { - if (index == 1) { - // empty header field - return i; - } - dataCallback('headerField', true); - state = S.HEADER_VALUE_START; - break; - } - - cl = lower(c); - if (cl < A || cl > Z) { - return i; - } - break; - case S.HEADER_VALUE_START: - if (c == SPACE) { - break; - } - - mark('headerValue'); - state = S.HEADER_VALUE; - case S.HEADER_VALUE: - if (c == CR) { - dataCallback('headerValue', true); - callback('headerEnd'); - state = S.HEADER_VALUE_ALMOST_DONE; - } - break; - case S.HEADER_VALUE_ALMOST_DONE: - if (c != LF) { - return i; - } - state = S.HEADER_FIELD_START; - break; - case S.HEADERS_ALMOST_DONE: - if (c != LF) { - return i; - } - - callback('headersEnd'); - state = S.PART_DATA_START; - break; - case S.PART_DATA_START: - state = S.PART_DATA; - mark('partData'); - case S.PART_DATA: - prevIndex = index; - - if (index === 0) { - // boyer-moore derrived algorithm to safely skip non-boundary data - i += boundaryEnd; - while (i < bufferLength && !(buffer[i] in boundaryChars)) { - i += boundaryLength; - } - i -= boundaryEnd; - c = buffer[i]; - } - - if (index < boundary.length) { - if (boundary[index] == c) { - if (index === 0) { - dataCallback('partData', true); - } - index++; - } else { - index = 0; - } - } else if (index == boundary.length) { - index++; - if (c == CR) { - // CR = part boundary - flags |= F.PART_BOUNDARY; - } else if (c == HYPHEN) { - // HYPHEN = end boundary - flags |= F.LAST_BOUNDARY; - } else { - index = 0; - } - } else if (index - 1 == boundary.length) { - if (flags & F.PART_BOUNDARY) { - index = 0; - if (c == LF) { - // unset the PART_BOUNDARY flag - flags &= ~F.PART_BOUNDARY; - callback('partEnd'); - callback('partBegin'); - state = S.HEADER_FIELD_START; - break; - } - } else if (flags & F.LAST_BOUNDARY) { - if (c == HYPHEN) { - callback('partEnd'); - callback('end'); - state = S.END; - flags = 0; - } else { - index = 0; - } - } else { - index = 0; - } - } - - if (index > 0) { - // when matching a possible boundary, keep a lookbehind reference - // in case it turns out to be a false lead - lookbehind[index-1] = c; - } else if (prevIndex > 0) { - // if our boundary turned out to be rubbish, the captured lookbehind - // belongs to partData - callback('partData', lookbehind, 0, prevIndex); - prevIndex = 0; - mark('partData'); - - // reconsider the current character even so it interrupted the sequence - // it could be the beginning of a new sequence - i--; - } - - break; - case S.END: - break; - default: - return i; - } - } - - dataCallback('headerField'); - dataCallback('headerValue'); - dataCallback('partData'); - - this.index = index; - this.state = state; - this.flags = flags; - - return len; -}; - -MultipartParser.prototype.end = function() { - var callback = function(self, name) { - var callbackSymbol = 'on'+name.substr(0, 1).toUpperCase()+name.substr(1); - if (callbackSymbol in self) { - self[callbackSymbol](); - } - }; - if ((this.state == S.HEADER_FIELD_START && this.index === 0) || - (this.state == S.PART_DATA && this.index == this.boundary.length)) { - callback(this, 'partEnd'); - callback(this, 'end'); - } else if (this.state != S.END) { - return new Error('MultipartParser.end(): stream ended unexpectedly: ' + this.explain()); - } -}; - -MultipartParser.prototype.explain = function() { - return 'state = ' + MultipartParser.stateToString(this.state); -}; - - -/***/ }), -/* 161 */ -/***/ (function(module, exports, __webpack_require__) { - -if (false) {} - -// This is a buffering parser, not quite as nice as the multipart one. -// If I find time I'll rewrite this to be fully streaming as well -var querystring = __webpack_require__(36); - -function QuerystringParser(maxKeys) { - this.maxKeys = maxKeys; - this.buffer = ''; -} -exports.QuerystringParser = QuerystringParser; - -QuerystringParser.prototype.write = function(buffer) { - this.buffer += buffer.toString('ascii'); - return buffer.length; -}; - -QuerystringParser.prototype.end = function() { - var fields = querystring.parse(this.buffer, '&', '=', { maxKeys: this.maxKeys }); - for (var field in fields) { - this.onField(field, fields[field]); - } - this.buffer = ''; - - this.onEnd(); -}; - - - -/***/ }), -/* 162 */ -/***/ (function(module, exports, __webpack_require__) { - -var EventEmitter = __webpack_require__(5).EventEmitter - , util = __webpack_require__(1); - -function OctetParser(options){ - if(!(this instanceof OctetParser)) return new OctetParser(options); - EventEmitter.call(this); -} - -util.inherits(OctetParser, EventEmitter); - -exports.OctetParser = OctetParser; - -OctetParser.prototype.write = function(buffer) { - this.emit('data', buffer); - return buffer.length; -}; - -OctetParser.prototype.end = function() { - this.emit('end'); -}; - - -/***/ }), -/* 163 */ -/***/ (function(module, exports, __webpack_require__) { - -if (false) {} - -var Buffer = __webpack_require__(4).Buffer; - -function JSONParser(parent) { - this.parent = parent; - this.chunks = []; - this.bytesWritten = 0; -} -exports.JSONParser = JSONParser; - -JSONParser.prototype.write = function(buffer) { - this.bytesWritten += buffer.length; - this.chunks.push(buffer); - return buffer.length; -}; - -JSONParser.prototype.end = function() { - try { - var fields = JSON.parse(Buffer.concat(this.chunks)); - for (var field in fields) { - this.onField(field, fields[field]); - } - } catch (e) { - this.parent.emit('error', e); - } - this.data = null; - - this.onEnd(); -}; - - -/***/ }), -/* 164 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -/** - * koa-body - index.js - * Copyright(c) 2014 - * MIT Licensed - * - * @author Daryl Lau (@dlau) - * @author Charlike Mike Reagent (@tunnckoCore) - * @author Zev Isert (@zevisert) - * @api private - */ - - - -module.exports = Symbol.for('unparsedBody'); - - -/***/ }), -/* 165 */ -/***/ (function(module, exports, __webpack_require__) { - -var fs = __webpack_require__(2), - path = __webpack_require__(0); - -module.exports = ncp; -ncp.ncp = ncp; - -function ncp (source, dest, options, callback) { - var cback = callback; - - if (!callback) { - cback = options; - options = {}; - } - - var basePath = process.cwd(), - currentPath = path.resolve(basePath, source), - targetPath = path.resolve(basePath, dest), - filter = options.filter, - rename = options.rename, - transform = options.transform, - clobber = options.clobber !== false, - modified = options.modified, - dereference = options.dereference, - errs = null, - started = 0, - finished = 0, - running = 0, - limit = options.limit || ncp.limit || 16; - - limit = (limit < 1) ? 1 : (limit > 512) ? 512 : limit; - - startCopy(currentPath); - - function startCopy(source) { - started++; - if (filter) { - if (filter instanceof RegExp) { - if (!filter.test(source)) { - return cb(true); - } - } - else if (typeof filter === 'function') { - if (!filter(source)) { - return cb(true); - } - } - } - return getStats(source); - } - - function getStats(source) { - var stat = dereference ? fs.stat : fs.lstat; - if (running >= limit) { - return setImmediate(function () { - getStats(source); - }); - } - running++; - stat(source, function (err, stats) { - var item = {}; - if (err) { - return onError(err); - } - - // We need to get the mode from the stats object and preserve it. - item.name = source; - item.mode = stats.mode; - item.mtime = stats.mtime; //modified time - item.atime = stats.atime; //access time - - if (stats.isDirectory()) { - return onDir(item); - } - else if (stats.isFile()) { - return onFile(item); - } - else if (stats.isSymbolicLink()) { - // Symlinks don't really need to know about the mode. - return onLink(source); - } - }); - } - - function onFile(file) { - var target = file.name.replace(currentPath, targetPath); - if(rename) { - target = rename(target); - } - isWritable(target, function (writable) { - if (writable) { - return copyFile(file, target); - } - if(clobber) { - rmFile(target, function () { - copyFile(file, target); - }); - } - if (modified) { - var stat = dereference ? fs.stat : fs.lstat; - stat(target, function(err, stats) { - //if souce modified time greater to target modified time copy file - if (file.mtime.getTime()>stats.mtime.getTime()) - copyFile(file, target); - else return cb(); - }); - } - else { - return cb(); - } - }); - } - - function copyFile(file, target) { - var readStream = fs.createReadStream(file.name), - writeStream = fs.createWriteStream(target, { mode: file.mode }); - - readStream.on('error', onError); - writeStream.on('error', onError); - - if(transform) { - transform(readStream, writeStream, file); - } else { - writeStream.on('open', function() { - readStream.pipe(writeStream); - }); - } - writeStream.once('finish', function() { - if (modified) { - //target file modified date sync. - fs.utimesSync(target, file.atime, file.mtime); - cb(); - } - else cb(); - }); - } - - function rmFile(file, done) { - fs.unlink(file, function (err) { - if (err) { - return onError(err); - } - return done(); - }); - } - - function onDir(dir) { - var target = dir.name.replace(currentPath, targetPath); - isWritable(target, function (writable) { - if (writable) { - return mkDir(dir, target); - } - copyDir(dir.name); - }); - } - - function mkDir(dir, target) { - fs.mkdir(target, dir.mode, function (err) { - if (err) { - return onError(err); - } - copyDir(dir.name); - }); - } - - function copyDir(dir) { - fs.readdir(dir, function (err, items) { - if (err) { - return onError(err); - } - items.forEach(function (item) { - startCopy(path.join(dir, item)); - }); - return cb(); - }); - } - - function onLink(link) { - var target = link.replace(currentPath, targetPath); - fs.readlink(link, function (err, resolvedPath) { - if (err) { - return onError(err); - } - checkLink(resolvedPath, target); - }); - } - - function checkLink(resolvedPath, target) { - if (dereference) { - resolvedPath = path.resolve(basePath, resolvedPath); - } - isWritable(target, function (writable) { - if (writable) { - return makeLink(resolvedPath, target); - } - fs.readlink(target, function (err, targetDest) { - if (err) { - return onError(err); - } - if (dereference) { - targetDest = path.resolve(basePath, targetDest); - } - if (targetDest === resolvedPath) { - return cb(); - } - return rmFile(target, function () { - makeLink(resolvedPath, target); - }); - }); - }); - } - - function makeLink(linkPath, target) { - fs.symlink(linkPath, target, function (err) { - if (err) { - return onError(err); - } - return cb(); - }); - } - - function isWritable(path, done) { - fs.lstat(path, function (err) { - if (err) { - if (err.code === 'ENOENT') return done(true); - return done(false); - } - return done(false); - }); - } - - function onError(err) { - if (options.stopOnError) { - return cback(err); - } - else if (!errs && options.errs) { - errs = fs.createWriteStream(options.errs); - } - else if (!errs) { - errs = []; - } - if (typeof errs.write === 'undefined') { - errs.push(err); - } - else { - errs.write(err.stack + '\n\n'); - } - return cb(); - } - - function cb(skipped) { - if (!skipped) running--; - finished++; - if ((started === finished) && (running === 0)) { - if (cback !== undefined ) { - return errs ? cback(errs) : cback(null); - } - } - } -} - - - - -/***/ }), -/* 166 */ -/***/ (function(module, exports, __webpack_require__) { - -module.exports = rimraf -rimraf.sync = rimrafSync - -var assert = __webpack_require__(10) -var path = __webpack_require__(0) -var fs = __webpack_require__(2) -var glob = __webpack_require__(50) - -var globOpts = { - nosort: true, - nocomment: true, - nonegate: true, - silent: true -} - -// for EMFILE handling -var timeout = 0 - -var isWindows = (process.platform === "win32") - -function defaults (options) { - var methods = [ - 'unlink', - 'chmod', - 'stat', - 'lstat', - 'rmdir', - 'readdir' - ] - methods.forEach(function(m) { - options[m] = options[m] || fs[m] - m = m + 'Sync' - options[m] = options[m] || fs[m] - }) - - options.maxBusyTries = options.maxBusyTries || 3 - options.emfileWait = options.emfileWait || 1000 - options.disableGlob = options.disableGlob || false -} - -function rimraf (p, options, cb) { - if (typeof options === 'function') { - cb = options - options = {} - } - - assert(p, 'rimraf: missing path') - assert.equal(typeof p, 'string', 'rimraf: path should be a string') - assert(options, 'rimraf: missing options') - assert.equal(typeof options, 'object', 'rimraf: options should be object') - assert.equal(typeof cb, 'function', 'rimraf: callback function required') - - defaults(options) - - var busyTries = 0 - var errState = null - var n = 0 - - if (options.disableGlob || !glob.hasMagic(p)) - return afterGlob(null, [p]) - - fs.lstat(p, function (er, stat) { - if (!er) - return afterGlob(null, [p]) - - glob(p, globOpts, afterGlob) - }) - - function next (er) { - errState = errState || er - if (--n === 0) - cb(errState) - } - - function afterGlob (er, results) { - if (er) - return cb(er) - - n = results.length - if (n === 0) - return cb() - - results.forEach(function (p) { - rimraf_(p, options, function CB (er) { - if (er) { - if (isWindows && (er.code === "EBUSY" || er.code === "ENOTEMPTY" || er.code === "EPERM") && - busyTries < options.maxBusyTries) { - busyTries ++ - var time = busyTries * 100 - // try again, with the same exact callback as this one. - return setTimeout(function () { - rimraf_(p, options, CB) - }, time) - } - - // this one won't happen if graceful-fs is used. - if (er.code === "EMFILE" && timeout < options.emfileWait) { - return setTimeout(function () { - rimraf_(p, options, CB) - }, timeout ++) - } - - // already gone - if (er.code === "ENOENT") er = null - } - - timeout = 0 - next(er) - }) - }) - } -} - -// Two possible strategies. -// 1. Assume it's a file. unlink it, then do the dir stuff on EPERM or EISDIR -// 2. Assume it's a directory. readdir, then do the file stuff on ENOTDIR -// -// Both result in an extra syscall when you guess wrong. However, there -// are likely far more normal files in the world than directories. This -// is based on the assumption that a the average number of files per -// directory is >= 1. -// -// If anyone ever complains about this, then I guess the strategy could -// be made configurable somehow. But until then, YAGNI. -function rimraf_ (p, options, cb) { - assert(p) - assert(options) - assert(typeof cb === 'function') - - // sunos lets the root user unlink directories, which is... weird. - // so we have to lstat here and make sure it's not a dir. - options.lstat(p, function (er, st) { - if (er && er.code === "ENOENT") - return cb(null) - - if (st && st.isDirectory()) - return rmdir(p, options, er, cb) - - options.unlink(p, function (er) { - if (er) { - if (er.code === "ENOENT") - return cb(null) - if (er.code === "EPERM") - return (isWindows) - ? fixWinEPERM(p, options, er, cb) - : rmdir(p, options, er, cb) - if (er.code === "EISDIR") - return rmdir(p, options, er, cb) - } - return cb(er) - }) - }) -} - -function fixWinEPERM (p, options, er, cb) { - assert(p) - assert(options) - assert(typeof cb === 'function') - if (er) - assert(er instanceof Error) - - options.chmod(p, 666, function (er2) { - if (er2) - cb(er2.code === "ENOENT" ? null : er) - else - options.stat(p, function(er3, stats) { - if (er3) - cb(er3.code === "ENOENT" ? null : er) - else if (stats.isDirectory()) - rmdir(p, options, er, cb) - else - options.unlink(p, cb) - }) - }) -} - -function fixWinEPERMSync (p, options, er) { - assert(p) - assert(options) - if (er) - assert(er instanceof Error) - - try { - options.chmodSync(p, 666) - } catch (er2) { - if (er2.code === "ENOENT") - return - else - throw er - } - - try { - var stats = options.statSync(p) - } catch (er3) { - if (er3.code === "ENOENT") - return - else - throw er - } - - if (stats.isDirectory()) - rmdirSync(p, options, er) - else - options.unlinkSync(p) -} - -function rmdir (p, options, originalEr, cb) { - assert(p) - assert(options) - if (originalEr) - assert(originalEr instanceof Error) - assert(typeof cb === 'function') - - // try to rmdir first, and only readdir on ENOTEMPTY or EEXIST (SunOS) - // if we guessed wrong, and it's not a directory, then - // raise the original error. - options.rmdir(p, function (er) { - if (er && (er.code === "ENOTEMPTY" || er.code === "EEXIST" || er.code === "EPERM")) - rmkids(p, options, cb) - else if (er && er.code === "ENOTDIR") - cb(originalEr) - else - cb(er) - }) -} - -function rmkids(p, options, cb) { - assert(p) - assert(options) - assert(typeof cb === 'function') - - options.readdir(p, function (er, files) { - if (er) - return cb(er) - var n = files.length - if (n === 0) - return options.rmdir(p, cb) - var errState - files.forEach(function (f) { - rimraf(path.join(p, f), options, function (er) { - if (errState) - return - if (er) - return cb(errState = er) - if (--n === 0) - options.rmdir(p, cb) - }) - }) - }) -} - -// this looks simpler, and is strictly *faster*, but will -// tie up the JavaScript thread and fail on excessively -// deep directory trees. -function rimrafSync (p, options) { - options = options || {} - defaults(options) - - assert(p, 'rimraf: missing path') - assert.equal(typeof p, 'string', 'rimraf: path should be a string') - assert(options, 'rimraf: missing options') - assert.equal(typeof options, 'object', 'rimraf: options should be object') - - var results - - if (options.disableGlob || !glob.hasMagic(p)) { - results = [p] - } else { - try { - fs.lstatSync(p) - results = [p] - } catch (er) { - results = glob.sync(p, globOpts) - } - } - - if (!results.length) - return - - for (var i = 0; i < results.length; i++) { - var p = results[i] - - try { - var st = options.lstatSync(p) - } catch (er) { - if (er.code === "ENOENT") - return - } - - try { - // sunos lets the root user unlink directories, which is... weird. - if (st && st.isDirectory()) - rmdirSync(p, options, null) - else - options.unlinkSync(p) - } catch (er) { - if (er.code === "ENOENT") - return - if (er.code === "EPERM") - return isWindows ? fixWinEPERMSync(p, options, er) : rmdirSync(p, options, er) - if (er.code !== "EISDIR") - throw er - rmdirSync(p, options, er) - } - } -} - -function rmdirSync (p, options, originalEr) { - assert(p) - assert(options) - if (originalEr) - assert(originalEr instanceof Error) - - try { - options.rmdirSync(p) - } catch (er) { - if (er.code === "ENOENT") - return - if (er.code === "ENOTDIR") - throw originalEr - if (er.code === "ENOTEMPTY" || er.code === "EEXIST" || er.code === "EPERM") - rmkidsSync(p, options) - } -} - -function rmkidsSync (p, options) { - assert(p) - assert(options) - options.readdirSync(p).forEach(function (f) { - rimrafSync(path.join(p, f), options) - }) - options.rmdirSync(p, options) -} - - -/***/ }), -/* 167 */ -/***/ (function(module, exports, __webpack_require__) { - -var concatMap = __webpack_require__(168); -var balanced = __webpack_require__(169); - -module.exports = expandTop; - -var escSlash = '\0SLASH'+Math.random()+'\0'; -var escOpen = '\0OPEN'+Math.random()+'\0'; -var escClose = '\0CLOSE'+Math.random()+'\0'; -var escComma = '\0COMMA'+Math.random()+'\0'; -var escPeriod = '\0PERIOD'+Math.random()+'\0'; - -function numeric(str) { - return parseInt(str, 10) == str - ? parseInt(str, 10) - : str.charCodeAt(0); -} - -function escapeBraces(str) { - return str.split('\\\\').join(escSlash) - .split('\\{').join(escOpen) - .split('\\}').join(escClose) - .split('\\,').join(escComma) - .split('\\.').join(escPeriod); -} - -function unescapeBraces(str) { - return str.split(escSlash).join('\\') - .split(escOpen).join('{') - .split(escClose).join('}') - .split(escComma).join(',') - .split(escPeriod).join('.'); -} - - -// Basically just str.split(","), but handling cases -// where we have nested braced sections, which should be -// treated as individual members, like {a,{b,c},d} -function parseCommaParts(str) { - if (!str) - return ['']; - - var parts = []; - var m = balanced('{', '}', str); - - if (!m) - return str.split(','); - - var pre = m.pre; - var body = m.body; - var post = m.post; - var p = pre.split(','); - - p[p.length-1] += '{' + body + '}'; - var postParts = parseCommaParts(post); - if (post.length) { - p[p.length-1] += postParts.shift(); - p.push.apply(p, postParts); - } - - parts.push.apply(parts, p); - - return parts; -} - -function expandTop(str) { - if (!str) - return []; - - // I don't know why Bash 4.3 does this, but it does. - // Anything starting with {} will have the first two bytes preserved - // but *only* at the top level, so {},a}b will not expand to anything, - // but a{},b}c will be expanded to [a}c,abc]. - // One could argue that this is a bug in Bash, but since the goal of - // this module is to match Bash's rules, we escape a leading {} - if (str.substr(0, 2) === '{}') { - str = '\\{\\}' + str.substr(2); - } - - return expand(escapeBraces(str), true).map(unescapeBraces); -} - -function identity(e) { - return e; -} - -function embrace(str) { - return '{' + str + '}'; -} -function isPadded(el) { - return /^-?0\d/.test(el); -} - -function lte(i, y) { - return i <= y; -} -function gte(i, y) { - return i >= y; -} - -function expand(str, isTop) { - var expansions = []; - - var m = balanced('{', '}', str); - if (!m || /\$$/.test(m.pre)) return [str]; - - var isNumericSequence = /^-?\d+\.\.-?\d+(?:\.\.-?\d+)?$/.test(m.body); - var isAlphaSequence = /^[a-zA-Z]\.\.[a-zA-Z](?:\.\.-?\d+)?$/.test(m.body); - var isSequence = isNumericSequence || isAlphaSequence; - var isOptions = m.body.indexOf(',') >= 0; - if (!isSequence && !isOptions) { - // {a},b} - if (m.post.match(/,.*\}/)) { - str = m.pre + '{' + m.body + escClose + m.post; - return expand(str); - } - return [str]; - } - - var n; - if (isSequence) { - n = m.body.split(/\.\./); - } else { - n = parseCommaParts(m.body); - if (n.length === 1) { - // x{{a,b}}y ==> x{a}y x{b}y - n = expand(n[0], false).map(embrace); - if (n.length === 1) { - var post = m.post.length - ? expand(m.post, false) - : ['']; - return post.map(function(p) { - return m.pre + n[0] + p; - }); - } - } - } - - // at this point, n is the parts, and we know it's not a comma set - // with a single entry. - - // no need to expand pre, since it is guaranteed to be free of brace-sets - var pre = m.pre; - var post = m.post.length - ? expand(m.post, false) - : ['']; - - var N; - - if (isSequence) { - var x = numeric(n[0]); - var y = numeric(n[1]); - var width = Math.max(n[0].length, n[1].length) - var incr = n.length == 3 - ? Math.abs(numeric(n[2])) - : 1; - var test = lte; - var reverse = y < x; - if (reverse) { - incr *= -1; - test = gte; - } - var pad = n.some(isPadded); - - N = []; - - for (var i = x; test(i, y); i += incr) { - var c; - if (isAlphaSequence) { - c = String.fromCharCode(i); - if (c === '\\') - c = ''; - } else { - c = String(i); - if (pad) { - var need = width - c.length; - if (need > 0) { - var z = new Array(need + 1).join('0'); - if (i < 0) - c = '-' + z + c.slice(1); - else - c = z + c; - } - } - } - N.push(c); - } - } else { - N = concatMap(n, function(el) { return expand(el, false) }); - } - - for (var j = 0; j < N.length; j++) { - for (var k = 0; k < post.length; k++) { - var expansion = pre + N[j] + post[k]; - if (!isTop || isSequence || expansion) - expansions.push(expansion); - } - } - - return expansions; -} - - - -/***/ }), -/* 168 */ -/***/ (function(module, exports) { - -module.exports = function (xs, fn) { - var res = []; - for (var i = 0; i < xs.length; i++) { - var x = fn(xs[i], i); - if (isArray(x)) res.push.apply(res, x); - else res.push(x); - } - return res; -}; - -var isArray = Array.isArray || function (xs) { - return Object.prototype.toString.call(xs) === '[object Array]'; -}; - - -/***/ }), -/* 169 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -module.exports = balanced; -function balanced(a, b, str) { - if (a instanceof RegExp) a = maybeMatch(a, str); - if (b instanceof RegExp) b = maybeMatch(b, str); - - var r = range(a, b, str); - - return r && { - start: r[0], - end: r[1], - pre: str.slice(0, r[0]), - body: str.slice(r[0] + a.length, r[1]), - post: str.slice(r[1] + b.length) - }; -} - -function maybeMatch(reg, str) { - var m = str.match(reg); - return m ? m[0] : null; -} - -balanced.range = range; -function range(a, b, str) { - var begs, beg, left, right, result; - var ai = str.indexOf(a); - var bi = str.indexOf(b, ai + 1); - var i = ai; - - if (ai >= 0 && bi > 0) { - begs = []; - left = str.length; - - while (i >= 0 && !result) { - if (i == ai) { - begs.push(i); - ai = str.indexOf(a, i + 1); - } else if (begs.length == 1) { - result = [ begs.pop(), bi ]; - } else { - beg = begs.pop(); - if (beg < left) { - left = beg; - right = bi; - } - - bi = str.indexOf(b, i + 1); - } - - i = ai < bi && ai >= 0 ? ai : bi; - } - - if (begs.length) { - result = [ left, right ]; - } - } - - return result; -} - - -/***/ }), -/* 170 */ -/***/ (function(module, exports, __webpack_require__) { - -module.exports = globSync -globSync.GlobSync = GlobSync - -var fs = __webpack_require__(2) -var minimatch = __webpack_require__(22) -var Minimatch = minimatch.Minimatch -var Glob = __webpack_require__(50).Glob -var util = __webpack_require__(1) -var path = __webpack_require__(0) -var assert = __webpack_require__(10) -var isAbsolute = __webpack_require__(23) -var common = __webpack_require__(51) -var alphasort = common.alphasort -var alphasorti = common.alphasorti -var setopts = common.setopts -var ownProp = common.ownProp -var childrenIgnored = common.childrenIgnored - -function globSync (pattern, options) { - if (typeof options === 'function' || arguments.length === 3) - throw new TypeError('callback provided to sync glob\n'+ - 'See: https://github.com/isaacs/node-glob/issues/167') - - return new GlobSync(pattern, options).found -} - -function GlobSync (pattern, options) { - if (!pattern) - throw new Error('must provide pattern') - - if (typeof options === 'function' || arguments.length === 3) - throw new TypeError('callback provided to sync glob\n'+ - 'See: https://github.com/isaacs/node-glob/issues/167') - - if (!(this instanceof GlobSync)) - return new GlobSync(pattern, options) - - setopts(this, pattern, options) - - if (this.noprocess) - return this - - var n = this.minimatch.set.length - this.matches = new Array(n) - for (var i = 0; i < n; i ++) { - this._process(this.minimatch.set[i], i, false) - } - this._finish() -} - -GlobSync.prototype._finish = function () { - assert(this instanceof GlobSync) - if (this.realpath) { - var self = this - this.matches.forEach(function (matchset, index) { - var set = self.matches[index] = Object.create(null) - for (var p in matchset) { - try { - p = self._makeAbs(p) - var real = fs.realpathSync(p, self.realpathCache) - set[real] = true - } catch (er) { - if (er.syscall === 'stat') - set[self._makeAbs(p)] = true - else - throw er - } - } - }) - } - common.finish(this) -} - - -GlobSync.prototype._process = function (pattern, index, inGlobStar) { - assert(this instanceof GlobSync) - - // Get the first [n] parts of pattern that are all strings. - var n = 0 - while (typeof pattern[n] === 'string') { - n ++ - } - // now n is the index of the first one that is *not* a string. - - // See if there's anything else - var prefix - switch (n) { - // if not, then this is rather simple - case pattern.length: - this._processSimple(pattern.join('/'), index) - return - - case 0: - // pattern *starts* with some non-trivial item. - // going to readdir(cwd), but not include the prefix in matches. - prefix = null - break - - default: - // pattern has some string bits in the front. - // whatever it starts with, whether that's 'absolute' like /foo/bar, - // or 'relative' like '../baz' - prefix = pattern.slice(0, n).join('/') - break - } - - var remain = pattern.slice(n) - - // get the list of entries. - var read - if (prefix === null) - read = '.' - else if (isAbsolute(prefix) || isAbsolute(pattern.join('/'))) { - if (!prefix || !isAbsolute(prefix)) - prefix = '/' + prefix - read = prefix - } else - read = prefix - - var abs = this._makeAbs(read) - - //if ignored, skip processing - if (childrenIgnored(this, read)) - return - - var isGlobStar = remain[0] === minimatch.GLOBSTAR - if (isGlobStar) - this._processGlobStar(prefix, read, abs, remain, index, inGlobStar) - else - this._processReaddir(prefix, read, abs, remain, index, inGlobStar) -} - - -GlobSync.prototype._processReaddir = function (prefix, read, abs, remain, index, inGlobStar) { - var entries = this._readdir(abs, inGlobStar) - - // if the abs isn't a dir, then nothing can match! - if (!entries) - return - - // It will only match dot entries if it starts with a dot, or if - // dot is set. Stuff like @(.foo|.bar) isn't allowed. - var pn = remain[0] - var negate = !!this.minimatch.negate - var rawGlob = pn._glob - var dotOk = this.dot || rawGlob.charAt(0) === '.' - - var matchedEntries = [] - for (var i = 0; i < entries.length; i++) { - var e = entries[i] - if (e.charAt(0) !== '.' || dotOk) { - var m - if (negate && !prefix) { - m = !e.match(pn) - } else { - m = e.match(pn) - } - if (m) - matchedEntries.push(e) - } - } - - var len = matchedEntries.length - // If there are no matched entries, then nothing matches. - if (len === 0) - return - - // if this is the last remaining pattern bit, then no need for - // an additional stat *unless* the user has specified mark or - // stat explicitly. We know they exist, since readdir returned - // them. - - if (remain.length === 1 && !this.mark && !this.stat) { - if (!this.matches[index]) - this.matches[index] = Object.create(null) - - for (var i = 0; i < len; i ++) { - var e = matchedEntries[i] - if (prefix) { - if (prefix.slice(-1) !== '/') - e = prefix + '/' + e - else - e = prefix + e - } - - if (e.charAt(0) === '/' && !this.nomount) { - e = path.join(this.root, e) - } - this.matches[index][e] = true - } - // This was the last one, and no stats were needed - return - } - - // now test all matched entries as stand-ins for that part - // of the pattern. - remain.shift() - for (var i = 0; i < len; i ++) { - var e = matchedEntries[i] - var newPattern - if (prefix) - newPattern = [prefix, e] - else - newPattern = [e] - this._process(newPattern.concat(remain), index, inGlobStar) - } -} - - -GlobSync.prototype._emitMatch = function (index, e) { - var abs = this._makeAbs(e) - if (this.mark) - e = this._mark(e) - - if (this.matches[index][e]) - return - - if (this.nodir) { - var c = this.cache[this._makeAbs(e)] - if (c === 'DIR' || Array.isArray(c)) - return - } - - this.matches[index][e] = true - if (this.stat) - this._stat(e) -} - - -GlobSync.prototype._readdirInGlobStar = function (abs) { - // follow all symlinked directories forever - // just proceed as if this is a non-globstar situation - if (this.follow) - return this._readdir(abs, false) - - var entries - var lstat - var stat - try { - lstat = fs.lstatSync(abs) - } catch (er) { - // lstat failed, doesn't exist - return null - } - - var isSym = lstat.isSymbolicLink() - this.symlinks[abs] = isSym - - // If it's not a symlink or a dir, then it's definitely a regular file. - // don't bother doing a readdir in that case. - if (!isSym && !lstat.isDirectory()) - this.cache[abs] = 'FILE' - else - entries = this._readdir(abs, false) - - return entries -} - -GlobSync.prototype._readdir = function (abs, inGlobStar) { - var entries - - if (inGlobStar && !ownProp(this.symlinks, abs)) - return this._readdirInGlobStar(abs) - - if (ownProp(this.cache, abs)) { - var c = this.cache[abs] - if (!c || c === 'FILE') - return null - - if (Array.isArray(c)) - return c - } - - try { - return this._readdirEntries(abs, fs.readdirSync(abs)) - } catch (er) { - this._readdirError(abs, er) - return null - } -} - -GlobSync.prototype._readdirEntries = function (abs, entries) { - // if we haven't asked to stat everything, then just - // assume that everything in there exists, so we can avoid - // having to stat it a second time. - if (!this.mark && !this.stat) { - for (var i = 0; i < entries.length; i ++) { - var e = entries[i] - if (abs === '/') - e = abs + e - else - e = abs + '/' + e - this.cache[e] = true - } - } - - this.cache[abs] = entries - - // mark and cache dir-ness - return entries -} - -GlobSync.prototype._readdirError = function (f, er) { - // handle errors, and cache the information - switch (er.code) { - case 'ENOTSUP': // https://github.com/isaacs/node-glob/issues/205 - case 'ENOTDIR': // totally normal. means it *does* exist. - this.cache[this._makeAbs(f)] = 'FILE' - break - - case 'ENOENT': // not terribly unusual - case 'ELOOP': - case 'ENAMETOOLONG': - case 'UNKNOWN': - this.cache[this._makeAbs(f)] = false - break - - default: // some unusual error. Treat as failure. - this.cache[this._makeAbs(f)] = false - if (this.strict) - throw er - if (!this.silent) - console.error('glob error', er) - break - } -} - -GlobSync.prototype._processGlobStar = function (prefix, read, abs, remain, index, inGlobStar) { - - var entries = this._readdir(abs, inGlobStar) - - // no entries means not a dir, so it can never have matches - // foo.txt/** doesn't match foo.txt - if (!entries) - return - - // test without the globstar, and with every child both below - // and replacing the globstar. - var remainWithoutGlobStar = remain.slice(1) - var gspref = prefix ? [ prefix ] : [] - var noGlobStar = gspref.concat(remainWithoutGlobStar) - - // the noGlobStar pattern exits the inGlobStar state - this._process(noGlobStar, index, false) - - var len = entries.length - var isSym = this.symlinks[abs] - - // If it's a symlink, and we're in a globstar, then stop - if (isSym && inGlobStar) - return - - for (var i = 0; i < len; i++) { - var e = entries[i] - if (e.charAt(0) === '.' && !this.dot) - continue - - // these two cases enter the inGlobStar state - var instead = gspref.concat(entries[i], remainWithoutGlobStar) - this._process(instead, index, true) - - var below = gspref.concat(entries[i], remain) - this._process(below, index, true) - } -} - -GlobSync.prototype._processSimple = function (prefix, index) { - // XXX review this. Shouldn't it be doing the mounting etc - // before doing stat? kinda weird? - var exists = this._stat(prefix) - - if (!this.matches[index]) - this.matches[index] = Object.create(null) - - // If it doesn't exist, then just mark the lack of results - if (!exists) - return - - if (prefix && isAbsolute(prefix) && !this.nomount) { - var trail = /[\/\\]$/.test(prefix) - if (prefix.charAt(0) === '/') { - prefix = path.join(this.root, prefix) - } else { - prefix = path.resolve(this.root, prefix) - if (trail) - prefix += '/' - } - } - - if (process.platform === 'win32') - prefix = prefix.replace(/\\/g, '/') - - // Mark this as a match - this.matches[index][prefix] = true -} - -// Returns either 'DIR', 'FILE', or false -GlobSync.prototype._stat = function (f) { - var abs = this._makeAbs(f) - var needDir = f.slice(-1) === '/' - - if (f.length > this.maxLength) - return false - - if (!this.stat && ownProp(this.cache, abs)) { - var c = this.cache[abs] - - if (Array.isArray(c)) - c = 'DIR' - - // It exists, but maybe not how we need it - if (!needDir || c === 'DIR') - return c - - if (needDir && c === 'FILE') - return false - - // otherwise we have to stat, because maybe c=true - // if we know it exists, but not what it is. - } - - var exists - var stat = this.statCache[abs] - if (!stat) { - var lstat - try { - lstat = fs.lstatSync(abs) - } catch (er) { - return false - } - - if (lstat.isSymbolicLink()) { - try { - stat = fs.statSync(abs) - } catch (er) { - stat = lstat - } - } else { - stat = lstat - } - } - - this.statCache[abs] = stat - - var c = stat.isDirectory() ? 'DIR' : 'FILE' - this.cache[abs] = this.cache[abs] || c - - if (needDir && c !== 'DIR') - return false - - return c -} - -GlobSync.prototype._mark = function (p) { - return common.mark(this, p) -} - -GlobSync.prototype._makeAbs = function (f) { - return common.makeAbs(this, f) -} - - -/***/ }), -/* 171 */ -/***/ (function(module, exports, __webpack_require__) { - -var wrappy = __webpack_require__(52) -var reqs = Object.create(null) -var once = __webpack_require__(53) - -module.exports = wrappy(inflight) - -function inflight (key, cb) { - if (reqs[key]) { - reqs[key].push(cb) - return null - } else { - reqs[key] = [cb] - return makeres(key) - } -} - -function makeres (key) { - return once(function RES () { - var cbs = reqs[key] - var len = cbs.length - var args = slice(arguments) - - // XXX It's somewhat ambiguous whether a new callback added in this - // pass should be queued for later execution if something in the - // list of callbacks throws, or if it should just be discarded. - // However, it's such an edge case that it hardly matters, and either - // choice is likely as surprising as the other. - // As it happens, we do go ahead and schedule it for later execution. - try { - for (var i = 0; i < len; i++) { - cbs[i].apply(null, args) - } - } finally { - if (cbs.length > len) { - // added more in the interim. - // de-zalgo, just in case, but don't call again. - cbs.splice(0, len) - process.nextTick(function () { - RES.apply(null, args) - }) - } else { - delete reqs[key] - } - } - }) -} - -function slice (args) { - var length = args.length - var array = [] - - for (var i = 0; i < length; i++) array[i] = args[i] - return array -} - - -/***/ }), -/* 172 */ -/***/ (function(module, exports, __webpack_require__) { - -var path = __webpack_require__(0); -var fs = __webpack_require__(2); -var _0777 = parseInt('0777', 8); - -module.exports = mkdirP.mkdirp = mkdirP.mkdirP = mkdirP; - -function mkdirP (p, opts, f, made) { - if (typeof opts === 'function') { - f = opts; - opts = {}; - } - else if (!opts || typeof opts !== 'object') { - opts = { mode: opts }; - } - - var mode = opts.mode; - var xfs = opts.fs || fs; - - if (mode === undefined) { - mode = _0777 - } - if (!made) made = null; - - var cb = f || function () {}; - p = path.resolve(p); - - xfs.mkdir(p, mode, function (er) { - if (!er) { - made = made || p; - return cb(null, made); - } - switch (er.code) { - case 'ENOENT': - if (path.dirname(p) === p) return cb(er); - mkdirP(path.dirname(p), opts, function (er, made) { - if (er) cb(er, made); - else mkdirP(p, opts, cb, made); - }); - break; - - // In the case of any other error, just see if there's a dir - // there already. If so, then hooray! If not, then something - // is borked. - default: - xfs.stat(p, function (er2, stat) { - // if the stat fails, then that's super weird. - // let the original error be the failure reason. - if (er2 || !stat.isDirectory()) cb(er, made) - else cb(null, made); - }); - break; - } - }); -} - -mkdirP.sync = function sync (p, opts, made) { - if (!opts || typeof opts !== 'object') { - opts = { mode: opts }; - } - - var mode = opts.mode; - var xfs = opts.fs || fs; - - if (mode === undefined) { - mode = _0777 - } - if (!made) made = null; - - p = path.resolve(p); - - try { - xfs.mkdirSync(p, mode); - made = made || p; - } - catch (err0) { - switch (err0.code) { - case 'ENOENT' : - made = sync(path.dirname(p), opts, made); - sync(p, opts, made); - break; - - // In the case of any other error, just see if there's a dir - // there already. If so, then hooray! If not, then something - // is borked. - default: - var stat; - try { - stat = xfs.statSync(p); - } - catch (err1) { - throw err0; - } - if (!stat.isDirectory()) throw err0; - break; - } - } - - return made; -}; - - -/***/ }) -/******/ ]); \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/dist/ui.html b/resources/[lib]/screenshot-basic/dist/ui.html deleted file mode 100644 index ea0cd325d8..0000000000 --- a/resources/[lib]/screenshot-basic/dist/ui.html +++ /dev/null @@ -1,20 +0,0 @@ - - - - - Screenshot Helper - - - - -
- - \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/dist/ui.js b/resources/[lib]/screenshot-basic/dist/ui.js deleted file mode 100644 index 6e12160d7b..0000000000 --- a/resources/[lib]/screenshot-basic/dist/ui.js +++ /dev/null @@ -1,5 +0,0 @@ -!function(t){var e={};function i(n){if(e[n])return e[n].exports;var r=e[n]={i:n,l:!1,exports:{}};return t[n].call(r.exports,r,r.exports,i),r.l=!0,r.exports}i.m=t,i.c=e,i.d=function(t,e,n){i.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:n})},i.r=function(t){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},i.t=function(t,e){if(1&e&&(t=i(t)),8&e)return t;if(4&e&&"object"==typeof t&&t&&t.__esModule)return t;var n=Object.create(null);if(i.r(n),Object.defineProperty(n,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var r in t)i.d(n,r,function(e){return t[e]}.bind(null,r));return n},i.n=function(t){var e=t&&t.__esModule?function(){return t.default}:function(){return t};return i.d(e,"a",e),e},i.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},i.p="",i(i.s=0)}([function(t,e,i){"use strict";function n(){}i.r(e),void 0===Number.EPSILON&&(Number.EPSILON=Math.pow(2,-52)),void 0===Number.isInteger&&(Number.isInteger=function(t){return"number"==typeof t&&isFinite(t)&&Math.floor(t)===t}),void 0===Math.sign&&(Math.sign=function(t){return t<0?-1:t>0?1:+t}),"name"in Function.prototype==!1&&Object.defineProperty(Function.prototype,"name",{get:function(){return this.toString().match(/^\s*function\s*([^\(\s]*)/)[1]}}),void 0===Object.assign&&(Object.assign=function(t){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var e=Object(t),i=1;i>8&255]+t[e>>16&255]+t[e>>24&255]+"-"+t[255&i]+t[i>>8&255]+"-"+t[i>>16&15|64]+t[i>>24&255]+"-"+t[63&n|128]+t[n>>8&255]+"-"+t[n>>16&255]+t[n>>24&255]+t[255&r]+t[r>>8&255]+t[r>>16&255]+t[r>>24&255]).toUpperCase()}}(),clamp:function(t,e,i){return Math.max(e,Math.min(i,t))},euclideanModulo:function(t,e){return(t%e+e)%e},mapLinear:function(t,e,i,n,r){return n+(t-e)*(r-n)/(i-e)},lerp:function(t,e,i){return(1-i)*t+i*e},smoothstep:function(t,e,i){return t<=e?0:t>=i?1:(t=(t-e)/(i-e))*t*(3-2*t)},smootherstep:function(t,e,i){return t<=e?0:t>=i?1:(t=(t-e)/(i-e))*t*t*(t*(6*t-15)+10)},randInt:function(t,e){return t+Math.floor(Math.random()*(e-t+1))},randFloat:function(t,e){return t+Math.random()*(e-t)},randFloatSpread:function(t){return t*(.5-Math.random())},degToRad:function(t){return t*g.DEG2RAD},radToDeg:function(t){return t*g.RAD2DEG},isPowerOfTwo:function(t){return 0==(t&t-1)&&0!==t},ceilPowerOfTwo:function(t){return Math.pow(2,Math.ceil(Math.log(t)/Math.LN2))},floorPowerOfTwo:function(t){return Math.pow(2,Math.floor(Math.log(t)/Math.LN2))}};function v(t,e){this.x=t||0,this.y=e||0}function y(){this.elements=[1,0,0,0,0,1,0,0,0,0,1,0,0,0,0,1],arguments.length>0&&console.error("THREE.Matrix4: the constructor no longer reads arguments. use .set() instead.")}function x(t,e,i,n){this._x=t||0,this._y=e||0,this._z=i||0,this._w=void 0!==n?n:1}function b(t,e,i){this.x=t||0,this.y=e||0,this.z=i||0}function w(){this.elements=[1,0,0,0,1,0,0,0,1],arguments.length>0&&console.error("THREE.Matrix3: the constructor no longer reads arguments. use .set() instead.")}Object.defineProperties(v.prototype,{width:{get:function(){return this.x},set:function(t){this.x=t}},height:{get:function(){return this.y},set:function(t){this.y=t}}}),Object.assign(v.prototype,{isVector2:!0,set:function(t,e){return this.x=t,this.y=e,this},setScalar:function(t){return this.x=t,this.y=t,this},setX:function(t){return this.x=t,this},setY:function(t){return this.y=t,this},setComponent:function(t,e){switch(t){case 0:this.x=e;break;case 1:this.y=e;break;default:throw new Error("index is out of range: "+t)}return this},getComponent:function(t){switch(t){case 0:return this.x;case 1:return this.y;default:throw new Error("index is out of range: "+t)}},clone:function(){return new this.constructor(this.x,this.y)},copy:function(t){return this.x=t.x,this.y=t.y,this},add:function(t,e){return void 0!==e?(console.warn("THREE.Vector2: .add() now only accepts one argument. Use .addVectors( a, b ) instead."),this.addVectors(t,e)):(this.x+=t.x,this.y+=t.y,this)},addScalar:function(t){return this.x+=t,this.y+=t,this},addVectors:function(t,e){return this.x=t.x+e.x,this.y=t.y+e.y,this},addScaledVector:function(t,e){return this.x+=t.x*e,this.y+=t.y*e,this},sub:function(t,e){return void 0!==e?(console.warn("THREE.Vector2: .sub() now only accepts one argument. Use .subVectors( a, b ) instead."),this.subVectors(t,e)):(this.x-=t.x,this.y-=t.y,this)},subScalar:function(t){return this.x-=t,this.y-=t,this},subVectors:function(t,e){return this.x=t.x-e.x,this.y=t.y-e.y,this},multiply:function(t){return this.x*=t.x,this.y*=t.y,this},multiplyScalar:function(t){return this.x*=t,this.y*=t,this},divide:function(t){return this.x/=t.x,this.y/=t.y,this},divideScalar:function(t){return this.multiplyScalar(1/t)},applyMatrix3:function(t){var e=this.x,i=this.y,n=t.elements;return this.x=n[0]*e+n[3]*i+n[6],this.y=n[1]*e+n[4]*i+n[7],this},min:function(t){return this.x=Math.min(this.x,t.x),this.y=Math.min(this.y,t.y),this},max:function(t){return this.x=Math.max(this.x,t.x),this.y=Math.max(this.y,t.y),this},clamp:function(t,e){return this.x=Math.max(t.x,Math.min(e.x,this.x)),this.y=Math.max(t.y,Math.min(e.y,this.y)),this},clampScalar:(r=new v,a=new v,function(t,e){return r.set(t,t),a.set(e,e),this.clamp(r,a)}),clampLength:function(t,e){var i=this.length();return this.divideScalar(i||1).multiplyScalar(Math.max(t,Math.min(e,i)))},floor:function(){return this.x=Math.floor(this.x),this.y=Math.floor(this.y),this},ceil:function(){return this.x=Math.ceil(this.x),this.y=Math.ceil(this.y),this},round:function(){return this.x=Math.round(this.x),this.y=Math.round(this.y),this},roundToZero:function(){return this.x=this.x<0?Math.ceil(this.x):Math.floor(this.x),this.y=this.y<0?Math.ceil(this.y):Math.floor(this.y),this},negate:function(){return this.x=-this.x,this.y=-this.y,this},dot:function(t){return this.x*t.x+this.y*t.y},cross:function(t){return this.x*t.y-this.y*t.x},lengthSq:function(){return this.x*this.x+this.y*this.y},length:function(){return Math.sqrt(this.x*this.x+this.y*this.y)},manhattanLength:function(){return Math.abs(this.x)+Math.abs(this.y)},normalize:function(){return this.divideScalar(this.length()||1)},angle:function(){var t=Math.atan2(this.y,this.x);return t<0&&(t+=2*Math.PI),t},distanceTo:function(t){return Math.sqrt(this.distanceToSquared(t))},distanceToSquared:function(t){var e=this.x-t.x,i=this.y-t.y;return e*e+i*i},manhattanDistanceTo:function(t){return Math.abs(this.x-t.x)+Math.abs(this.y-t.y)},setLength:function(t){return this.normalize().multiplyScalar(t)},lerp:function(t,e){return this.x+=(t.x-this.x)*e,this.y+=(t.y-this.y)*e,this},lerpVectors:function(t,e,i){return this.subVectors(e,t).multiplyScalar(i).add(t)},equals:function(t){return t.x===this.x&&t.y===this.y},fromArray:function(t,e){return void 0===e&&(e=0),this.x=t[e],this.y=t[e+1],this},toArray:function(t,e){return void 0===t&&(t=[]),void 0===e&&(e=0),t[e]=this.x,t[e+1]=this.y,t},fromBufferAttribute:function(t,e,i){return void 0!==i&&console.warn("THREE.Vector2: offset has been removed from .fromBufferAttribute()."),this.x=t.getX(e),this.y=t.getY(e),this},rotateAround:function(t,e){var i=Math.cos(e),n=Math.sin(e),r=this.x-t.x,a=this.y-t.y;return this.x=r*i-a*n+t.x,this.y=r*n+a*i+t.y,this}}),Object.assign(y.prototype,{isMatrix4:!0,set:function(t,e,i,n,r,a,o,s,c,h,l,u,p,d,f,m){var g=this.elements;return g[0]=t,g[4]=e,g[8]=i,g[12]=n,g[1]=r,g[5]=a,g[9]=o,g[13]=s,g[2]=c,g[6]=h,g[10]=l,g[14]=u,g[3]=p,g[7]=d,g[11]=f,g[15]=m,this},identity:function(){return this.set(1,0,0,0,0,1,0,0,0,0,1,0,0,0,0,1),this},clone:function(){return(new y).fromArray(this.elements)},copy:function(t){var e=this.elements,i=t.elements;return e[0]=i[0],e[1]=i[1],e[2]=i[2],e[3]=i[3],e[4]=i[4],e[5]=i[5],e[6]=i[6],e[7]=i[7],e[8]=i[8],e[9]=i[9],e[10]=i[10],e[11]=i[11],e[12]=i[12],e[13]=i[13],e[14]=i[14],e[15]=i[15],this},copyPosition:function(t){var e=this.elements,i=t.elements;return e[12]=i[12],e[13]=i[13],e[14]=i[14],this},extractBasis:function(t,e,i){return t.setFromMatrixColumn(this,0),e.setFromMatrixColumn(this,1),i.setFromMatrixColumn(this,2),this},makeBasis:function(t,e,i){return this.set(t.x,e.x,i.x,0,t.y,e.y,i.y,0,t.z,e.z,i.z,0,0,0,0,1),this},extractRotation:(d=new b,function(t){var e=this.elements,i=t.elements,n=1/d.setFromMatrixColumn(t,0).length(),r=1/d.setFromMatrixColumn(t,1).length(),a=1/d.setFromMatrixColumn(t,2).length();return e[0]=i[0]*n,e[1]=i[1]*n,e[2]=i[2]*n,e[3]=0,e[4]=i[4]*r,e[5]=i[5]*r,e[6]=i[6]*r,e[7]=0,e[8]=i[8]*a,e[9]=i[9]*a,e[10]=i[10]*a,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,this}),makeRotationFromEuler:function(t){t&&t.isEuler||console.error("THREE.Matrix4: .makeRotationFromEuler() now expects a Euler rotation rather than a Vector3 and order.");var e=this.elements,i=t.x,n=t.y,r=t.z,a=Math.cos(i),o=Math.sin(i),s=Math.cos(n),c=Math.sin(n),h=Math.cos(r),l=Math.sin(r);if("XYZ"===t.order){var u=a*h,p=a*l,d=o*h,f=o*l;e[0]=s*h,e[4]=-s*l,e[8]=c,e[1]=p+d*c,e[5]=u-f*c,e[9]=-o*s,e[2]=f-u*c,e[6]=d+p*c,e[10]=a*s}else if("YXZ"===t.order){var m=s*h,g=s*l,v=c*h,y=c*l;e[0]=m+y*o,e[4]=v*o-g,e[8]=a*c,e[1]=a*l,e[5]=a*h,e[9]=-o,e[2]=g*o-v,e[6]=y+m*o,e[10]=a*s}else if("ZXY"===t.order){m=s*h,g=s*l,v=c*h,y=c*l;e[0]=m-y*o,e[4]=-a*l,e[8]=v+g*o,e[1]=g+v*o,e[5]=a*h,e[9]=y-m*o,e[2]=-a*c,e[6]=o,e[10]=a*s}else if("ZYX"===t.order){u=a*h,p=a*l,d=o*h,f=o*l;e[0]=s*h,e[4]=d*c-p,e[8]=u*c+f,e[1]=s*l,e[5]=f*c+u,e[9]=p*c-d,e[2]=-c,e[6]=o*s,e[10]=a*s}else if("YZX"===t.order){var x=a*s,b=a*c,w=o*s,_=o*c;e[0]=s*h,e[4]=_-x*l,e[8]=w*l+b,e[1]=l,e[5]=a*h,e[9]=-o*h,e[2]=-c*h,e[6]=b*l+w,e[10]=x-_*l}else if("XZY"===t.order){x=a*s,b=a*c,w=o*s,_=o*c;e[0]=s*h,e[4]=-l,e[8]=c*h,e[1]=x*l+_,e[5]=a*h,e[9]=b*l-w,e[2]=w*l-b,e[6]=o*h,e[10]=_*l+x}return e[3]=0,e[7]=0,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,this},makeRotationFromQuaternion:(u=new b(0,0,0),p=new b(1,1,1),function(t){return this.compose(u,t,p)}),lookAt:(c=new b,h=new b,l=new b,function(t,e,i){var n=this.elements;return l.subVectors(t,e),0===l.lengthSq()&&(l.z=1),l.normalize(),c.crossVectors(i,l),0===c.lengthSq()&&(1===Math.abs(i.z)?l.x+=1e-4:l.z+=1e-4,l.normalize(),c.crossVectors(i,l)),c.normalize(),h.crossVectors(l,c),n[0]=c.x,n[4]=h.x,n[8]=l.x,n[1]=c.y,n[5]=h.y,n[9]=l.y,n[2]=c.z,n[6]=h.z,n[10]=l.z,this}),multiply:function(t,e){return void 0!==e?(console.warn("THREE.Matrix4: .multiply() now only accepts one argument. Use .multiplyMatrices( a, b ) instead."),this.multiplyMatrices(t,e)):this.multiplyMatrices(this,t)},premultiply:function(t){return this.multiplyMatrices(t,this)},multiplyMatrices:function(t,e){var i=t.elements,n=e.elements,r=this.elements,a=i[0],o=i[4],s=i[8],c=i[12],h=i[1],l=i[5],u=i[9],p=i[13],d=i[2],f=i[6],m=i[10],g=i[14],v=i[3],y=i[7],x=i[11],b=i[15],w=n[0],_=n[4],M=n[8],S=n[12],E=n[1],T=n[5],L=n[9],A=n[13],P=n[2],R=n[6],C=n[10],O=n[14],I=n[3],D=n[7],z=n[11],N=n[15];return r[0]=a*w+o*E+s*P+c*I,r[4]=a*_+o*T+s*R+c*D,r[8]=a*M+o*L+s*C+c*z,r[12]=a*S+o*A+s*O+c*N,r[1]=h*w+l*E+u*P+p*I,r[5]=h*_+l*T+u*R+p*D,r[9]=h*M+l*L+u*C+p*z,r[13]=h*S+l*A+u*O+p*N,r[2]=d*w+f*E+m*P+g*I,r[6]=d*_+f*T+m*R+g*D,r[10]=d*M+f*L+m*C+g*z,r[14]=d*S+f*A+m*O+g*N,r[3]=v*w+y*E+x*P+b*I,r[7]=v*_+y*T+x*R+b*D,r[11]=v*M+y*L+x*C+b*z,r[15]=v*S+y*A+x*O+b*N,this},multiplyScalar:function(t){var e=this.elements;return e[0]*=t,e[4]*=t,e[8]*=t,e[12]*=t,e[1]*=t,e[5]*=t,e[9]*=t,e[13]*=t,e[2]*=t,e[6]*=t,e[10]*=t,e[14]*=t,e[3]*=t,e[7]*=t,e[11]*=t,e[15]*=t,this},applyToBufferAttribute:function(){var t=new b;return function(e){for(var i=0,n=e.count;i=0?1:-1,y=1-g*g;if(y>Number.EPSILON){var x=Math.sqrt(y),b=Math.atan2(x,g*v);m=Math.sin(m*b)/x,o=Math.sin(o*b)/x}var w=o*v;if(s=s*m+u*w,c=c*m+p*w,h=h*m+d*w,l=l*m+f*w,m===1-o){var _=1/Math.sqrt(s*s+c*c+h*h+l*l);s*=_,c*=_,h*=_,l*=_}}t[e]=s,t[e+1]=c,t[e+2]=h,t[e+3]=l}}),Object.defineProperties(x.prototype,{x:{get:function(){return this._x},set:function(t){this._x=t,this.onChangeCallback()}},y:{get:function(){return this._y},set:function(t){this._y=t,this.onChangeCallback()}},z:{get:function(){return this._z},set:function(t){this._z=t,this.onChangeCallback()}},w:{get:function(){return this._w},set:function(t){this._w=t,this.onChangeCallback()}}}),Object.assign(x.prototype,{isQuaternion:!0,set:function(t,e,i,n){return this._x=t,this._y=e,this._z=i,this._w=n,this.onChangeCallback(),this},clone:function(){return new this.constructor(this._x,this._y,this._z,this._w)},copy:function(t){return this._x=t.x,this._y=t.y,this._z=t.z,this._w=t.w,this.onChangeCallback(),this},setFromEuler:function(t,e){if(!t||!t.isEuler)throw new Error("THREE.Quaternion: .setFromEuler() now expects an Euler rotation rather than a Vector3 and order.");var i=t._x,n=t._y,r=t._z,a=t.order,o=Math.cos,s=Math.sin,c=o(i/2),h=o(n/2),l=o(r/2),u=s(i/2),p=s(n/2),d=s(r/2);return"XYZ"===a?(this._x=u*h*l+c*p*d,this._y=c*p*l-u*h*d,this._z=c*h*d+u*p*l,this._w=c*h*l-u*p*d):"YXZ"===a?(this._x=u*h*l+c*p*d,this._y=c*p*l-u*h*d,this._z=c*h*d-u*p*l,this._w=c*h*l+u*p*d):"ZXY"===a?(this._x=u*h*l-c*p*d,this._y=c*p*l+u*h*d,this._z=c*h*d+u*p*l,this._w=c*h*l-u*p*d):"ZYX"===a?(this._x=u*h*l-c*p*d,this._y=c*p*l+u*h*d,this._z=c*h*d-u*p*l,this._w=c*h*l+u*p*d):"YZX"===a?(this._x=u*h*l+c*p*d,this._y=c*p*l+u*h*d,this._z=c*h*d-u*p*l,this._w=c*h*l-u*p*d):"XZY"===a&&(this._x=u*h*l-c*p*d,this._y=c*p*l-u*h*d,this._z=c*h*d+u*p*l,this._w=c*h*l+u*p*d),!1!==e&&this.onChangeCallback(),this},setFromAxisAngle:function(t,e){var i=e/2,n=Math.sin(i);return this._x=t.x*n,this._y=t.y*n,this._z=t.z*n,this._w=Math.cos(i),this.onChangeCallback(),this},setFromRotationMatrix:function(t){var e,i=t.elements,n=i[0],r=i[4],a=i[8],o=i[1],s=i[5],c=i[9],h=i[2],l=i[6],u=i[10],p=n+s+u;return p>0?(e=.5/Math.sqrt(p+1),this._w=.25/e,this._x=(l-c)*e,this._y=(a-h)*e,this._z=(o-r)*e):n>s&&n>u?(e=2*Math.sqrt(1+n-s-u),this._w=(l-c)/e,this._x=.25*e,this._y=(r+o)/e,this._z=(a+h)/e):s>u?(e=2*Math.sqrt(1+s-n-u),this._w=(a-h)/e,this._x=(r+o)/e,this._y=.25*e,this._z=(c+l)/e):(e=2*Math.sqrt(1+u-n-s),this._w=(o-r)/e,this._x=(a+h)/e,this._y=(c+l)/e,this._z=.25*e),this.onChangeCallback(),this},setFromUnitVectors:function(){var t,e=new b;return function(i,n){return void 0===e&&(e=new b),(t=i.dot(n)+1)<1e-6?(t=0,Math.abs(i.x)>Math.abs(i.z)?e.set(-i.y,i.x,0):e.set(0,-i.z,i.y)):e.crossVectors(i,n),this._x=e.x,this._y=e.y,this._z=e.z,this._w=t,this.normalize()}}(),angleTo:function(t){return 2*Math.acos(Math.abs(g.clamp(this.dot(t),-1,1)))},rotateTowards:function(t,e){var i=this.angleTo(t);if(0===i)return this;var n=Math.min(1,e/i);return this.slerp(t,n),this},inverse:function(){return this.conjugate()},conjugate:function(){return this._x*=-1,this._y*=-1,this._z*=-1,this.onChangeCallback(),this},dot:function(t){return this._x*t._x+this._y*t._y+this._z*t._z+this._w*t._w},lengthSq:function(){return this._x*this._x+this._y*this._y+this._z*this._z+this._w*this._w},length:function(){return Math.sqrt(this._x*this._x+this._y*this._y+this._z*this._z+this._w*this._w)},normalize:function(){var t=this.length();return 0===t?(this._x=0,this._y=0,this._z=0,this._w=1):(t=1/t,this._x=this._x*t,this._y=this._y*t,this._z=this._z*t,this._w=this._w*t),this.onChangeCallback(),this},multiply:function(t,e){return void 0!==e?(console.warn("THREE.Quaternion: .multiply() now only accepts one argument. Use .multiplyQuaternions( a, b ) instead."),this.multiplyQuaternions(t,e)):this.multiplyQuaternions(this,t)},premultiply:function(t){return this.multiplyQuaternions(t,this)},multiplyQuaternions:function(t,e){var i=t._x,n=t._y,r=t._z,a=t._w,o=e._x,s=e._y,c=e._z,h=e._w;return this._x=i*h+a*o+n*c-r*s,this._y=n*h+a*s+r*o-i*c,this._z=r*h+a*c+i*s-n*o,this._w=a*h-i*o-n*s-r*c,this.onChangeCallback(),this},slerp:function(t,e){if(0===e)return this;if(1===e)return this.copy(t);var i=this._x,n=this._y,r=this._z,a=this._w,o=a*t._w+i*t._x+n*t._y+r*t._z;if(o<0?(this._w=-t._w,this._x=-t._x,this._y=-t._y,this._z=-t._z,o=-o):this.copy(t),o>=1)return this._w=a,this._x=i,this._y=n,this._z=r,this;var s=1-o*o;if(s<=Number.EPSILON){var c=1-e;return this._w=c*a+e*this._w,this._x=c*i+e*this._x,this._y=c*n+e*this._y,this._z=c*r+e*this._z,this.normalize()}var h=Math.sqrt(s),l=Math.atan2(h,o),u=Math.sin((1-e)*l)/h,p=Math.sin(e*l)/h;return this._w=a*u+this._w*p,this._x=i*u+this._x*p,this._y=n*u+this._y*p,this._z=r*u+this._z*p,this.onChangeCallback(),this},equals:function(t){return t._x===this._x&&t._y===this._y&&t._z===this._z&&t._w===this._w},fromArray:function(t,e){return void 0===e&&(e=0),this._x=t[e],this._y=t[e+1],this._z=t[e+2],this._w=t[e+3],this.onChangeCallback(),this},toArray:function(t,e){return void 0===t&&(t=[]),void 0===e&&(e=0),t[e]=this._x,t[e+1]=this._y,t[e+2]=this._z,t[e+3]=this._w,t},onChange:function(t){return this.onChangeCallback=t,this},onChangeCallback:function(){}}),Object.assign(b.prototype,{isVector3:!0,set:function(t,e,i){return this.x=t,this.y=e,this.z=i,this},setScalar:function(t){return this.x=t,this.y=t,this.z=t,this},setX:function(t){return this.x=t,this},setY:function(t){return this.y=t,this},setZ:function(t){return this.z=t,this},setComponent:function(t,e){switch(t){case 0:this.x=e;break;case 1:this.y=e;break;case 2:this.z=e;break;default:throw new Error("index is out of range: "+t)}return this},getComponent:function(t){switch(t){case 0:return this.x;case 1:return this.y;case 2:return this.z;default:throw new Error("index is out of range: "+t)}},clone:function(){return new this.constructor(this.x,this.y,this.z)},copy:function(t){return this.x=t.x,this.y=t.y,this.z=t.z,this},add:function(t,e){return void 0!==e?(console.warn("THREE.Vector3: .add() now only accepts one argument. Use .addVectors( a, b ) instead."),this.addVectors(t,e)):(this.x+=t.x,this.y+=t.y,this.z+=t.z,this)},addScalar:function(t){return this.x+=t,this.y+=t,this.z+=t,this},addVectors:function(t,e){return this.x=t.x+e.x,this.y=t.y+e.y,this.z=t.z+e.z,this},addScaledVector:function(t,e){return this.x+=t.x*e,this.y+=t.y*e,this.z+=t.z*e,this},sub:function(t,e){return void 0!==e?(console.warn("THREE.Vector3: .sub() now only accepts one argument. Use .subVectors( a, b ) instead."),this.subVectors(t,e)):(this.x-=t.x,this.y-=t.y,this.z-=t.z,this)},subScalar:function(t){return this.x-=t,this.y-=t,this.z-=t,this},subVectors:function(t,e){return this.x=t.x-e.x,this.y=t.y-e.y,this.z=t.z-e.z,this},multiply:function(t,e){return void 0!==e?(console.warn("THREE.Vector3: .multiply() now only accepts one argument. Use .multiplyVectors( a, b ) instead."),this.multiplyVectors(t,e)):(this.x*=t.x,this.y*=t.y,this.z*=t.z,this)},multiplyScalar:function(t){return this.x*=t,this.y*=t,this.z*=t,this},multiplyVectors:function(t,e){return this.x=t.x*e.x,this.y=t.y*e.y,this.z=t.z*e.z,this},applyEuler:(f=new x,function(t){return t&&t.isEuler||console.error("THREE.Vector3: .applyEuler() now expects an Euler rotation rather than a Vector3 and order."),this.applyQuaternion(f.setFromEuler(t))}),applyAxisAngle:function(){var t=new x;return function(e,i){return this.applyQuaternion(t.setFromAxisAngle(e,i))}}(),applyMatrix3:function(t){var e=this.x,i=this.y,n=this.z,r=t.elements;return this.x=r[0]*e+r[3]*i+r[6]*n,this.y=r[1]*e+r[4]*i+r[7]*n,this.z=r[2]*e+r[5]*i+r[8]*n,this},applyMatrix4:function(t){var e=this.x,i=this.y,n=this.z,r=t.elements,a=1/(r[3]*e+r[7]*i+r[11]*n+r[15]);return this.x=(r[0]*e+r[4]*i+r[8]*n+r[12])*a,this.y=(r[1]*e+r[5]*i+r[9]*n+r[13])*a,this.z=(r[2]*e+r[6]*i+r[10]*n+r[14])*a,this},applyQuaternion:function(t){var e=this.x,i=this.y,n=this.z,r=t.x,a=t.y,o=t.z,s=t.w,c=s*e+a*n-o*i,h=s*i+o*e-r*n,l=s*n+r*i-a*e,u=-r*e-a*i-o*n;return this.x=c*s+u*-r+h*-o-l*-a,this.y=h*s+u*-a+l*-r-c*-o,this.z=l*s+u*-o+c*-a-h*-r,this},project:function(t){return this.applyMatrix4(t.matrixWorldInverse).applyMatrix4(t.projectionMatrix)},unproject:function(){var t=new y;return function(e){return this.applyMatrix4(t.getInverse(e.projectionMatrix)).applyMatrix4(e.matrixWorld)}}(),transformDirection:function(t){var e=this.x,i=this.y,n=this.z,r=t.elements;return this.x=r[0]*e+r[4]*i+r[8]*n,this.y=r[1]*e+r[5]*i+r[9]*n,this.z=r[2]*e+r[6]*i+r[10]*n,this.normalize()},divide:function(t){return this.x/=t.x,this.y/=t.y,this.z/=t.z,this},divideScalar:function(t){return this.multiplyScalar(1/t)},min:function(t){return this.x=Math.min(this.x,t.x),this.y=Math.min(this.y,t.y),this.z=Math.min(this.z,t.z),this},max:function(t){return this.x=Math.max(this.x,t.x),this.y=Math.max(this.y,t.y),this.z=Math.max(this.z,t.z),this},clamp:function(t,e){return this.x=Math.max(t.x,Math.min(e.x,this.x)),this.y=Math.max(t.y,Math.min(e.y,this.y)),this.z=Math.max(t.z,Math.min(e.z,this.z)),this},clampScalar:function(){var t=new b,e=new b;return function(i,n){return t.set(i,i,i),e.set(n,n,n),this.clamp(t,e)}}(),clampLength:function(t,e){var i=this.length();return this.divideScalar(i||1).multiplyScalar(Math.max(t,Math.min(e,i)))},floor:function(){return this.x=Math.floor(this.x),this.y=Math.floor(this.y),this.z=Math.floor(this.z),this},ceil:function(){return this.x=Math.ceil(this.x),this.y=Math.ceil(this.y),this.z=Math.ceil(this.z),this},round:function(){return this.x=Math.round(this.x),this.y=Math.round(this.y),this.z=Math.round(this.z),this},roundToZero:function(){return this.x=this.x<0?Math.ceil(this.x):Math.floor(this.x),this.y=this.y<0?Math.ceil(this.y):Math.floor(this.y),this.z=this.z<0?Math.ceil(this.z):Math.floor(this.z),this},negate:function(){return this.x=-this.x,this.y=-this.y,this.z=-this.z,this},dot:function(t){return this.x*t.x+this.y*t.y+this.z*t.z},lengthSq:function(){return this.x*this.x+this.y*this.y+this.z*this.z},length:function(){return Math.sqrt(this.x*this.x+this.y*this.y+this.z*this.z)},manhattanLength:function(){return Math.abs(this.x)+Math.abs(this.y)+Math.abs(this.z)},normalize:function(){return this.divideScalar(this.length()||1)},setLength:function(t){return this.normalize().multiplyScalar(t)},lerp:function(t,e){return this.x+=(t.x-this.x)*e,this.y+=(t.y-this.y)*e,this.z+=(t.z-this.z)*e,this},lerpVectors:function(t,e,i){return this.subVectors(e,t).multiplyScalar(i).add(t)},cross:function(t,e){return void 0!==e?(console.warn("THREE.Vector3: .cross() now only accepts one argument. Use .crossVectors( a, b ) instead."),this.crossVectors(t,e)):this.crossVectors(this,t)},crossVectors:function(t,e){var i=t.x,n=t.y,r=t.z,a=e.x,o=e.y,s=e.z;return this.x=n*s-r*o,this.y=r*a-i*s,this.z=i*o-n*a,this},projectOnVector:function(t){var e=t.dot(this)/t.lengthSq();return this.copy(t).multiplyScalar(e)},projectOnPlane:function(){var t=new b;return function(e){return t.copy(this).projectOnVector(e),this.sub(t)}}(),reflect:function(){var t=new b;return function(e){return this.sub(t.copy(e).multiplyScalar(2*this.dot(e)))}}(),angleTo:function(t){var e=this.dot(t)/Math.sqrt(this.lengthSq()*t.lengthSq());return Math.acos(g.clamp(e,-1,1))},distanceTo:function(t){return Math.sqrt(this.distanceToSquared(t))},distanceToSquared:function(t){var e=this.x-t.x,i=this.y-t.y,n=this.z-t.z;return e*e+i*i+n*n},manhattanDistanceTo:function(t){return Math.abs(this.x-t.x)+Math.abs(this.y-t.y)+Math.abs(this.z-t.z)},setFromSpherical:function(t){return this.setFromSphericalCoords(t.radius,t.phi,t.theta)},setFromSphericalCoords:function(t,e,i){var n=Math.sin(e)*t;return this.x=n*Math.sin(i),this.y=Math.cos(e)*t,this.z=n*Math.cos(i),this},setFromCylindrical:function(t){return this.setFromCylindricalCoords(t.radius,t.theta,t.y)},setFromCylindricalCoords:function(t,e,i){return this.x=t*Math.sin(e),this.y=i,this.z=t*Math.cos(e),this},setFromMatrixPosition:function(t){var e=t.elements;return this.x=e[12],this.y=e[13],this.z=e[14],this},setFromMatrixScale:function(t){var e=this.setFromMatrixColumn(t,0).length(),i=this.setFromMatrixColumn(t,1).length(),n=this.setFromMatrixColumn(t,2).length();return this.x=e,this.y=i,this.z=n,this},setFromMatrixColumn:function(t,e){return this.fromArray(t.elements,4*e)},equals:function(t){return t.x===this.x&&t.y===this.y&&t.z===this.z},fromArray:function(t,e){return void 0===e&&(e=0),this.x=t[e],this.y=t[e+1],this.z=t[e+2],this},toArray:function(t,e){return void 0===t&&(t=[]),void 0===e&&(e=0),t[e]=this.x,t[e+1]=this.y,t[e+2]=this.z,t},fromBufferAttribute:function(t,e,i){return void 0!==i&&console.warn("THREE.Vector3: offset has been removed from .fromBufferAttribute()."),this.x=t.getX(e),this.y=t.getY(e),this.z=t.getZ(e),this}}),Object.assign(w.prototype,{isMatrix3:!0,set:function(t,e,i,n,r,a,o,s,c){var h=this.elements;return h[0]=t,h[1]=n,h[2]=o,h[3]=e,h[4]=r,h[5]=s,h[6]=i,h[7]=a,h[8]=c,this},identity:function(){return this.set(1,0,0,0,1,0,0,0,1),this},clone:function(){return(new this.constructor).fromArray(this.elements)},copy:function(t){var e=this.elements,i=t.elements;return e[0]=i[0],e[1]=i[1],e[2]=i[2],e[3]=i[3],e[4]=i[4],e[5]=i[5],e[6]=i[6],e[7]=i[7],e[8]=i[8],this},setFromMatrix4:function(t){var e=t.elements;return this.set(e[0],e[4],e[8],e[1],e[5],e[9],e[2],e[6],e[10]),this},applyToBufferAttribute:function(){var t=new b;return function(e){for(var i=0,n=e.count;i2048||e.height>2048?e.toDataURL("image/jpeg",.6):e.toDataURL("image/png")}},A=0;function P(t,e,i,n,r,a,o,s,c,h){Object.defineProperty(this,"id",{value:A++}),this.uuid=g.generateUUID(),this.name="",this.image=void 0!==t?t:P.DEFAULT_IMAGE,this.mipmaps=[],this.mapping=void 0!==e?e:P.DEFAULT_MAPPING,this.wrapS=void 0!==i?i:1001,this.wrapT=void 0!==n?n:1001,this.magFilter=void 0!==r?r:1006,this.minFilter=void 0!==a?a:1008,this.anisotropy=void 0!==c?c:1,this.format=void 0!==o?o:1023,this.type=void 0!==s?s:1009,this.offset=new v(0,0),this.repeat=new v(1,1),this.center=new v(0,0),this.rotation=0,this.matrixAutoUpdate=!0,this.matrix=new w,this.generateMipmaps=!0,this.premultiplyAlpha=!1,this.flipY=!0,this.unpackAlignment=4,this.encoding=void 0!==h?h:3e3,this.version=0,this.onUpdate=null}function R(t,e,i,n){this.x=t||0,this.y=e||0,this.z=i||0,this.w=void 0!==n?n:1}function C(t,e,i){this.width=t,this.height=e,this.scissor=new R(0,0,t,e),this.scissorTest=!1,this.viewport=new R(0,0,t,e),i=i||{},this.texture=new P(void 0,void 0,i.wrapS,i.wrapT,i.magFilter,i.minFilter,i.format,i.type,i.anisotropy,i.encoding),this.texture.generateMipmaps=void 0!==i.generateMipmaps&&i.generateMipmaps,this.texture.minFilter=void 0!==i.minFilter?i.minFilter:1006,this.depthBuffer=void 0===i.depthBuffer||i.depthBuffer,this.stencilBuffer=void 0===i.stencilBuffer||i.stencilBuffer,this.depthTexture=void 0!==i.depthTexture?i.depthTexture:null}function O(t,e,i){C.call(this,t,e,i),this.samples=4}function I(t,e,i){C.call(this,t,e,i),this.activeCubeFace=0,this.activeMipMapLevel=0}function D(t,e,i,n,r,a,o,s,c,h,l,u){P.call(this,null,a,o,s,c,h,n,r,l,u),this.image={data:t,width:e,height:i},this.magFilter=void 0!==c?c:1003,this.minFilter=void 0!==h?h:1003,this.generateMipmaps=!1,this.flipY=!1,this.unpackAlignment=1}function z(t,e){this.min=void 0!==t?t:new b(1/0,1/0,1/0),this.max=void 0!==e?e:new b(-1/0,-1/0,-1/0)}function N(t,e){this.center=void 0!==t?t:new b,this.radius=void 0!==e?e:0}function U(t,e){this.normal=void 0!==t?t:new b(1,0,0),this.constant=void 0!==e?e:0}function B(t,e,i,n,r,a){this.planes=[void 0!==t?t:new U,void 0!==e?e:new U,void 0!==i?i:new U,void 0!==n?n:new U,void 0!==r?r:new U,void 0!==a?a:new U]}P.DEFAULT_IMAGE=void 0,P.DEFAULT_MAPPING=300,P.prototype=Object.assign(Object.create(n.prototype),{constructor:P,isTexture:!0,updateMatrix:function(){this.matrix.setUvTransform(this.offset.x,this.offset.y,this.repeat.x,this.repeat.y,this.rotation,this.center.x,this.center.y)},clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.name=t.name,this.image=t.image,this.mipmaps=t.mipmaps.slice(0),this.mapping=t.mapping,this.wrapS=t.wrapS,this.wrapT=t.wrapT,this.magFilter=t.magFilter,this.minFilter=t.minFilter,this.anisotropy=t.anisotropy,this.format=t.format,this.type=t.type,this.offset.copy(t.offset),this.repeat.copy(t.repeat),this.center.copy(t.center),this.rotation=t.rotation,this.matrixAutoUpdate=t.matrixAutoUpdate,this.matrix.copy(t.matrix),this.generateMipmaps=t.generateMipmaps,this.premultiplyAlpha=t.premultiplyAlpha,this.flipY=t.flipY,this.unpackAlignment=t.unpackAlignment,this.encoding=t.encoding,this},toJSON:function(t){var e=void 0===t||"string"==typeof t;if(!e&&void 0!==t.textures[this.uuid])return t.textures[this.uuid];var i={metadata:{version:4.5,type:"Texture",generator:"Texture.toJSON"},uuid:this.uuid,name:this.name,mapping:this.mapping,repeat:[this.repeat.x,this.repeat.y],offset:[this.offset.x,this.offset.y],center:[this.center.x,this.center.y],rotation:this.rotation,wrap:[this.wrapS,this.wrapT],format:this.format,type:this.type,encoding:this.encoding,minFilter:this.minFilter,magFilter:this.magFilter,anisotropy:this.anisotropy,flipY:this.flipY,premultiplyAlpha:this.premultiplyAlpha,unpackAlignment:this.unpackAlignment};if(void 0!==this.image){var n=this.image;if(void 0===n.uuid&&(n.uuid=g.generateUUID()),!e&&void 0===t.images[n.uuid]){var r;if(Array.isArray(n)){r=[];for(var a=0,o=n.length;a1)switch(this.wrapS){case 1e3:t.x=t.x-Math.floor(t.x);break;case 1001:t.x=t.x<0?0:1;break;case 1002:1===Math.abs(Math.floor(t.x)%2)?t.x=Math.ceil(t.x)-t.x:t.x=t.x-Math.floor(t.x)}if(t.y<0||t.y>1)switch(this.wrapT){case 1e3:t.y=t.y-Math.floor(t.y);break;case 1001:t.y=t.y<0?0:1;break;case 1002:1===Math.abs(Math.floor(t.y)%2)?t.y=Math.ceil(t.y)-t.y:t.y=t.y-Math.floor(t.y)}return this.flipY&&(t.y=1-t.y),t}}),Object.defineProperty(P.prototype,"needsUpdate",{set:function(t){!0===t&&this.version++}}),Object.assign(R.prototype,{isVector4:!0,set:function(t,e,i,n){return this.x=t,this.y=e,this.z=i,this.w=n,this},setScalar:function(t){return this.x=t,this.y=t,this.z=t,this.w=t,this},setX:function(t){return this.x=t,this},setY:function(t){return this.y=t,this},setZ:function(t){return this.z=t,this},setW:function(t){return this.w=t,this},setComponent:function(t,e){switch(t){case 0:this.x=e;break;case 1:this.y=e;break;case 2:this.z=e;break;case 3:this.w=e;break;default:throw new Error("index is out of range: "+t)}return this},getComponent:function(t){switch(t){case 0:return this.x;case 1:return this.y;case 2:return this.z;case 3:return this.w;default:throw new Error("index is out of range: "+t)}},clone:function(){return new this.constructor(this.x,this.y,this.z,this.w)},copy:function(t){return this.x=t.x,this.y=t.y,this.z=t.z,this.w=void 0!==t.w?t.w:1,this},add:function(t,e){return void 0!==e?(console.warn("THREE.Vector4: .add() now only accepts one argument. Use .addVectors( a, b ) instead."),this.addVectors(t,e)):(this.x+=t.x,this.y+=t.y,this.z+=t.z,this.w+=t.w,this)},addScalar:function(t){return this.x+=t,this.y+=t,this.z+=t,this.w+=t,this},addVectors:function(t,e){return this.x=t.x+e.x,this.y=t.y+e.y,this.z=t.z+e.z,this.w=t.w+e.w,this},addScaledVector:function(t,e){return this.x+=t.x*e,this.y+=t.y*e,this.z+=t.z*e,this.w+=t.w*e,this},sub:function(t,e){return void 0!==e?(console.warn("THREE.Vector4: .sub() now only accepts one argument. Use .subVectors( a, b ) instead."),this.subVectors(t,e)):(this.x-=t.x,this.y-=t.y,this.z-=t.z,this.w-=t.w,this)},subScalar:function(t){return this.x-=t,this.y-=t,this.z-=t,this.w-=t,this},subVectors:function(t,e){return this.x=t.x-e.x,this.y=t.y-e.y,this.z=t.z-e.z,this.w=t.w-e.w,this},multiplyScalar:function(t){return this.x*=t,this.y*=t,this.z*=t,this.w*=t,this},applyMatrix4:function(t){var e=this.x,i=this.y,n=this.z,r=this.w,a=t.elements;return this.x=a[0]*e+a[4]*i+a[8]*n+a[12]*r,this.y=a[1]*e+a[5]*i+a[9]*n+a[13]*r,this.z=a[2]*e+a[6]*i+a[10]*n+a[14]*r,this.w=a[3]*e+a[7]*i+a[11]*n+a[15]*r,this},divideScalar:function(t){return this.multiplyScalar(1/t)},setAxisAngleFromQuaternion:function(t){this.w=2*Math.acos(t.w);var e=Math.sqrt(1-t.w*t.w);return e<1e-4?(this.x=1,this.y=0,this.z=0):(this.x=t.x/e,this.y=t.y/e,this.z=t.z/e),this},setAxisAngleFromRotationMatrix:function(t){var e,i,n,r,a=t.elements,o=a[0],s=a[4],c=a[8],h=a[1],l=a[5],u=a[9],p=a[2],d=a[6],f=a[10];if(Math.abs(s-h)<.01&&Math.abs(c-p)<.01&&Math.abs(u-d)<.01){if(Math.abs(s+h)<.1&&Math.abs(c+p)<.1&&Math.abs(u+d)<.1&&Math.abs(o+l+f-3)<.1)return this.set(1,0,0,0),this;e=Math.PI;var m=(o+1)/2,g=(l+1)/2,v=(f+1)/2,y=(s+h)/4,x=(c+p)/4,b=(u+d)/4;return m>g&&m>v?m<.01?(i=0,n=.707106781,r=.707106781):(n=y/(i=Math.sqrt(m)),r=x/i):g>v?g<.01?(i=.707106781,n=0,r=.707106781):(i=y/(n=Math.sqrt(g)),r=b/n):v<.01?(i=.707106781,n=.707106781,r=0):(i=x/(r=Math.sqrt(v)),n=b/r),this.set(i,n,r,e),this}var w=Math.sqrt((d-u)*(d-u)+(c-p)*(c-p)+(h-s)*(h-s));return Math.abs(w)<.001&&(w=1),this.x=(d-u)/w,this.y=(c-p)/w,this.z=(h-s)/w,this.w=Math.acos((o+l+f-1)/2),this},min:function(t){return this.x=Math.min(this.x,t.x),this.y=Math.min(this.y,t.y),this.z=Math.min(this.z,t.z),this.w=Math.min(this.w,t.w),this},max:function(t){return this.x=Math.max(this.x,t.x),this.y=Math.max(this.y,t.y),this.z=Math.max(this.z,t.z),this.w=Math.max(this.w,t.w),this},clamp:function(t,e){return this.x=Math.max(t.x,Math.min(e.x,this.x)),this.y=Math.max(t.y,Math.min(e.y,this.y)),this.z=Math.max(t.z,Math.min(e.z,this.z)),this.w=Math.max(t.w,Math.min(e.w,this.w)),this},clampScalar:function(){var t,e;return function(i,n){return void 0===t&&(t=new R,e=new R),t.set(i,i,i,i),e.set(n,n,n,n),this.clamp(t,e)}}(),clampLength:function(t,e){var i=this.length();return this.divideScalar(i||1).multiplyScalar(Math.max(t,Math.min(e,i)))},floor:function(){return this.x=Math.floor(this.x),this.y=Math.floor(this.y),this.z=Math.floor(this.z),this.w=Math.floor(this.w),this},ceil:function(){return this.x=Math.ceil(this.x),this.y=Math.ceil(this.y),this.z=Math.ceil(this.z),this.w=Math.ceil(this.w),this},round:function(){return this.x=Math.round(this.x),this.y=Math.round(this.y),this.z=Math.round(this.z),this.w=Math.round(this.w),this},roundToZero:function(){return this.x=this.x<0?Math.ceil(this.x):Math.floor(this.x),this.y=this.y<0?Math.ceil(this.y):Math.floor(this.y),this.z=this.z<0?Math.ceil(this.z):Math.floor(this.z),this.w=this.w<0?Math.ceil(this.w):Math.floor(this.w),this},negate:function(){return this.x=-this.x,this.y=-this.y,this.z=-this.z,this.w=-this.w,this},dot:function(t){return this.x*t.x+this.y*t.y+this.z*t.z+this.w*t.w},lengthSq:function(){return this.x*this.x+this.y*this.y+this.z*this.z+this.w*this.w},length:function(){return Math.sqrt(this.x*this.x+this.y*this.y+this.z*this.z+this.w*this.w)},manhattanLength:function(){return Math.abs(this.x)+Math.abs(this.y)+Math.abs(this.z)+Math.abs(this.w)},normalize:function(){return this.divideScalar(this.length()||1)},setLength:function(t){return this.normalize().multiplyScalar(t)},lerp:function(t,e){return this.x+=(t.x-this.x)*e,this.y+=(t.y-this.y)*e,this.z+=(t.z-this.z)*e,this.w+=(t.w-this.w)*e,this},lerpVectors:function(t,e,i){return this.subVectors(e,t).multiplyScalar(i).add(t)},equals:function(t){return t.x===this.x&&t.y===this.y&&t.z===this.z&&t.w===this.w},fromArray:function(t,e){return void 0===e&&(e=0),this.x=t[e],this.y=t[e+1],this.z=t[e+2],this.w=t[e+3],this},toArray:function(t,e){return void 0===t&&(t=[]),void 0===e&&(e=0),t[e]=this.x,t[e+1]=this.y,t[e+2]=this.z,t[e+3]=this.w,t},fromBufferAttribute:function(t,e,i){return void 0!==i&&console.warn("THREE.Vector4: offset has been removed from .fromBufferAttribute()."),this.x=t.getX(e),this.y=t.getY(e),this.z=t.getZ(e),this.w=t.getW(e),this}}),C.prototype=Object.assign(Object.create(n.prototype),{constructor:C,isWebGLRenderTarget:!0,setSize:function(t,e){this.width===t&&this.height===e||(this.width=t,this.height=e,this.dispose()),this.viewport.set(0,0,t,e),this.scissor.set(0,0,t,e)},clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.width=t.width,this.height=t.height,this.viewport.copy(t.viewport),this.texture=t.texture.clone(),this.depthBuffer=t.depthBuffer,this.stencilBuffer=t.stencilBuffer,this.depthTexture=t.depthTexture,this},dispose:function(){this.dispatchEvent({type:"dispose"})}}),O.prototype=Object.assign(Object.create(C.prototype),{constructor:O,isWebGLMultisampleRenderTarget:!0,copy:function(t){return C.prototype.copy.call(this,t),this.samples=t.samples,this}}),I.prototype=Object.create(C.prototype),I.prototype.constructor=I,I.prototype.isWebGLRenderTargetCube=!0,D.prototype=Object.create(P.prototype),D.prototype.constructor=D,D.prototype.isDataTexture=!0,Object.assign(z.prototype,{isBox3:!0,set:function(t,e){return this.min.copy(t),this.max.copy(e),this},setFromArray:function(t){for(var e=1/0,i=1/0,n=1/0,r=-1/0,a=-1/0,o=-1/0,s=0,c=t.length;sr&&(r=h),l>a&&(a=l),u>o&&(o=u)}return this.min.set(e,i,n),this.max.set(r,a,o),this},setFromBufferAttribute:function(t){for(var e=1/0,i=1/0,n=1/0,r=-1/0,a=-1/0,o=-1/0,s=0,c=t.count;sr&&(r=h),l>a&&(a=l),u>o&&(o=u)}return this.min.set(e,i,n),this.max.set(r,a,o),this},setFromPoints:function(t){this.makeEmpty();for(var e=0,i=t.length;ethis.max.x||t.ythis.max.y||t.zthis.max.z)},containsBox:function(t){return this.min.x<=t.min.x&&t.max.x<=this.max.x&&this.min.y<=t.min.y&&t.max.y<=this.max.y&&this.min.z<=t.min.z&&t.max.z<=this.max.z},getParameter:function(t,e){return void 0===e&&(console.warn("THREE.Box3: .getParameter() target is now required"),e=new b),e.set((t.x-this.min.x)/(this.max.x-this.min.x),(t.y-this.min.y)/(this.max.y-this.min.y),(t.z-this.min.z)/(this.max.z-this.min.z))},intersectsBox:function(t){return!(t.max.xthis.max.x||t.max.ythis.max.y||t.max.zthis.max.z)},intersectsSphere:(M=new b,function(t){return this.clampPoint(t.center,M),M.distanceToSquared(t.center)<=t.radius*t.radius}),intersectsPlane:function(t){var e,i;return t.normal.x>0?(e=t.normal.x*this.min.x,i=t.normal.x*this.max.x):(e=t.normal.x*this.max.x,i=t.normal.x*this.min.x),t.normal.y>0?(e+=t.normal.y*this.min.y,i+=t.normal.y*this.max.y):(e+=t.normal.y*this.max.y,i+=t.normal.y*this.min.y),t.normal.z>0?(e+=t.normal.z*this.min.z,i+=t.normal.z*this.max.z):(e+=t.normal.z*this.max.z,i+=t.normal.z*this.min.z),e<=-t.constant&&i>=-t.constant},intersectsTriangle:function(){var t=new b,e=new b,i=new b,n=new b,r=new b,a=new b,o=new b,s=new b,c=new b,h=new b;function l(n){var r,a;for(r=0,a=n.length-3;r<=a;r+=3){o.fromArray(n,r);var s=c.x*Math.abs(o.x)+c.y*Math.abs(o.y)+c.z*Math.abs(o.z),h=t.dot(o),l=e.dot(o),u=i.dot(o);if(Math.max(-Math.max(h,l,u),Math.min(h,l,u))>s)return!1}return!0}return function(o){if(this.isEmpty())return!1;this.getCenter(s),c.subVectors(this.max,s),t.subVectors(o.a,s),e.subVectors(o.b,s),i.subVectors(o.c,s),n.subVectors(e,t),r.subVectors(i,e),a.subVectors(t,i);var u=[0,-n.z,n.y,0,-r.z,r.y,0,-a.z,a.y,n.z,0,-n.x,r.z,0,-r.x,a.z,0,-a.x,-n.y,n.x,0,-r.y,r.x,0,-a.y,a.x,0];return!!l(u)&&(!!l(u=[1,0,0,0,1,0,0,0,1])&&(h.crossVectors(n,r),l(u=[h.x,h.y,h.z])))}}(),clampPoint:function(t,e){return void 0===e&&(console.warn("THREE.Box3: .clampPoint() target is now required"),e=new b),e.copy(t).clamp(this.min,this.max)},distanceToPoint:function(){var t=new b;return function(e){return t.copy(e).clamp(this.min,this.max).sub(e).length()}}(),getBoundingSphere:function(){var t=new b;return function(e){return void 0===e&&(console.warn("THREE.Box3: .getBoundingSphere() target is now required"),e=new N),this.getCenter(e.center),e.radius=.5*this.getSize(t).length(),e}}(),intersect:function(t){return this.min.max(t.min),this.max.min(t.max),this.isEmpty()&&this.makeEmpty(),this},union:function(t){return this.min.min(t.min),this.max.max(t.max),this},applyMatrix4:(_=[new b,new b,new b,new b,new b,new b,new b,new b],function(t){return this.isEmpty()||(_[0].set(this.min.x,this.min.y,this.min.z).applyMatrix4(t),_[1].set(this.min.x,this.min.y,this.max.z).applyMatrix4(t),_[2].set(this.min.x,this.max.y,this.min.z).applyMatrix4(t),_[3].set(this.min.x,this.max.y,this.max.z).applyMatrix4(t),_[4].set(this.max.x,this.min.y,this.min.z).applyMatrix4(t),_[5].set(this.max.x,this.min.y,this.max.z).applyMatrix4(t),_[6].set(this.max.x,this.max.y,this.min.z).applyMatrix4(t),_[7].set(this.max.x,this.max.y,this.max.z).applyMatrix4(t),this.setFromPoints(_)),this}),translate:function(t){return this.min.add(t),this.max.add(t),this},equals:function(t){return t.min.equals(this.min)&&t.max.equals(this.max)}}),Object.assign(N.prototype,{set:function(t,e){return this.center.copy(t),this.radius=e,this},setFromPoints:(S=new z,function(t,e){var i=this.center;void 0!==e?i.copy(e):S.setFromPoints(t).getCenter(i);for(var n=0,r=0,a=t.length;rthis.radius*this.radius&&(e.sub(this.center).normalize(),e.multiplyScalar(this.radius).add(this.center)),e},getBoundingBox:function(t){return void 0===t&&(console.warn("THREE.Sphere: .getBoundingBox() target is now required"),t=new z),t.set(this.center,this.center),t.expandByScalar(this.radius),t},applyMatrix4:function(t){return this.center.applyMatrix4(t),this.radius=this.radius*t.getMaxScaleOnAxis(),this},translate:function(t){return this.center.add(t),this},equals:function(t){return t.center.equals(this.center)&&t.radius===this.radius}}),Object.assign(U.prototype,{set:function(t,e){return this.normal.copy(t),this.constant=e,this},setComponents:function(t,e,i,n){return this.normal.set(t,e,i),this.constant=n,this},setFromNormalAndCoplanarPoint:function(t,e){return this.normal.copy(t),this.constant=-e.dot(this.normal),this},setFromCoplanarPoints:function(){var t=new b,e=new b;return function(i,n,r){var a=t.subVectors(r,n).cross(e.subVectors(i,n)).normalize();return this.setFromNormalAndCoplanarPoint(a,i),this}}(),clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.normal.copy(t.normal),this.constant=t.constant,this},normalize:function(){var t=1/this.normal.length();return this.normal.multiplyScalar(t),this.constant*=t,this},negate:function(){return this.constant*=-1,this.normal.negate(),this},distanceToPoint:function(t){return this.normal.dot(t)+this.constant},distanceToSphere:function(t){return this.distanceToPoint(t.center)-t.radius},projectPoint:function(t,e){return void 0===e&&(console.warn("THREE.Plane: .projectPoint() target is now required"),e=new b),e.copy(this.normal).multiplyScalar(-this.distanceToPoint(t)).add(t)},intersectLine:function(){var t=new b;return function(e,i){void 0===i&&(console.warn("THREE.Plane: .intersectLine() target is now required"),i=new b);var n=e.delta(t),r=this.normal.dot(n);if(0===r)return 0===this.distanceToPoint(e.start)?i.copy(e.start):void 0;var a=-(e.start.dot(this.normal)+this.constant)/r;return a<0||a>1?void 0:i.copy(n).multiplyScalar(a).add(e.start)}}(),intersectsLine:function(t){var e=this.distanceToPoint(t.start),i=this.distanceToPoint(t.end);return e<0&&i>0||i<0&&e>0},intersectsBox:function(t){return t.intersectsPlane(this)},intersectsSphere:function(t){return t.intersectsPlane(this)},coplanarPoint:function(t){return void 0===t&&(console.warn("THREE.Plane: .coplanarPoint() target is now required"),t=new b),t.copy(this.normal).multiplyScalar(-this.constant)},applyMatrix4:function(){var t=new b,e=new w;return function(i,n){var r=n||e.getNormalMatrix(i),a=this.coplanarPoint(t).applyMatrix4(i),o=this.normal.applyMatrix3(r).normalize();return this.constant=-a.dot(o),this}}(),translate:function(t){return this.constant-=t.dot(this.normal),this},equals:function(t){return t.normal.equals(this.normal)&&t.constant===this.constant}}),Object.assign(B.prototype,{set:function(t,e,i,n,r,a){var o=this.planes;return o[0].copy(t),o[1].copy(e),o[2].copy(i),o[3].copy(n),o[4].copy(r),o[5].copy(a),this},clone:function(){return(new this.constructor).copy(this)},copy:function(t){for(var e=this.planes,i=0;i<6;i++)e[i].copy(t.planes[i]);return this},setFromMatrix:function(t){var e=this.planes,i=t.elements,n=i[0],r=i[1],a=i[2],o=i[3],s=i[4],c=i[5],h=i[6],l=i[7],u=i[8],p=i[9],d=i[10],f=i[11],m=i[12],g=i[13],v=i[14],y=i[15];return e[0].setComponents(o-n,l-s,f-u,y-m).normalize(),e[1].setComponents(o+n,l+s,f+u,y+m).normalize(),e[2].setComponents(o+r,l+c,f+p,y+g).normalize(),e[3].setComponents(o-r,l-c,f-p,y-g).normalize(),e[4].setComponents(o-a,l-h,f-d,y-v).normalize(),e[5].setComponents(o+a,l+h,f+d,y+v).normalize(),this},intersectsObject:(T=new N,function(t){var e=t.geometry;return null===e.boundingSphere&&e.computeBoundingSphere(),T.copy(e.boundingSphere).applyMatrix4(t.matrixWorld),this.intersectsSphere(T)}),intersectsSprite:function(){var t=new N;return function(e){return t.center.set(0,0,0),t.radius=.7071067811865476,t.applyMatrix4(e.matrixWorld),this.intersectsSphere(t)}}(),intersectsSphere:function(t){for(var e=this.planes,i=t.center,n=-t.radius,r=0;r<6;r++){if(e[r].distanceToPoint(i)0?t.max.x:t.min.x,E.y=n.normal.y>0?t.max.y:t.min.y,E.z=n.normal.z>0?t.max.z:t.min.z,n.distanceToPoint(E)<0)return!1}return!0}),containsPoint:function(t){for(var e=this.planes,i=0;i<6;i++)if(e[i].distanceToPoint(t)<0)return!1;return!0}});var G={alphamap_fragment:"#ifdef USE_ALPHAMAP\n\tdiffuseColor.a *= texture2D( alphaMap, vUv ).g;\n#endif",alphamap_pars_fragment:"#ifdef USE_ALPHAMAP\n\tuniform sampler2D alphaMap;\n#endif",alphatest_fragment:"#ifdef ALPHATEST\n\tif ( diffuseColor.a < ALPHATEST ) discard;\n#endif",aomap_fragment:"#ifdef USE_AOMAP\n\tfloat ambientOcclusion = ( texture2D( aoMap, vUv2 ).r - 1.0 ) * aoMapIntensity + 1.0;\n\treflectedLight.indirectDiffuse *= ambientOcclusion;\n\t#if defined( USE_ENVMAP ) && defined( PHYSICAL )\n\t\tfloat dotNV = saturate( dot( geometry.normal, geometry.viewDir ) );\n\t\treflectedLight.indirectSpecular *= computeSpecularOcclusion( dotNV, ambientOcclusion, material.specularRoughness );\n\t#endif\n#endif",aomap_pars_fragment:"#ifdef USE_AOMAP\n\tuniform sampler2D aoMap;\n\tuniform float aoMapIntensity;\n#endif",begin_vertex:"vec3 transformed = vec3( position );",beginnormal_vertex:"vec3 objectNormal = vec3( normal );",bsdfs:"float punctualLightIntensityToIrradianceFactor( const in float lightDistance, const in float cutoffDistance, const in float decayExponent ) {\n#if defined ( PHYSICALLY_CORRECT_LIGHTS )\n\tfloat distanceFalloff = 1.0 / max( pow( lightDistance, decayExponent ), 0.01 );\n\tif( cutoffDistance > 0.0 ) {\n\t\tdistanceFalloff *= pow2( saturate( 1.0 - pow4( lightDistance / cutoffDistance ) ) );\n\t}\n\treturn distanceFalloff;\n#else\n\tif( cutoffDistance > 0.0 && decayExponent > 0.0 ) {\n\t\treturn pow( saturate( -lightDistance / cutoffDistance + 1.0 ), decayExponent );\n\t}\n\treturn 1.0;\n#endif\n}\nvec3 BRDF_Diffuse_Lambert( const in vec3 diffuseColor ) {\n\treturn RECIPROCAL_PI * diffuseColor;\n}\nvec3 F_Schlick( const in vec3 specularColor, const in float dotLH ) {\n\tfloat fresnel = exp2( ( -5.55473 * dotLH - 6.98316 ) * dotLH );\n\treturn ( 1.0 - specularColor ) * fresnel + specularColor;\n}\nfloat G_GGX_Smith( const in float alpha, const in float dotNL, const in float dotNV ) {\n\tfloat a2 = pow2( alpha );\n\tfloat gl = dotNL + sqrt( a2 + ( 1.0 - a2 ) * pow2( dotNL ) );\n\tfloat gv = dotNV + sqrt( a2 + ( 1.0 - a2 ) * pow2( dotNV ) );\n\treturn 1.0 / ( gl * gv );\n}\nfloat G_GGX_SmithCorrelated( const in float alpha, const in float dotNL, const in float dotNV ) {\n\tfloat a2 = pow2( alpha );\n\tfloat gv = dotNL * sqrt( a2 + ( 1.0 - a2 ) * pow2( dotNV ) );\n\tfloat gl = dotNV * sqrt( a2 + ( 1.0 - a2 ) * pow2( dotNL ) );\n\treturn 0.5 / max( gv + gl, EPSILON );\n}\nfloat D_GGX( const in float alpha, const in float dotNH ) {\n\tfloat a2 = pow2( alpha );\n\tfloat denom = pow2( dotNH ) * ( a2 - 1.0 ) + 1.0;\n\treturn RECIPROCAL_PI * a2 / pow2( denom );\n}\nvec3 BRDF_Specular_GGX( const in IncidentLight incidentLight, const in GeometricContext geometry, const in vec3 specularColor, const in float roughness ) {\n\tfloat alpha = pow2( roughness );\n\tvec3 halfDir = normalize( incidentLight.direction + geometry.viewDir );\n\tfloat dotNL = saturate( dot( geometry.normal, incidentLight.direction ) );\n\tfloat dotNV = saturate( dot( geometry.normal, geometry.viewDir ) );\n\tfloat dotNH = saturate( dot( geometry.normal, halfDir ) );\n\tfloat dotLH = saturate( dot( incidentLight.direction, halfDir ) );\n\tvec3 F = F_Schlick( specularColor, dotLH );\n\tfloat G = G_GGX_SmithCorrelated( alpha, dotNL, dotNV );\n\tfloat D = D_GGX( alpha, dotNH );\n\treturn F * ( G * D );\n}\nvec2 LTC_Uv( const in vec3 N, const in vec3 V, const in float roughness ) {\n\tconst float LUT_SIZE = 64.0;\n\tconst float LUT_SCALE = ( LUT_SIZE - 1.0 ) / LUT_SIZE;\n\tconst float LUT_BIAS = 0.5 / LUT_SIZE;\n\tfloat dotNV = saturate( dot( N, V ) );\n\tvec2 uv = vec2( roughness, sqrt( 1.0 - dotNV ) );\n\tuv = uv * LUT_SCALE + LUT_BIAS;\n\treturn uv;\n}\nfloat LTC_ClippedSphereFormFactor( const in vec3 f ) {\n\tfloat l = length( f );\n\treturn max( ( l * l + f.z ) / ( l + 1.0 ), 0.0 );\n}\nvec3 LTC_EdgeVectorFormFactor( const in vec3 v1, const in vec3 v2 ) {\n\tfloat x = dot( v1, v2 );\n\tfloat y = abs( x );\n\tfloat a = 0.8543985 + ( 0.4965155 + 0.0145206 * y ) * y;\n\tfloat b = 3.4175940 + ( 4.1616724 + y ) * y;\n\tfloat v = a / b;\n\tfloat theta_sintheta = ( x > 0.0 ) ? v : 0.5 * inversesqrt( max( 1.0 - x * x, 1e-7 ) ) - v;\n\treturn cross( v1, v2 ) * theta_sintheta;\n}\nvec3 LTC_Evaluate( const in vec3 N, const in vec3 V, const in vec3 P, const in mat3 mInv, const in vec3 rectCoords[ 4 ] ) {\n\tvec3 v1 = rectCoords[ 1 ] - rectCoords[ 0 ];\n\tvec3 v2 = rectCoords[ 3 ] - rectCoords[ 0 ];\n\tvec3 lightNormal = cross( v1, v2 );\n\tif( dot( lightNormal, P - rectCoords[ 0 ] ) < 0.0 ) return vec3( 0.0 );\n\tvec3 T1, T2;\n\tT1 = normalize( V - N * dot( V, N ) );\n\tT2 = - cross( N, T1 );\n\tmat3 mat = mInv * transposeMat3( mat3( T1, T2, N ) );\n\tvec3 coords[ 4 ];\n\tcoords[ 0 ] = mat * ( rectCoords[ 0 ] - P );\n\tcoords[ 1 ] = mat * ( rectCoords[ 1 ] - P );\n\tcoords[ 2 ] = mat * ( rectCoords[ 2 ] - P );\n\tcoords[ 3 ] = mat * ( rectCoords[ 3 ] - P );\n\tcoords[ 0 ] = normalize( coords[ 0 ] );\n\tcoords[ 1 ] = normalize( coords[ 1 ] );\n\tcoords[ 2 ] = normalize( coords[ 2 ] );\n\tcoords[ 3 ] = normalize( coords[ 3 ] );\n\tvec3 vectorFormFactor = vec3( 0.0 );\n\tvectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 0 ], coords[ 1 ] );\n\tvectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 1 ], coords[ 2 ] );\n\tvectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 2 ], coords[ 3 ] );\n\tvectorFormFactor += LTC_EdgeVectorFormFactor( coords[ 3 ], coords[ 0 ] );\n\tfloat result = LTC_ClippedSphereFormFactor( vectorFormFactor );\n\treturn vec3( result );\n}\nvec3 BRDF_Specular_GGX_Environment( const in GeometricContext geometry, const in vec3 specularColor, const in float roughness ) {\n\tfloat dotNV = saturate( dot( geometry.normal, geometry.viewDir ) );\n\tconst vec4 c0 = vec4( - 1, - 0.0275, - 0.572, 0.022 );\n\tconst vec4 c1 = vec4( 1, 0.0425, 1.04, - 0.04 );\n\tvec4 r = roughness * c0 + c1;\n\tfloat a004 = min( r.x * r.x, exp2( - 9.28 * dotNV ) ) * r.x + r.y;\n\tvec2 AB = vec2( -1.04, 1.04 ) * a004 + r.zw;\n\treturn specularColor * AB.x + AB.y;\n}\nfloat G_BlinnPhong_Implicit( ) {\n\treturn 0.25;\n}\nfloat D_BlinnPhong( const in float shininess, const in float dotNH ) {\n\treturn RECIPROCAL_PI * ( shininess * 0.5 + 1.0 ) * pow( dotNH, shininess );\n}\nvec3 BRDF_Specular_BlinnPhong( const in IncidentLight incidentLight, const in GeometricContext geometry, const in vec3 specularColor, const in float shininess ) {\n\tvec3 halfDir = normalize( incidentLight.direction + geometry.viewDir );\n\tfloat dotNH = saturate( dot( geometry.normal, halfDir ) );\n\tfloat dotLH = saturate( dot( incidentLight.direction, halfDir ) );\n\tvec3 F = F_Schlick( specularColor, dotLH );\n\tfloat G = G_BlinnPhong_Implicit( );\n\tfloat D = D_BlinnPhong( shininess, dotNH );\n\treturn F * ( G * D );\n}\nfloat GGXRoughnessToBlinnExponent( const in float ggxRoughness ) {\n\treturn ( 2.0 / pow2( ggxRoughness + 0.0001 ) - 2.0 );\n}\nfloat BlinnExponentToGGXRoughness( const in float blinnExponent ) {\n\treturn sqrt( 2.0 / ( blinnExponent + 2.0 ) );\n}",bumpmap_pars_fragment:"#ifdef USE_BUMPMAP\n\tuniform sampler2D bumpMap;\n\tuniform float bumpScale;\n\tvec2 dHdxy_fwd() {\n\t\tvec2 dSTdx = dFdx( vUv );\n\t\tvec2 dSTdy = dFdy( vUv );\n\t\tfloat Hll = bumpScale * texture2D( bumpMap, vUv ).x;\n\t\tfloat dBx = bumpScale * texture2D( bumpMap, vUv + dSTdx ).x - Hll;\n\t\tfloat dBy = bumpScale * texture2D( bumpMap, vUv + dSTdy ).x - Hll;\n\t\treturn vec2( dBx, dBy );\n\t}\n\tvec3 perturbNormalArb( vec3 surf_pos, vec3 surf_norm, vec2 dHdxy ) {\n\t\tvec3 vSigmaX = vec3( dFdx( surf_pos.x ), dFdx( surf_pos.y ), dFdx( surf_pos.z ) );\n\t\tvec3 vSigmaY = vec3( dFdy( surf_pos.x ), dFdy( surf_pos.y ), dFdy( surf_pos.z ) );\n\t\tvec3 vN = surf_norm;\n\t\tvec3 R1 = cross( vSigmaY, vN );\n\t\tvec3 R2 = cross( vN, vSigmaX );\n\t\tfloat fDet = dot( vSigmaX, R1 );\n\t\tfDet *= ( float( gl_FrontFacing ) * 2.0 - 1.0 );\n\t\tvec3 vGrad = sign( fDet ) * ( dHdxy.x * R1 + dHdxy.y * R2 );\n\t\treturn normalize( abs( fDet ) * surf_norm - vGrad );\n\t}\n#endif",clipping_planes_fragment:"#if NUM_CLIPPING_PLANES > 0\n\tvec4 plane;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < UNION_CLIPPING_PLANES; i ++ ) {\n\t\tplane = clippingPlanes[ i ];\n\t\tif ( dot( vViewPosition, plane.xyz ) > plane.w ) discard;\n\t}\n\t#if UNION_CLIPPING_PLANES < NUM_CLIPPING_PLANES\n\t\tbool clipped = true;\n\t\t#pragma unroll_loop\n\t\tfor ( int i = UNION_CLIPPING_PLANES; i < NUM_CLIPPING_PLANES; i ++ ) {\n\t\t\tplane = clippingPlanes[ i ];\n\t\t\tclipped = ( dot( vViewPosition, plane.xyz ) > plane.w ) && clipped;\n\t\t}\n\t\tif ( clipped ) discard;\n\t#endif\n#endif",clipping_planes_pars_fragment:"#if NUM_CLIPPING_PLANES > 0\n\t#if ! defined( PHYSICAL ) && ! defined( PHONG ) && ! defined( MATCAP )\n\t\tvarying vec3 vViewPosition;\n\t#endif\n\tuniform vec4 clippingPlanes[ NUM_CLIPPING_PLANES ];\n#endif",clipping_planes_pars_vertex:"#if NUM_CLIPPING_PLANES > 0 && ! defined( PHYSICAL ) && ! defined( PHONG ) && ! defined( MATCAP )\n\tvarying vec3 vViewPosition;\n#endif",clipping_planes_vertex:"#if NUM_CLIPPING_PLANES > 0 && ! defined( PHYSICAL ) && ! defined( PHONG ) && ! defined( MATCAP )\n\tvViewPosition = - mvPosition.xyz;\n#endif",color_fragment:"#ifdef USE_COLOR\n\tdiffuseColor.rgb *= vColor;\n#endif",color_pars_fragment:"#ifdef USE_COLOR\n\tvarying vec3 vColor;\n#endif",color_pars_vertex:"#ifdef USE_COLOR\n\tvarying vec3 vColor;\n#endif",color_vertex:"#ifdef USE_COLOR\n\tvColor.xyz = color.xyz;\n#endif",common:"#define PI 3.14159265359\n#define PI2 6.28318530718\n#define PI_HALF 1.5707963267949\n#define RECIPROCAL_PI 0.31830988618\n#define RECIPROCAL_PI2 0.15915494\n#define LOG2 1.442695\n#define EPSILON 1e-6\n#define saturate(a) clamp( a, 0.0, 1.0 )\n#define whiteCompliment(a) ( 1.0 - saturate( a ) )\nfloat pow2( const in float x ) { return x*x; }\nfloat pow3( const in float x ) { return x*x*x; }\nfloat pow4( const in float x ) { float x2 = x*x; return x2*x2; }\nfloat average( const in vec3 color ) { return dot( color, vec3( 0.3333 ) ); }\nhighp float rand( const in vec2 uv ) {\n\tconst highp float a = 12.9898, b = 78.233, c = 43758.5453;\n\thighp float dt = dot( uv.xy, vec2( a,b ) ), sn = mod( dt, PI );\n\treturn fract(sin(sn) * c);\n}\nstruct IncidentLight {\n\tvec3 color;\n\tvec3 direction;\n\tbool visible;\n};\nstruct ReflectedLight {\n\tvec3 directDiffuse;\n\tvec3 directSpecular;\n\tvec3 indirectDiffuse;\n\tvec3 indirectSpecular;\n};\nstruct GeometricContext {\n\tvec3 position;\n\tvec3 normal;\n\tvec3 viewDir;\n};\nvec3 transformDirection( in vec3 dir, in mat4 matrix ) {\n\treturn normalize( ( matrix * vec4( dir, 0.0 ) ).xyz );\n}\nvec3 inverseTransformDirection( in vec3 dir, in mat4 matrix ) {\n\treturn normalize( ( vec4( dir, 0.0 ) * matrix ).xyz );\n}\nvec3 projectOnPlane(in vec3 point, in vec3 pointOnPlane, in vec3 planeNormal ) {\n\tfloat distance = dot( planeNormal, point - pointOnPlane );\n\treturn - distance * planeNormal + point;\n}\nfloat sideOfPlane( in vec3 point, in vec3 pointOnPlane, in vec3 planeNormal ) {\n\treturn sign( dot( point - pointOnPlane, planeNormal ) );\n}\nvec3 linePlaneIntersect( in vec3 pointOnLine, in vec3 lineDirection, in vec3 pointOnPlane, in vec3 planeNormal ) {\n\treturn lineDirection * ( dot( planeNormal, pointOnPlane - pointOnLine ) / dot( planeNormal, lineDirection ) ) + pointOnLine;\n}\nmat3 transposeMat3( const in mat3 m ) {\n\tmat3 tmp;\n\ttmp[ 0 ] = vec3( m[ 0 ].x, m[ 1 ].x, m[ 2 ].x );\n\ttmp[ 1 ] = vec3( m[ 0 ].y, m[ 1 ].y, m[ 2 ].y );\n\ttmp[ 2 ] = vec3( m[ 0 ].z, m[ 1 ].z, m[ 2 ].z );\n\treturn tmp;\n}\nfloat linearToRelativeLuminance( const in vec3 color ) {\n\tvec3 weights = vec3( 0.2126, 0.7152, 0.0722 );\n\treturn dot( weights, color.rgb );\n}",cube_uv_reflection_fragment:"#ifdef ENVMAP_TYPE_CUBE_UV\n#define cubeUV_textureSize (1024.0)\nint getFaceFromDirection(vec3 direction) {\n\tvec3 absDirection = abs(direction);\n\tint face = -1;\n\tif( absDirection.x > absDirection.z ) {\n\t\tif(absDirection.x > absDirection.y )\n\t\t\tface = direction.x > 0.0 ? 0 : 3;\n\t\telse\n\t\t\tface = direction.y > 0.0 ? 1 : 4;\n\t}\n\telse {\n\t\tif(absDirection.z > absDirection.y )\n\t\t\tface = direction.z > 0.0 ? 2 : 5;\n\t\telse\n\t\t\tface = direction.y > 0.0 ? 1 : 4;\n\t}\n\treturn face;\n}\n#define cubeUV_maxLods1 (log2(cubeUV_textureSize*0.25) - 1.0)\n#define cubeUV_rangeClamp (exp2((6.0 - 1.0) * 2.0))\nvec2 MipLevelInfo( vec3 vec, float roughnessLevel, float roughness ) {\n\tfloat scale = exp2(cubeUV_maxLods1 - roughnessLevel);\n\tfloat dxRoughness = dFdx(roughness);\n\tfloat dyRoughness = dFdy(roughness);\n\tvec3 dx = dFdx( vec * scale * dxRoughness );\n\tvec3 dy = dFdy( vec * scale * dyRoughness );\n\tfloat d = max( dot( dx, dx ), dot( dy, dy ) );\n\td = clamp(d, 1.0, cubeUV_rangeClamp);\n\tfloat mipLevel = 0.5 * log2(d);\n\treturn vec2(floor(mipLevel), fract(mipLevel));\n}\n#define cubeUV_maxLods2 (log2(cubeUV_textureSize*0.25) - 2.0)\n#define cubeUV_rcpTextureSize (1.0 / cubeUV_textureSize)\nvec2 getCubeUV(vec3 direction, float roughnessLevel, float mipLevel) {\n\tmipLevel = roughnessLevel > cubeUV_maxLods2 - 3.0 ? 0.0 : mipLevel;\n\tfloat a = 16.0 * cubeUV_rcpTextureSize;\n\tvec2 exp2_packed = exp2( vec2( roughnessLevel, mipLevel ) );\n\tvec2 rcp_exp2_packed = vec2( 1.0 ) / exp2_packed;\n\tfloat powScale = exp2_packed.x * exp2_packed.y;\n\tfloat scale = rcp_exp2_packed.x * rcp_exp2_packed.y * 0.25;\n\tfloat mipOffset = 0.75*(1.0 - rcp_exp2_packed.y) * rcp_exp2_packed.x;\n\tbool bRes = mipLevel == 0.0;\n\tscale = bRes && (scale < a) ? a : scale;\n\tvec3 r;\n\tvec2 offset;\n\tint face = getFaceFromDirection(direction);\n\tfloat rcpPowScale = 1.0 / powScale;\n\tif( face == 0) {\n\t\tr = vec3(direction.x, -direction.z, direction.y);\n\t\toffset = vec2(0.0+mipOffset,0.75 * rcpPowScale);\n\t\toffset.y = bRes && (offset.y < 2.0*a) ? a : offset.y;\n\t}\n\telse if( face == 1) {\n\t\tr = vec3(direction.y, direction.x, direction.z);\n\t\toffset = vec2(scale+mipOffset, 0.75 * rcpPowScale);\n\t\toffset.y = bRes && (offset.y < 2.0*a) ? a : offset.y;\n\t}\n\telse if( face == 2) {\n\t\tr = vec3(direction.z, direction.x, direction.y);\n\t\toffset = vec2(2.0*scale+mipOffset, 0.75 * rcpPowScale);\n\t\toffset.y = bRes && (offset.y < 2.0*a) ? a : offset.y;\n\t}\n\telse if( face == 3) {\n\t\tr = vec3(direction.x, direction.z, direction.y);\n\t\toffset = vec2(0.0+mipOffset,0.5 * rcpPowScale);\n\t\toffset.y = bRes && (offset.y < 2.0*a) ? 0.0 : offset.y;\n\t}\n\telse if( face == 4) {\n\t\tr = vec3(direction.y, direction.x, -direction.z);\n\t\toffset = vec2(scale+mipOffset, 0.5 * rcpPowScale);\n\t\toffset.y = bRes && (offset.y < 2.0*a) ? 0.0 : offset.y;\n\t}\n\telse {\n\t\tr = vec3(direction.z, -direction.x, direction.y);\n\t\toffset = vec2(2.0*scale+mipOffset, 0.5 * rcpPowScale);\n\t\toffset.y = bRes && (offset.y < 2.0*a) ? 0.0 : offset.y;\n\t}\n\tr = normalize(r);\n\tfloat texelOffset = 0.5 * cubeUV_rcpTextureSize;\n\tvec2 s = ( r.yz / abs( r.x ) + vec2( 1.0 ) ) * 0.5;\n\tvec2 base = offset + vec2( texelOffset );\n\treturn base + s * ( scale - 2.0 * texelOffset );\n}\n#define cubeUV_maxLods3 (log2(cubeUV_textureSize*0.25) - 3.0)\nvec4 textureCubeUV( sampler2D envMap, vec3 reflectedDirection, float roughness ) {\n\tfloat roughnessVal = roughness* cubeUV_maxLods3;\n\tfloat r1 = floor(roughnessVal);\n\tfloat r2 = r1 + 1.0;\n\tfloat t = fract(roughnessVal);\n\tvec2 mipInfo = MipLevelInfo(reflectedDirection, r1, roughness);\n\tfloat s = mipInfo.y;\n\tfloat level0 = mipInfo.x;\n\tfloat level1 = level0 + 1.0;\n\tlevel1 = level1 > 5.0 ? 5.0 : level1;\n\tlevel0 += min( floor( s + 0.5 ), 5.0 );\n\tvec2 uv_10 = getCubeUV(reflectedDirection, r1, level0);\n\tvec4 color10 = envMapTexelToLinear(texture2D(envMap, uv_10));\n\tvec2 uv_20 = getCubeUV(reflectedDirection, r2, level0);\n\tvec4 color20 = envMapTexelToLinear(texture2D(envMap, uv_20));\n\tvec4 result = mix(color10, color20, t);\n\treturn vec4(result.rgb, 1.0);\n}\n#endif",defaultnormal_vertex:"vec3 transformedNormal = normalMatrix * objectNormal;\n#ifdef FLIP_SIDED\n\ttransformedNormal = - transformedNormal;\n#endif",displacementmap_pars_vertex:"#ifdef USE_DISPLACEMENTMAP\n\tuniform sampler2D displacementMap;\n\tuniform float displacementScale;\n\tuniform float displacementBias;\n#endif",displacementmap_vertex:"#ifdef USE_DISPLACEMENTMAP\n\ttransformed += normalize( objectNormal ) * ( texture2D( displacementMap, uv ).x * displacementScale + displacementBias );\n#endif",emissivemap_fragment:"#ifdef USE_EMISSIVEMAP\n\tvec4 emissiveColor = texture2D( emissiveMap, vUv );\n\temissiveColor.rgb = emissiveMapTexelToLinear( emissiveColor ).rgb;\n\ttotalEmissiveRadiance *= emissiveColor.rgb;\n#endif",emissivemap_pars_fragment:"#ifdef USE_EMISSIVEMAP\n\tuniform sampler2D emissiveMap;\n#endif",encodings_fragment:"gl_FragColor = linearToOutputTexel( gl_FragColor );",encodings_pars_fragment:"\nvec4 LinearToLinear( in vec4 value ) {\n\treturn value;\n}\nvec4 GammaToLinear( in vec4 value, in float gammaFactor ) {\n\treturn vec4( pow( value.rgb, vec3( gammaFactor ) ), value.a );\n}\nvec4 LinearToGamma( in vec4 value, in float gammaFactor ) {\n\treturn vec4( pow( value.rgb, vec3( 1.0 / gammaFactor ) ), value.a );\n}\nvec4 sRGBToLinear( in vec4 value ) {\n\treturn vec4( mix( pow( value.rgb * 0.9478672986 + vec3( 0.0521327014 ), vec3( 2.4 ) ), value.rgb * 0.0773993808, vec3( lessThanEqual( value.rgb, vec3( 0.04045 ) ) ) ), value.a );\n}\nvec4 LinearTosRGB( in vec4 value ) {\n\treturn vec4( mix( pow( value.rgb, vec3( 0.41666 ) ) * 1.055 - vec3( 0.055 ), value.rgb * 12.92, vec3( lessThanEqual( value.rgb, vec3( 0.0031308 ) ) ) ), value.a );\n}\nvec4 RGBEToLinear( in vec4 value ) {\n\treturn vec4( value.rgb * exp2( value.a * 255.0 - 128.0 ), 1.0 );\n}\nvec4 LinearToRGBE( in vec4 value ) {\n\tfloat maxComponent = max( max( value.r, value.g ), value.b );\n\tfloat fExp = clamp( ceil( log2( maxComponent ) ), -128.0, 127.0 );\n\treturn vec4( value.rgb / exp2( fExp ), ( fExp + 128.0 ) / 255.0 );\n}\nvec4 RGBMToLinear( in vec4 value, in float maxRange ) {\n\treturn vec4( value.rgb * value.a * maxRange, 1.0 );\n}\nvec4 LinearToRGBM( in vec4 value, in float maxRange ) {\n\tfloat maxRGB = max( value.r, max( value.g, value.b ) );\n\tfloat M = clamp( maxRGB / maxRange, 0.0, 1.0 );\n\tM = ceil( M * 255.0 ) / 255.0;\n\treturn vec4( value.rgb / ( M * maxRange ), M );\n}\nvec4 RGBDToLinear( in vec4 value, in float maxRange ) {\n\treturn vec4( value.rgb * ( ( maxRange / 255.0 ) / value.a ), 1.0 );\n}\nvec4 LinearToRGBD( in vec4 value, in float maxRange ) {\n\tfloat maxRGB = max( value.r, max( value.g, value.b ) );\n\tfloat D = max( maxRange / maxRGB, 1.0 );\n\tD = min( floor( D ) / 255.0, 1.0 );\n\treturn vec4( value.rgb * ( D * ( 255.0 / maxRange ) ), D );\n}\nconst mat3 cLogLuvM = mat3( 0.2209, 0.3390, 0.4184, 0.1138, 0.6780, 0.7319, 0.0102, 0.1130, 0.2969 );\nvec4 LinearToLogLuv( in vec4 value ) {\n\tvec3 Xp_Y_XYZp = value.rgb * cLogLuvM;\n\tXp_Y_XYZp = max( Xp_Y_XYZp, vec3( 1e-6, 1e-6, 1e-6 ) );\n\tvec4 vResult;\n\tvResult.xy = Xp_Y_XYZp.xy / Xp_Y_XYZp.z;\n\tfloat Le = 2.0 * log2(Xp_Y_XYZp.y) + 127.0;\n\tvResult.w = fract( Le );\n\tvResult.z = ( Le - ( floor( vResult.w * 255.0 ) ) / 255.0 ) / 255.0;\n\treturn vResult;\n}\nconst mat3 cLogLuvInverseM = mat3( 6.0014, -2.7008, -1.7996, -1.3320, 3.1029, -5.7721, 0.3008, -1.0882, 5.6268 );\nvec4 LogLuvToLinear( in vec4 value ) {\n\tfloat Le = value.z * 255.0 + value.w;\n\tvec3 Xp_Y_XYZp;\n\tXp_Y_XYZp.y = exp2( ( Le - 127.0 ) / 2.0 );\n\tXp_Y_XYZp.z = Xp_Y_XYZp.y / value.y;\n\tXp_Y_XYZp.x = value.x * Xp_Y_XYZp.z;\n\tvec3 vRGB = Xp_Y_XYZp.rgb * cLogLuvInverseM;\n\treturn vec4( max( vRGB, 0.0 ), 1.0 );\n}",envmap_fragment:"#ifdef USE_ENVMAP\n\t#if defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG )\n\t\tvec3 cameraToVertex = normalize( vWorldPosition - cameraPosition );\n\t\tvec3 worldNormal = inverseTransformDirection( normal, viewMatrix );\n\t\t#ifdef ENVMAP_MODE_REFLECTION\n\t\t\tvec3 reflectVec = reflect( cameraToVertex, worldNormal );\n\t\t#else\n\t\t\tvec3 reflectVec = refract( cameraToVertex, worldNormal, refractionRatio );\n\t\t#endif\n\t#else\n\t\tvec3 reflectVec = vReflect;\n\t#endif\n\t#ifdef ENVMAP_TYPE_CUBE\n\t\tvec4 envColor = textureCube( envMap, vec3( flipEnvMap * reflectVec.x, reflectVec.yz ) );\n\t#elif defined( ENVMAP_TYPE_EQUIREC )\n\t\tvec2 sampleUV;\n\t\treflectVec = normalize( reflectVec );\n\t\tsampleUV.y = asin( clamp( reflectVec.y, - 1.0, 1.0 ) ) * RECIPROCAL_PI + 0.5;\n\t\tsampleUV.x = atan( reflectVec.z, reflectVec.x ) * RECIPROCAL_PI2 + 0.5;\n\t\tvec4 envColor = texture2D( envMap, sampleUV );\n\t#elif defined( ENVMAP_TYPE_SPHERE )\n\t\treflectVec = normalize( reflectVec );\n\t\tvec3 reflectView = normalize( ( viewMatrix * vec4( reflectVec, 0.0 ) ).xyz + vec3( 0.0, 0.0, 1.0 ) );\n\t\tvec4 envColor = texture2D( envMap, reflectView.xy * 0.5 + 0.5 );\n\t#else\n\t\tvec4 envColor = vec4( 0.0 );\n\t#endif\n\tenvColor = envMapTexelToLinear( envColor );\n\t#ifdef ENVMAP_BLENDING_MULTIPLY\n\t\toutgoingLight = mix( outgoingLight, outgoingLight * envColor.xyz, specularStrength * reflectivity );\n\t#elif defined( ENVMAP_BLENDING_MIX )\n\t\toutgoingLight = mix( outgoingLight, envColor.xyz, specularStrength * reflectivity );\n\t#elif defined( ENVMAP_BLENDING_ADD )\n\t\toutgoingLight += envColor.xyz * specularStrength * reflectivity;\n\t#endif\n#endif",envmap_pars_fragment:"#if defined( USE_ENVMAP ) || defined( PHYSICAL )\n\tuniform float reflectivity;\n\tuniform float envMapIntensity;\n#endif\n#ifdef USE_ENVMAP\n\t#if ! defined( PHYSICAL ) && ( defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG ) )\n\t\tvarying vec3 vWorldPosition;\n\t#endif\n\t#ifdef ENVMAP_TYPE_CUBE\n\t\tuniform samplerCube envMap;\n\t#else\n\t\tuniform sampler2D envMap;\n\t#endif\n\tuniform float flipEnvMap;\n\tuniform int maxMipLevel;\n\t#if defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG ) || defined( PHYSICAL )\n\t\tuniform float refractionRatio;\n\t#else\n\t\tvarying vec3 vReflect;\n\t#endif\n#endif",envmap_pars_vertex:"#ifdef USE_ENVMAP\n\t#if defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG )\n\t\tvarying vec3 vWorldPosition;\n\t#else\n\t\tvarying vec3 vReflect;\n\t\tuniform float refractionRatio;\n\t#endif\n#endif",envmap_physical_pars_fragment:"#if defined( USE_ENVMAP ) && defined( PHYSICAL )\n\tvec3 getLightProbeIndirectIrradiance( const in GeometricContext geometry, const in int maxMIPLevel ) {\n\t\tvec3 worldNormal = inverseTransformDirection( geometry.normal, viewMatrix );\n\t\t#ifdef ENVMAP_TYPE_CUBE\n\t\t\tvec3 queryVec = vec3( flipEnvMap * worldNormal.x, worldNormal.yz );\n\t\t\t#ifdef TEXTURE_LOD_EXT\n\t\t\t\tvec4 envMapColor = textureCubeLodEXT( envMap, queryVec, float( maxMIPLevel ) );\n\t\t\t#else\n\t\t\t\tvec4 envMapColor = textureCube( envMap, queryVec, float( maxMIPLevel ) );\n\t\t\t#endif\n\t\t\tenvMapColor.rgb = envMapTexelToLinear( envMapColor ).rgb;\n\t\t#elif defined( ENVMAP_TYPE_CUBE_UV )\n\t\t\tvec3 queryVec = vec3( flipEnvMap * worldNormal.x, worldNormal.yz );\n\t\t\tvec4 envMapColor = textureCubeUV( envMap, queryVec, 1.0 );\n\t\t#else\n\t\t\tvec4 envMapColor = vec4( 0.0 );\n\t\t#endif\n\t\treturn PI * envMapColor.rgb * envMapIntensity;\n\t}\n\tfloat getSpecularMIPLevel( const in float blinnShininessExponent, const in int maxMIPLevel ) {\n\t\tfloat maxMIPLevelScalar = float( maxMIPLevel );\n\t\tfloat desiredMIPLevel = maxMIPLevelScalar + 0.79248 - 0.5 * log2( pow2( blinnShininessExponent ) + 1.0 );\n\t\treturn clamp( desiredMIPLevel, 0.0, maxMIPLevelScalar );\n\t}\n\tvec3 getLightProbeIndirectRadiance( const in GeometricContext geometry, const in float blinnShininessExponent, const in int maxMIPLevel ) {\n\t\t#ifdef ENVMAP_MODE_REFLECTION\n\t\t\tvec3 reflectVec = reflect( -geometry.viewDir, geometry.normal );\n\t\t#else\n\t\t\tvec3 reflectVec = refract( -geometry.viewDir, geometry.normal, refractionRatio );\n\t\t#endif\n\t\treflectVec = inverseTransformDirection( reflectVec, viewMatrix );\n\t\tfloat specularMIPLevel = getSpecularMIPLevel( blinnShininessExponent, maxMIPLevel );\n\t\t#ifdef ENVMAP_TYPE_CUBE\n\t\t\tvec3 queryReflectVec = vec3( flipEnvMap * reflectVec.x, reflectVec.yz );\n\t\t\t#ifdef TEXTURE_LOD_EXT\n\t\t\t\tvec4 envMapColor = textureCubeLodEXT( envMap, queryReflectVec, specularMIPLevel );\n\t\t\t#else\n\t\t\t\tvec4 envMapColor = textureCube( envMap, queryReflectVec, specularMIPLevel );\n\t\t\t#endif\n\t\t\tenvMapColor.rgb = envMapTexelToLinear( envMapColor ).rgb;\n\t\t#elif defined( ENVMAP_TYPE_CUBE_UV )\n\t\t\tvec3 queryReflectVec = vec3( flipEnvMap * reflectVec.x, reflectVec.yz );\n\t\t\tvec4 envMapColor = textureCubeUV( envMap, queryReflectVec, BlinnExponentToGGXRoughness(blinnShininessExponent ));\n\t\t#elif defined( ENVMAP_TYPE_EQUIREC )\n\t\t\tvec2 sampleUV;\n\t\t\tsampleUV.y = asin( clamp( reflectVec.y, - 1.0, 1.0 ) ) * RECIPROCAL_PI + 0.5;\n\t\t\tsampleUV.x = atan( reflectVec.z, reflectVec.x ) * RECIPROCAL_PI2 + 0.5;\n\t\t\t#ifdef TEXTURE_LOD_EXT\n\t\t\t\tvec4 envMapColor = texture2DLodEXT( envMap, sampleUV, specularMIPLevel );\n\t\t\t#else\n\t\t\t\tvec4 envMapColor = texture2D( envMap, sampleUV, specularMIPLevel );\n\t\t\t#endif\n\t\t\tenvMapColor.rgb = envMapTexelToLinear( envMapColor ).rgb;\n\t\t#elif defined( ENVMAP_TYPE_SPHERE )\n\t\t\tvec3 reflectView = normalize( ( viewMatrix * vec4( reflectVec, 0.0 ) ).xyz + vec3( 0.0,0.0,1.0 ) );\n\t\t\t#ifdef TEXTURE_LOD_EXT\n\t\t\t\tvec4 envMapColor = texture2DLodEXT( envMap, reflectView.xy * 0.5 + 0.5, specularMIPLevel );\n\t\t\t#else\n\t\t\t\tvec4 envMapColor = texture2D( envMap, reflectView.xy * 0.5 + 0.5, specularMIPLevel );\n\t\t\t#endif\n\t\t\tenvMapColor.rgb = envMapTexelToLinear( envMapColor ).rgb;\n\t\t#endif\n\t\treturn envMapColor.rgb * envMapIntensity;\n\t}\n#endif",envmap_vertex:"#ifdef USE_ENVMAP\n\t#if defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( PHONG )\n\t\tvWorldPosition = worldPosition.xyz;\n\t#else\n\t\tvec3 cameraToVertex = normalize( worldPosition.xyz - cameraPosition );\n\t\tvec3 worldNormal = inverseTransformDirection( transformedNormal, viewMatrix );\n\t\t#ifdef ENVMAP_MODE_REFLECTION\n\t\t\tvReflect = reflect( cameraToVertex, worldNormal );\n\t\t#else\n\t\t\tvReflect = refract( cameraToVertex, worldNormal, refractionRatio );\n\t\t#endif\n\t#endif\n#endif",fog_vertex:"#ifdef USE_FOG\n\tfogDepth = -mvPosition.z;\n#endif",fog_pars_vertex:"#ifdef USE_FOG\n\tvarying float fogDepth;\n#endif",fog_fragment:"#ifdef USE_FOG\n\t#ifdef FOG_EXP2\n\t\tfloat fogFactor = whiteCompliment( exp2( - fogDensity * fogDensity * fogDepth * fogDepth * LOG2 ) );\n\t#else\n\t\tfloat fogFactor = smoothstep( fogNear, fogFar, fogDepth );\n\t#endif\n\tgl_FragColor.rgb = mix( gl_FragColor.rgb, fogColor, fogFactor );\n#endif",fog_pars_fragment:"#ifdef USE_FOG\n\tuniform vec3 fogColor;\n\tvarying float fogDepth;\n\t#ifdef FOG_EXP2\n\t\tuniform float fogDensity;\n\t#else\n\t\tuniform float fogNear;\n\t\tuniform float fogFar;\n\t#endif\n#endif",gradientmap_pars_fragment:"#ifdef TOON\n\tuniform sampler2D gradientMap;\n\tvec3 getGradientIrradiance( vec3 normal, vec3 lightDirection ) {\n\t\tfloat dotNL = dot( normal, lightDirection );\n\t\tvec2 coord = vec2( dotNL * 0.5 + 0.5, 0.0 );\n\t\t#ifdef USE_GRADIENTMAP\n\t\t\treturn texture2D( gradientMap, coord ).rgb;\n\t\t#else\n\t\t\treturn ( coord.x < 0.7 ) ? vec3( 0.7 ) : vec3( 1.0 );\n\t\t#endif\n\t}\n#endif",lightmap_fragment:"#ifdef USE_LIGHTMAP\n\treflectedLight.indirectDiffuse += PI * texture2D( lightMap, vUv2 ).xyz * lightMapIntensity;\n#endif",lightmap_pars_fragment:"#ifdef USE_LIGHTMAP\n\tuniform sampler2D lightMap;\n\tuniform float lightMapIntensity;\n#endif",lights_lambert_vertex:"vec3 diffuse = vec3( 1.0 );\nGeometricContext geometry;\ngeometry.position = mvPosition.xyz;\ngeometry.normal = normalize( transformedNormal );\ngeometry.viewDir = normalize( -mvPosition.xyz );\nGeometricContext backGeometry;\nbackGeometry.position = geometry.position;\nbackGeometry.normal = -geometry.normal;\nbackGeometry.viewDir = geometry.viewDir;\nvLightFront = vec3( 0.0 );\n#ifdef DOUBLE_SIDED\n\tvLightBack = vec3( 0.0 );\n#endif\nIncidentLight directLight;\nfloat dotNL;\nvec3 directLightColor_Diffuse;\n#if NUM_POINT_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_POINT_LIGHTS; i ++ ) {\n\t\tgetPointDirectLightIrradiance( pointLights[ i ], geometry, directLight );\n\t\tdotNL = dot( geometry.normal, directLight.direction );\n\t\tdirectLightColor_Diffuse = PI * directLight.color;\n\t\tvLightFront += saturate( dotNL ) * directLightColor_Diffuse;\n\t\t#ifdef DOUBLE_SIDED\n\t\t\tvLightBack += saturate( -dotNL ) * directLightColor_Diffuse;\n\t\t#endif\n\t}\n#endif\n#if NUM_SPOT_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_SPOT_LIGHTS; i ++ ) {\n\t\tgetSpotDirectLightIrradiance( spotLights[ i ], geometry, directLight );\n\t\tdotNL = dot( geometry.normal, directLight.direction );\n\t\tdirectLightColor_Diffuse = PI * directLight.color;\n\t\tvLightFront += saturate( dotNL ) * directLightColor_Diffuse;\n\t\t#ifdef DOUBLE_SIDED\n\t\t\tvLightBack += saturate( -dotNL ) * directLightColor_Diffuse;\n\t\t#endif\n\t}\n#endif\n#if NUM_DIR_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_DIR_LIGHTS; i ++ ) {\n\t\tgetDirectionalDirectLightIrradiance( directionalLights[ i ], geometry, directLight );\n\t\tdotNL = dot( geometry.normal, directLight.direction );\n\t\tdirectLightColor_Diffuse = PI * directLight.color;\n\t\tvLightFront += saturate( dotNL ) * directLightColor_Diffuse;\n\t\t#ifdef DOUBLE_SIDED\n\t\t\tvLightBack += saturate( -dotNL ) * directLightColor_Diffuse;\n\t\t#endif\n\t}\n#endif\n#if NUM_HEMI_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_HEMI_LIGHTS; i ++ ) {\n\t\tvLightFront += getHemisphereLightIrradiance( hemisphereLights[ i ], geometry );\n\t\t#ifdef DOUBLE_SIDED\n\t\t\tvLightBack += getHemisphereLightIrradiance( hemisphereLights[ i ], backGeometry );\n\t\t#endif\n\t}\n#endif",lights_pars_begin:"uniform vec3 ambientLightColor;\nvec3 getAmbientLightIrradiance( const in vec3 ambientLightColor ) {\n\tvec3 irradiance = ambientLightColor;\n\t#ifndef PHYSICALLY_CORRECT_LIGHTS\n\t\tirradiance *= PI;\n\t#endif\n\treturn irradiance;\n}\n#if NUM_DIR_LIGHTS > 0\n\tstruct DirectionalLight {\n\t\tvec3 direction;\n\t\tvec3 color;\n\t\tint shadow;\n\t\tfloat shadowBias;\n\t\tfloat shadowRadius;\n\t\tvec2 shadowMapSize;\n\t};\n\tuniform DirectionalLight directionalLights[ NUM_DIR_LIGHTS ];\n\tvoid getDirectionalDirectLightIrradiance( const in DirectionalLight directionalLight, const in GeometricContext geometry, out IncidentLight directLight ) {\n\t\tdirectLight.color = directionalLight.color;\n\t\tdirectLight.direction = directionalLight.direction;\n\t\tdirectLight.visible = true;\n\t}\n#endif\n#if NUM_POINT_LIGHTS > 0\n\tstruct PointLight {\n\t\tvec3 position;\n\t\tvec3 color;\n\t\tfloat distance;\n\t\tfloat decay;\n\t\tint shadow;\n\t\tfloat shadowBias;\n\t\tfloat shadowRadius;\n\t\tvec2 shadowMapSize;\n\t\tfloat shadowCameraNear;\n\t\tfloat shadowCameraFar;\n\t};\n\tuniform PointLight pointLights[ NUM_POINT_LIGHTS ];\n\tvoid getPointDirectLightIrradiance( const in PointLight pointLight, const in GeometricContext geometry, out IncidentLight directLight ) {\n\t\tvec3 lVector = pointLight.position - geometry.position;\n\t\tdirectLight.direction = normalize( lVector );\n\t\tfloat lightDistance = length( lVector );\n\t\tdirectLight.color = pointLight.color;\n\t\tdirectLight.color *= punctualLightIntensityToIrradianceFactor( lightDistance, pointLight.distance, pointLight.decay );\n\t\tdirectLight.visible = ( directLight.color != vec3( 0.0 ) );\n\t}\n#endif\n#if NUM_SPOT_LIGHTS > 0\n\tstruct SpotLight {\n\t\tvec3 position;\n\t\tvec3 direction;\n\t\tvec3 color;\n\t\tfloat distance;\n\t\tfloat decay;\n\t\tfloat coneCos;\n\t\tfloat penumbraCos;\n\t\tint shadow;\n\t\tfloat shadowBias;\n\t\tfloat shadowRadius;\n\t\tvec2 shadowMapSize;\n\t};\n\tuniform SpotLight spotLights[ NUM_SPOT_LIGHTS ];\n\tvoid getSpotDirectLightIrradiance( const in SpotLight spotLight, const in GeometricContext geometry, out IncidentLight directLight ) {\n\t\tvec3 lVector = spotLight.position - geometry.position;\n\t\tdirectLight.direction = normalize( lVector );\n\t\tfloat lightDistance = length( lVector );\n\t\tfloat angleCos = dot( directLight.direction, spotLight.direction );\n\t\tif ( angleCos > spotLight.coneCos ) {\n\t\t\tfloat spotEffect = smoothstep( spotLight.coneCos, spotLight.penumbraCos, angleCos );\n\t\t\tdirectLight.color = spotLight.color;\n\t\t\tdirectLight.color *= spotEffect * punctualLightIntensityToIrradianceFactor( lightDistance, spotLight.distance, spotLight.decay );\n\t\t\tdirectLight.visible = true;\n\t\t} else {\n\t\t\tdirectLight.color = vec3( 0.0 );\n\t\t\tdirectLight.visible = false;\n\t\t}\n\t}\n#endif\n#if NUM_RECT_AREA_LIGHTS > 0\n\tstruct RectAreaLight {\n\t\tvec3 color;\n\t\tvec3 position;\n\t\tvec3 halfWidth;\n\t\tvec3 halfHeight;\n\t};\n\tuniform sampler2D ltc_1;\tuniform sampler2D ltc_2;\n\tuniform RectAreaLight rectAreaLights[ NUM_RECT_AREA_LIGHTS ];\n#endif\n#if NUM_HEMI_LIGHTS > 0\n\tstruct HemisphereLight {\n\t\tvec3 direction;\n\t\tvec3 skyColor;\n\t\tvec3 groundColor;\n\t};\n\tuniform HemisphereLight hemisphereLights[ NUM_HEMI_LIGHTS ];\n\tvec3 getHemisphereLightIrradiance( const in HemisphereLight hemiLight, const in GeometricContext geometry ) {\n\t\tfloat dotNL = dot( geometry.normal, hemiLight.direction );\n\t\tfloat hemiDiffuseWeight = 0.5 * dotNL + 0.5;\n\t\tvec3 irradiance = mix( hemiLight.groundColor, hemiLight.skyColor, hemiDiffuseWeight );\n\t\t#ifndef PHYSICALLY_CORRECT_LIGHTS\n\t\t\tirradiance *= PI;\n\t\t#endif\n\t\treturn irradiance;\n\t}\n#endif",lights_phong_fragment:"BlinnPhongMaterial material;\nmaterial.diffuseColor = diffuseColor.rgb;\nmaterial.specularColor = specular;\nmaterial.specularShininess = shininess;\nmaterial.specularStrength = specularStrength;",lights_phong_pars_fragment:"varying vec3 vViewPosition;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\nstruct BlinnPhongMaterial {\n\tvec3\tdiffuseColor;\n\tvec3\tspecularColor;\n\tfloat\tspecularShininess;\n\tfloat\tspecularStrength;\n};\nvoid RE_Direct_BlinnPhong( const in IncidentLight directLight, const in GeometricContext geometry, const in BlinnPhongMaterial material, inout ReflectedLight reflectedLight ) {\n\t#ifdef TOON\n\t\tvec3 irradiance = getGradientIrradiance( geometry.normal, directLight.direction ) * directLight.color;\n\t#else\n\t\tfloat dotNL = saturate( dot( geometry.normal, directLight.direction ) );\n\t\tvec3 irradiance = dotNL * directLight.color;\n\t#endif\n\t#ifndef PHYSICALLY_CORRECT_LIGHTS\n\t\tirradiance *= PI;\n\t#endif\n\treflectedLight.directDiffuse += irradiance * BRDF_Diffuse_Lambert( material.diffuseColor );\n\treflectedLight.directSpecular += irradiance * BRDF_Specular_BlinnPhong( directLight, geometry, material.specularColor, material.specularShininess ) * material.specularStrength;\n}\nvoid RE_IndirectDiffuse_BlinnPhong( const in vec3 irradiance, const in GeometricContext geometry, const in BlinnPhongMaterial material, inout ReflectedLight reflectedLight ) {\n\treflectedLight.indirectDiffuse += irradiance * BRDF_Diffuse_Lambert( material.diffuseColor );\n}\n#define RE_Direct\t\t\t\tRE_Direct_BlinnPhong\n#define RE_IndirectDiffuse\t\tRE_IndirectDiffuse_BlinnPhong\n#define Material_LightProbeLOD( material )\t(0)",lights_physical_fragment:"PhysicalMaterial material;\nmaterial.diffuseColor = diffuseColor.rgb * ( 1.0 - metalnessFactor );\nmaterial.specularRoughness = clamp( roughnessFactor, 0.04, 1.0 );\n#ifdef STANDARD\n\tmaterial.specularColor = mix( vec3( DEFAULT_SPECULAR_COEFFICIENT ), diffuseColor.rgb, metalnessFactor );\n#else\n\tmaterial.specularColor = mix( vec3( MAXIMUM_SPECULAR_COEFFICIENT * pow2( reflectivity ) ), diffuseColor.rgb, metalnessFactor );\n\tmaterial.clearCoat = saturate( clearCoat );\tmaterial.clearCoatRoughness = clamp( clearCoatRoughness, 0.04, 1.0 );\n#endif",lights_physical_pars_fragment:"struct PhysicalMaterial {\n\tvec3\tdiffuseColor;\n\tfloat\tspecularRoughness;\n\tvec3\tspecularColor;\n\t#ifndef STANDARD\n\t\tfloat clearCoat;\n\t\tfloat clearCoatRoughness;\n\t#endif\n};\n#define MAXIMUM_SPECULAR_COEFFICIENT 0.16\n#define DEFAULT_SPECULAR_COEFFICIENT 0.04\nfloat clearCoatDHRApprox( const in float roughness, const in float dotNL ) {\n\treturn DEFAULT_SPECULAR_COEFFICIENT + ( 1.0 - DEFAULT_SPECULAR_COEFFICIENT ) * ( pow( 1.0 - dotNL, 5.0 ) * pow( 1.0 - roughness, 2.0 ) );\n}\n#if NUM_RECT_AREA_LIGHTS > 0\n\tvoid RE_Direct_RectArea_Physical( const in RectAreaLight rectAreaLight, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) {\n\t\tvec3 normal = geometry.normal;\n\t\tvec3 viewDir = geometry.viewDir;\n\t\tvec3 position = geometry.position;\n\t\tvec3 lightPos = rectAreaLight.position;\n\t\tvec3 halfWidth = rectAreaLight.halfWidth;\n\t\tvec3 halfHeight = rectAreaLight.halfHeight;\n\t\tvec3 lightColor = rectAreaLight.color;\n\t\tfloat roughness = material.specularRoughness;\n\t\tvec3 rectCoords[ 4 ];\n\t\trectCoords[ 0 ] = lightPos + halfWidth - halfHeight;\t\trectCoords[ 1 ] = lightPos - halfWidth - halfHeight;\n\t\trectCoords[ 2 ] = lightPos - halfWidth + halfHeight;\n\t\trectCoords[ 3 ] = lightPos + halfWidth + halfHeight;\n\t\tvec2 uv = LTC_Uv( normal, viewDir, roughness );\n\t\tvec4 t1 = texture2D( ltc_1, uv );\n\t\tvec4 t2 = texture2D( ltc_2, uv );\n\t\tmat3 mInv = mat3(\n\t\t\tvec3( t1.x, 0, t1.y ),\n\t\t\tvec3( 0, 1, 0 ),\n\t\t\tvec3( t1.z, 0, t1.w )\n\t\t);\n\t\tvec3 fresnel = ( material.specularColor * t2.x + ( vec3( 1.0 ) - material.specularColor ) * t2.y );\n\t\treflectedLight.directSpecular += lightColor * fresnel * LTC_Evaluate( normal, viewDir, position, mInv, rectCoords );\n\t\treflectedLight.directDiffuse += lightColor * material.diffuseColor * LTC_Evaluate( normal, viewDir, position, mat3( 1.0 ), rectCoords );\n\t}\n#endif\nvoid RE_Direct_Physical( const in IncidentLight directLight, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) {\n\tfloat dotNL = saturate( dot( geometry.normal, directLight.direction ) );\n\tvec3 irradiance = dotNL * directLight.color;\n\t#ifndef PHYSICALLY_CORRECT_LIGHTS\n\t\tirradiance *= PI;\n\t#endif\n\t#ifndef STANDARD\n\t\tfloat clearCoatDHR = material.clearCoat * clearCoatDHRApprox( material.clearCoatRoughness, dotNL );\n\t#else\n\t\tfloat clearCoatDHR = 0.0;\n\t#endif\n\treflectedLight.directSpecular += ( 1.0 - clearCoatDHR ) * irradiance * BRDF_Specular_GGX( directLight, geometry, material.specularColor, material.specularRoughness );\n\treflectedLight.directDiffuse += ( 1.0 - clearCoatDHR ) * irradiance * BRDF_Diffuse_Lambert( material.diffuseColor );\n\t#ifndef STANDARD\n\t\treflectedLight.directSpecular += irradiance * material.clearCoat * BRDF_Specular_GGX( directLight, geometry, vec3( DEFAULT_SPECULAR_COEFFICIENT ), material.clearCoatRoughness );\n\t#endif\n}\nvoid RE_IndirectDiffuse_Physical( const in vec3 irradiance, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) {\n\treflectedLight.indirectDiffuse += irradiance * BRDF_Diffuse_Lambert( material.diffuseColor );\n}\nvoid RE_IndirectSpecular_Physical( const in vec3 radiance, const in vec3 clearCoatRadiance, const in GeometricContext geometry, const in PhysicalMaterial material, inout ReflectedLight reflectedLight ) {\n\t#ifndef STANDARD\n\t\tfloat dotNV = saturate( dot( geometry.normal, geometry.viewDir ) );\n\t\tfloat dotNL = dotNV;\n\t\tfloat clearCoatDHR = material.clearCoat * clearCoatDHRApprox( material.clearCoatRoughness, dotNL );\n\t#else\n\t\tfloat clearCoatDHR = 0.0;\n\t#endif\n\treflectedLight.indirectSpecular += ( 1.0 - clearCoatDHR ) * radiance * BRDF_Specular_GGX_Environment( geometry, material.specularColor, material.specularRoughness );\n\t#ifndef STANDARD\n\t\treflectedLight.indirectSpecular += clearCoatRadiance * material.clearCoat * BRDF_Specular_GGX_Environment( geometry, vec3( DEFAULT_SPECULAR_COEFFICIENT ), material.clearCoatRoughness );\n\t#endif\n}\n#define RE_Direct\t\t\t\tRE_Direct_Physical\n#define RE_Direct_RectArea\t\tRE_Direct_RectArea_Physical\n#define RE_IndirectDiffuse\t\tRE_IndirectDiffuse_Physical\n#define RE_IndirectSpecular\t\tRE_IndirectSpecular_Physical\n#define Material_BlinnShininessExponent( material ) GGXRoughnessToBlinnExponent( material.specularRoughness )\n#define Material_ClearCoat_BlinnShininessExponent( material ) GGXRoughnessToBlinnExponent( material.clearCoatRoughness )\nfloat computeSpecularOcclusion( const in float dotNV, const in float ambientOcclusion, const in float roughness ) {\n\treturn saturate( pow( dotNV + ambientOcclusion, exp2( - 16.0 * roughness - 1.0 ) ) - 1.0 + ambientOcclusion );\n}",lights_fragment_begin:"\nGeometricContext geometry;\ngeometry.position = - vViewPosition;\ngeometry.normal = normal;\ngeometry.viewDir = normalize( vViewPosition );\nIncidentLight directLight;\n#if ( NUM_POINT_LIGHTS > 0 ) && defined( RE_Direct )\n\tPointLight pointLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_POINT_LIGHTS; i ++ ) {\n\t\tpointLight = pointLights[ i ];\n\t\tgetPointDirectLightIrradiance( pointLight, geometry, directLight );\n\t\t#ifdef USE_SHADOWMAP\n\t\tdirectLight.color *= all( bvec2( pointLight.shadow, directLight.visible ) ) ? getPointShadow( pointShadowMap[ i ], pointLight.shadowMapSize, pointLight.shadowBias, pointLight.shadowRadius, vPointShadowCoord[ i ], pointLight.shadowCameraNear, pointLight.shadowCameraFar ) : 1.0;\n\t\t#endif\n\t\tRE_Direct( directLight, geometry, material, reflectedLight );\n\t}\n#endif\n#if ( NUM_SPOT_LIGHTS > 0 ) && defined( RE_Direct )\n\tSpotLight spotLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_SPOT_LIGHTS; i ++ ) {\n\t\tspotLight = spotLights[ i ];\n\t\tgetSpotDirectLightIrradiance( spotLight, geometry, directLight );\n\t\t#ifdef USE_SHADOWMAP\n\t\tdirectLight.color *= all( bvec2( spotLight.shadow, directLight.visible ) ) ? getShadow( spotShadowMap[ i ], spotLight.shadowMapSize, spotLight.shadowBias, spotLight.shadowRadius, vSpotShadowCoord[ i ] ) : 1.0;\n\t\t#endif\n\t\tRE_Direct( directLight, geometry, material, reflectedLight );\n\t}\n#endif\n#if ( NUM_DIR_LIGHTS > 0 ) && defined( RE_Direct )\n\tDirectionalLight directionalLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_DIR_LIGHTS; i ++ ) {\n\t\tdirectionalLight = directionalLights[ i ];\n\t\tgetDirectionalDirectLightIrradiance( directionalLight, geometry, directLight );\n\t\t#ifdef USE_SHADOWMAP\n\t\tdirectLight.color *= all( bvec2( directionalLight.shadow, directLight.visible ) ) ? getShadow( directionalShadowMap[ i ], directionalLight.shadowMapSize, directionalLight.shadowBias, directionalLight.shadowRadius, vDirectionalShadowCoord[ i ] ) : 1.0;\n\t\t#endif\n\t\tRE_Direct( directLight, geometry, material, reflectedLight );\n\t}\n#endif\n#if ( NUM_RECT_AREA_LIGHTS > 0 ) && defined( RE_Direct_RectArea )\n\tRectAreaLight rectAreaLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_RECT_AREA_LIGHTS; i ++ ) {\n\t\trectAreaLight = rectAreaLights[ i ];\n\t\tRE_Direct_RectArea( rectAreaLight, geometry, material, reflectedLight );\n\t}\n#endif\n#if defined( RE_IndirectDiffuse )\n\tvec3 irradiance = getAmbientLightIrradiance( ambientLightColor );\n\t#if ( NUM_HEMI_LIGHTS > 0 )\n\t\t#pragma unroll_loop\n\t\tfor ( int i = 0; i < NUM_HEMI_LIGHTS; i ++ ) {\n\t\t\tirradiance += getHemisphereLightIrradiance( hemisphereLights[ i ], geometry );\n\t\t}\n\t#endif\n#endif\n#if defined( RE_IndirectSpecular )\n\tvec3 radiance = vec3( 0.0 );\n\tvec3 clearCoatRadiance = vec3( 0.0 );\n#endif",lights_fragment_maps:"#if defined( RE_IndirectDiffuse )\n\t#ifdef USE_LIGHTMAP\n\t\tvec3 lightMapIrradiance = texture2D( lightMap, vUv2 ).xyz * lightMapIntensity;\n\t\t#ifndef PHYSICALLY_CORRECT_LIGHTS\n\t\t\tlightMapIrradiance *= PI;\n\t\t#endif\n\t\tirradiance += lightMapIrradiance;\n\t#endif\n\t#if defined( USE_ENVMAP ) && defined( PHYSICAL ) && defined( ENVMAP_TYPE_CUBE_UV )\n\t\tirradiance += getLightProbeIndirectIrradiance( geometry, maxMipLevel );\n\t#endif\n#endif\n#if defined( USE_ENVMAP ) && defined( RE_IndirectSpecular )\n\tradiance += getLightProbeIndirectRadiance( geometry, Material_BlinnShininessExponent( material ), maxMipLevel );\n\t#ifndef STANDARD\n\t\tclearCoatRadiance += getLightProbeIndirectRadiance( geometry, Material_ClearCoat_BlinnShininessExponent( material ), maxMipLevel );\n\t#endif\n#endif",lights_fragment_end:"#if defined( RE_IndirectDiffuse )\n\tRE_IndirectDiffuse( irradiance, geometry, material, reflectedLight );\n#endif\n#if defined( RE_IndirectSpecular )\n\tRE_IndirectSpecular( radiance, clearCoatRadiance, geometry, material, reflectedLight );\n#endif",logdepthbuf_fragment:"#if defined( USE_LOGDEPTHBUF ) && defined( USE_LOGDEPTHBUF_EXT )\n\tgl_FragDepthEXT = log2( vFragDepth ) * logDepthBufFC * 0.5;\n#endif",logdepthbuf_pars_fragment:"#if defined( USE_LOGDEPTHBUF ) && defined( USE_LOGDEPTHBUF_EXT )\n\tuniform float logDepthBufFC;\n\tvarying float vFragDepth;\n#endif",logdepthbuf_pars_vertex:"#ifdef USE_LOGDEPTHBUF\n\t#ifdef USE_LOGDEPTHBUF_EXT\n\t\tvarying float vFragDepth;\n\t#else\n\t\tuniform float logDepthBufFC;\n\t#endif\n#endif",logdepthbuf_vertex:"#ifdef USE_LOGDEPTHBUF\n\t#ifdef USE_LOGDEPTHBUF_EXT\n\t\tvFragDepth = 1.0 + gl_Position.w;\n\t#else\n\t\tgl_Position.z = log2( max( EPSILON, gl_Position.w + 1.0 ) ) * logDepthBufFC - 1.0;\n\t\tgl_Position.z *= gl_Position.w;\n\t#endif\n#endif",map_fragment:"#ifdef USE_MAP\n\tvec4 texelColor = texture2D( map, vUv );\n\ttexelColor = mapTexelToLinear( texelColor );\n\tdiffuseColor *= texelColor;\n#endif",map_pars_fragment:"#ifdef USE_MAP\n\tuniform sampler2D map;\n#endif",map_particle_fragment:"#ifdef USE_MAP\n\tvec2 uv = ( uvTransform * vec3( gl_PointCoord.x, 1.0 - gl_PointCoord.y, 1 ) ).xy;\n\tvec4 mapTexel = texture2D( map, uv );\n\tdiffuseColor *= mapTexelToLinear( mapTexel );\n#endif",map_particle_pars_fragment:"#ifdef USE_MAP\n\tuniform mat3 uvTransform;\n\tuniform sampler2D map;\n#endif",metalnessmap_fragment:"float metalnessFactor = metalness;\n#ifdef USE_METALNESSMAP\n\tvec4 texelMetalness = texture2D( metalnessMap, vUv );\n\tmetalnessFactor *= texelMetalness.b;\n#endif",metalnessmap_pars_fragment:"#ifdef USE_METALNESSMAP\n\tuniform sampler2D metalnessMap;\n#endif",morphnormal_vertex:"#ifdef USE_MORPHNORMALS\n\tobjectNormal += ( morphNormal0 - normal ) * morphTargetInfluences[ 0 ];\n\tobjectNormal += ( morphNormal1 - normal ) * morphTargetInfluences[ 1 ];\n\tobjectNormal += ( morphNormal2 - normal ) * morphTargetInfluences[ 2 ];\n\tobjectNormal += ( morphNormal3 - normal ) * morphTargetInfluences[ 3 ];\n#endif",morphtarget_pars_vertex:"#ifdef USE_MORPHTARGETS\n\t#ifndef USE_MORPHNORMALS\n\tuniform float morphTargetInfluences[ 8 ];\n\t#else\n\tuniform float morphTargetInfluences[ 4 ];\n\t#endif\n#endif",morphtarget_vertex:"#ifdef USE_MORPHTARGETS\n\ttransformed += ( morphTarget0 - position ) * morphTargetInfluences[ 0 ];\n\ttransformed += ( morphTarget1 - position ) * morphTargetInfluences[ 1 ];\n\ttransformed += ( morphTarget2 - position ) * morphTargetInfluences[ 2 ];\n\ttransformed += ( morphTarget3 - position ) * morphTargetInfluences[ 3 ];\n\t#ifndef USE_MORPHNORMALS\n\ttransformed += ( morphTarget4 - position ) * morphTargetInfluences[ 4 ];\n\ttransformed += ( morphTarget5 - position ) * morphTargetInfluences[ 5 ];\n\ttransformed += ( morphTarget6 - position ) * morphTargetInfluences[ 6 ];\n\ttransformed += ( morphTarget7 - position ) * morphTargetInfluences[ 7 ];\n\t#endif\n#endif",normal_fragment_begin:"#ifdef FLAT_SHADED\n\tvec3 fdx = vec3( dFdx( vViewPosition.x ), dFdx( vViewPosition.y ), dFdx( vViewPosition.z ) );\n\tvec3 fdy = vec3( dFdy( vViewPosition.x ), dFdy( vViewPosition.y ), dFdy( vViewPosition.z ) );\n\tvec3 normal = normalize( cross( fdx, fdy ) );\n#else\n\tvec3 normal = normalize( vNormal );\n\t#ifdef DOUBLE_SIDED\n\t\tnormal = normal * ( float( gl_FrontFacing ) * 2.0 - 1.0 );\n\t#endif\n#endif",normal_fragment_maps:"#ifdef USE_NORMALMAP\n\t#ifdef OBJECTSPACE_NORMALMAP\n\t\tnormal = texture2D( normalMap, vUv ).xyz * 2.0 - 1.0;\n\t\t#ifdef FLIP_SIDED\n\t\t\tnormal = - normal;\n\t\t#endif\n\t\t#ifdef DOUBLE_SIDED\n\t\t\tnormal = normal * ( float( gl_FrontFacing ) * 2.0 - 1.0 );\n\t\t#endif\n\t\tnormal = normalize( normalMatrix * normal );\n\t#else\n\t\tnormal = perturbNormal2Arb( -vViewPosition, normal );\n\t#endif\n#elif defined( USE_BUMPMAP )\n\tnormal = perturbNormalArb( -vViewPosition, normal, dHdxy_fwd() );\n#endif",normalmap_pars_fragment:"#ifdef USE_NORMALMAP\n\tuniform sampler2D normalMap;\n\tuniform vec2 normalScale;\n\t#ifdef OBJECTSPACE_NORMALMAP\n\t\tuniform mat3 normalMatrix;\n\t#else\n\t\tvec3 perturbNormal2Arb( vec3 eye_pos, vec3 surf_norm ) {\n\t\t\tvec3 q0 = vec3( dFdx( eye_pos.x ), dFdx( eye_pos.y ), dFdx( eye_pos.z ) );\n\t\t\tvec3 q1 = vec3( dFdy( eye_pos.x ), dFdy( eye_pos.y ), dFdy( eye_pos.z ) );\n\t\t\tvec2 st0 = dFdx( vUv.st );\n\t\t\tvec2 st1 = dFdy( vUv.st );\n\t\t\tfloat scale = sign( st1.t * st0.s - st0.t * st1.s );\n\t\t\tvec3 S = normalize( ( q0 * st1.t - q1 * st0.t ) * scale );\n\t\t\tvec3 T = normalize( ( - q0 * st1.s + q1 * st0.s ) * scale );\n\t\t\tvec3 N = normalize( surf_norm );\n\t\t\tmat3 tsn = mat3( S, T, N );\n\t\t\tvec3 mapN = texture2D( normalMap, vUv ).xyz * 2.0 - 1.0;\n\t\t\tmapN.xy *= normalScale;\n\t\t\tmapN.xy *= ( float( gl_FrontFacing ) * 2.0 - 1.0 );\n\t\t\treturn normalize( tsn * mapN );\n\t\t}\n\t#endif\n#endif",packing:"vec3 packNormalToRGB( const in vec3 normal ) {\n\treturn normalize( normal ) * 0.5 + 0.5;\n}\nvec3 unpackRGBToNormal( const in vec3 rgb ) {\n\treturn 2.0 * rgb.xyz - 1.0;\n}\nconst float PackUpscale = 256. / 255.;const float UnpackDownscale = 255. / 256.;\nconst vec3 PackFactors = vec3( 256. * 256. * 256., 256. * 256., 256. );\nconst vec4 UnpackFactors = UnpackDownscale / vec4( PackFactors, 1. );\nconst float ShiftRight8 = 1. / 256.;\nvec4 packDepthToRGBA( const in float v ) {\n\tvec4 r = vec4( fract( v * PackFactors ), v );\n\tr.yzw -= r.xyz * ShiftRight8;\treturn r * PackUpscale;\n}\nfloat unpackRGBAToDepth( const in vec4 v ) {\n\treturn dot( v, UnpackFactors );\n}\nfloat viewZToOrthographicDepth( const in float viewZ, const in float near, const in float far ) {\n\treturn ( viewZ + near ) / ( near - far );\n}\nfloat orthographicDepthToViewZ( const in float linearClipZ, const in float near, const in float far ) {\n\treturn linearClipZ * ( near - far ) - near;\n}\nfloat viewZToPerspectiveDepth( const in float viewZ, const in float near, const in float far ) {\n\treturn (( near + viewZ ) * far ) / (( far - near ) * viewZ );\n}\nfloat perspectiveDepthToViewZ( const in float invClipZ, const in float near, const in float far ) {\n\treturn ( near * far ) / ( ( far - near ) * invClipZ - far );\n}",premultiplied_alpha_fragment:"#ifdef PREMULTIPLIED_ALPHA\n\tgl_FragColor.rgb *= gl_FragColor.a;\n#endif",project_vertex:"vec4 mvPosition = modelViewMatrix * vec4( transformed, 1.0 );\ngl_Position = projectionMatrix * mvPosition;",dithering_fragment:"#if defined( DITHERING )\n gl_FragColor.rgb = dithering( gl_FragColor.rgb );\n#endif",dithering_pars_fragment:"#if defined( DITHERING )\n\tvec3 dithering( vec3 color ) {\n\t\tfloat grid_position = rand( gl_FragCoord.xy );\n\t\tvec3 dither_shift_RGB = vec3( 0.25 / 255.0, -0.25 / 255.0, 0.25 / 255.0 );\n\t\tdither_shift_RGB = mix( 2.0 * dither_shift_RGB, -2.0 * dither_shift_RGB, grid_position );\n\t\treturn color + dither_shift_RGB;\n\t}\n#endif",roughnessmap_fragment:"float roughnessFactor = roughness;\n#ifdef USE_ROUGHNESSMAP\n\tvec4 texelRoughness = texture2D( roughnessMap, vUv );\n\troughnessFactor *= texelRoughness.g;\n#endif",roughnessmap_pars_fragment:"#ifdef USE_ROUGHNESSMAP\n\tuniform sampler2D roughnessMap;\n#endif",shadowmap_pars_fragment:"#ifdef USE_SHADOWMAP\n\t#if NUM_DIR_LIGHTS > 0\n\t\tuniform sampler2D directionalShadowMap[ NUM_DIR_LIGHTS ];\n\t\tvarying vec4 vDirectionalShadowCoord[ NUM_DIR_LIGHTS ];\n\t#endif\n\t#if NUM_SPOT_LIGHTS > 0\n\t\tuniform sampler2D spotShadowMap[ NUM_SPOT_LIGHTS ];\n\t\tvarying vec4 vSpotShadowCoord[ NUM_SPOT_LIGHTS ];\n\t#endif\n\t#if NUM_POINT_LIGHTS > 0\n\t\tuniform sampler2D pointShadowMap[ NUM_POINT_LIGHTS ];\n\t\tvarying vec4 vPointShadowCoord[ NUM_POINT_LIGHTS ];\n\t#endif\n\tfloat texture2DCompare( sampler2D depths, vec2 uv, float compare ) {\n\t\treturn step( compare, unpackRGBAToDepth( texture2D( depths, uv ) ) );\n\t}\n\tfloat texture2DShadowLerp( sampler2D depths, vec2 size, vec2 uv, float compare ) {\n\t\tconst vec2 offset = vec2( 0.0, 1.0 );\n\t\tvec2 texelSize = vec2( 1.0 ) / size;\n\t\tvec2 centroidUV = floor( uv * size + 0.5 ) / size;\n\t\tfloat lb = texture2DCompare( depths, centroidUV + texelSize * offset.xx, compare );\n\t\tfloat lt = texture2DCompare( depths, centroidUV + texelSize * offset.xy, compare );\n\t\tfloat rb = texture2DCompare( depths, centroidUV + texelSize * offset.yx, compare );\n\t\tfloat rt = texture2DCompare( depths, centroidUV + texelSize * offset.yy, compare );\n\t\tvec2 f = fract( uv * size + 0.5 );\n\t\tfloat a = mix( lb, lt, f.y );\n\t\tfloat b = mix( rb, rt, f.y );\n\t\tfloat c = mix( a, b, f.x );\n\t\treturn c;\n\t}\n\tfloat getShadow( sampler2D shadowMap, vec2 shadowMapSize, float shadowBias, float shadowRadius, vec4 shadowCoord ) {\n\t\tfloat shadow = 1.0;\n\t\tshadowCoord.xyz /= shadowCoord.w;\n\t\tshadowCoord.z += shadowBias;\n\t\tbvec4 inFrustumVec = bvec4 ( shadowCoord.x >= 0.0, shadowCoord.x <= 1.0, shadowCoord.y >= 0.0, shadowCoord.y <= 1.0 );\n\t\tbool inFrustum = all( inFrustumVec );\n\t\tbvec2 frustumTestVec = bvec2( inFrustum, shadowCoord.z <= 1.0 );\n\t\tbool frustumTest = all( frustumTestVec );\n\t\tif ( frustumTest ) {\n\t\t#if defined( SHADOWMAP_TYPE_PCF )\n\t\t\tvec2 texelSize = vec2( 1.0 ) / shadowMapSize;\n\t\t\tfloat dx0 = - texelSize.x * shadowRadius;\n\t\t\tfloat dy0 = - texelSize.y * shadowRadius;\n\t\t\tfloat dx1 = + texelSize.x * shadowRadius;\n\t\t\tfloat dy1 = + texelSize.y * shadowRadius;\n\t\t\tshadow = (\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( dx0, dy0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( 0.0, dy0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( dx1, dy0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( dx0, 0.0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy, shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( dx1, 0.0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( dx0, dy1 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( 0.0, dy1 ), shadowCoord.z ) +\n\t\t\t\ttexture2DCompare( shadowMap, shadowCoord.xy + vec2( dx1, dy1 ), shadowCoord.z )\n\t\t\t) * ( 1.0 / 9.0 );\n\t\t#elif defined( SHADOWMAP_TYPE_PCF_SOFT )\n\t\t\tvec2 texelSize = vec2( 1.0 ) / shadowMapSize;\n\t\t\tfloat dx0 = - texelSize.x * shadowRadius;\n\t\t\tfloat dy0 = - texelSize.y * shadowRadius;\n\t\t\tfloat dx1 = + texelSize.x * shadowRadius;\n\t\t\tfloat dy1 = + texelSize.y * shadowRadius;\n\t\t\tshadow = (\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( dx0, dy0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( 0.0, dy0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( dx1, dy0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( dx0, 0.0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy, shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( dx1, 0.0 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( dx0, dy1 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( 0.0, dy1 ), shadowCoord.z ) +\n\t\t\t\ttexture2DShadowLerp( shadowMap, shadowMapSize, shadowCoord.xy + vec2( dx1, dy1 ), shadowCoord.z )\n\t\t\t) * ( 1.0 / 9.0 );\n\t\t#else\n\t\t\tshadow = texture2DCompare( shadowMap, shadowCoord.xy, shadowCoord.z );\n\t\t#endif\n\t\t}\n\t\treturn shadow;\n\t}\n\tvec2 cubeToUV( vec3 v, float texelSizeY ) {\n\t\tvec3 absV = abs( v );\n\t\tfloat scaleToCube = 1.0 / max( absV.x, max( absV.y, absV.z ) );\n\t\tabsV *= scaleToCube;\n\t\tv *= scaleToCube * ( 1.0 - 2.0 * texelSizeY );\n\t\tvec2 planar = v.xy;\n\t\tfloat almostATexel = 1.5 * texelSizeY;\n\t\tfloat almostOne = 1.0 - almostATexel;\n\t\tif ( absV.z >= almostOne ) {\n\t\t\tif ( v.z > 0.0 )\n\t\t\t\tplanar.x = 4.0 - v.x;\n\t\t} else if ( absV.x >= almostOne ) {\n\t\t\tfloat signX = sign( v.x );\n\t\t\tplanar.x = v.z * signX + 2.0 * signX;\n\t\t} else if ( absV.y >= almostOne ) {\n\t\t\tfloat signY = sign( v.y );\n\t\t\tplanar.x = v.x + 2.0 * signY + 2.0;\n\t\t\tplanar.y = v.z * signY - 2.0;\n\t\t}\n\t\treturn vec2( 0.125, 0.25 ) * planar + vec2( 0.375, 0.75 );\n\t}\n\tfloat getPointShadow( sampler2D shadowMap, vec2 shadowMapSize, float shadowBias, float shadowRadius, vec4 shadowCoord, float shadowCameraNear, float shadowCameraFar ) {\n\t\tvec2 texelSize = vec2( 1.0 ) / ( shadowMapSize * vec2( 4.0, 2.0 ) );\n\t\tvec3 lightToPosition = shadowCoord.xyz;\n\t\tfloat dp = ( length( lightToPosition ) - shadowCameraNear ) / ( shadowCameraFar - shadowCameraNear );\t\tdp += shadowBias;\n\t\tvec3 bd3D = normalize( lightToPosition );\n\t\t#if defined( SHADOWMAP_TYPE_PCF ) || defined( SHADOWMAP_TYPE_PCF_SOFT )\n\t\t\tvec2 offset = vec2( - 1, 1 ) * shadowRadius * texelSize.y;\n\t\t\treturn (\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.xyy, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.yyy, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.xyx, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.yyx, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.xxy, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.yxy, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.xxx, texelSize.y ), dp ) +\n\t\t\t\ttexture2DCompare( shadowMap, cubeToUV( bd3D + offset.yxx, texelSize.y ), dp )\n\t\t\t) * ( 1.0 / 9.0 );\n\t\t#else\n\t\t\treturn texture2DCompare( shadowMap, cubeToUV( bd3D, texelSize.y ), dp );\n\t\t#endif\n\t}\n#endif",shadowmap_pars_vertex:"#ifdef USE_SHADOWMAP\n\t#if NUM_DIR_LIGHTS > 0\n\t\tuniform mat4 directionalShadowMatrix[ NUM_DIR_LIGHTS ];\n\t\tvarying vec4 vDirectionalShadowCoord[ NUM_DIR_LIGHTS ];\n\t#endif\n\t#if NUM_SPOT_LIGHTS > 0\n\t\tuniform mat4 spotShadowMatrix[ NUM_SPOT_LIGHTS ];\n\t\tvarying vec4 vSpotShadowCoord[ NUM_SPOT_LIGHTS ];\n\t#endif\n\t#if NUM_POINT_LIGHTS > 0\n\t\tuniform mat4 pointShadowMatrix[ NUM_POINT_LIGHTS ];\n\t\tvarying vec4 vPointShadowCoord[ NUM_POINT_LIGHTS ];\n\t#endif\n#endif",shadowmap_vertex:"#ifdef USE_SHADOWMAP\n\t#if NUM_DIR_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_DIR_LIGHTS; i ++ ) {\n\t\tvDirectionalShadowCoord[ i ] = directionalShadowMatrix[ i ] * worldPosition;\n\t}\n\t#endif\n\t#if NUM_SPOT_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_SPOT_LIGHTS; i ++ ) {\n\t\tvSpotShadowCoord[ i ] = spotShadowMatrix[ i ] * worldPosition;\n\t}\n\t#endif\n\t#if NUM_POINT_LIGHTS > 0\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_POINT_LIGHTS; i ++ ) {\n\t\tvPointShadowCoord[ i ] = pointShadowMatrix[ i ] * worldPosition;\n\t}\n\t#endif\n#endif",shadowmask_pars_fragment:"float getShadowMask() {\n\tfloat shadow = 1.0;\n\t#ifdef USE_SHADOWMAP\n\t#if NUM_DIR_LIGHTS > 0\n\tDirectionalLight directionalLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_DIR_LIGHTS; i ++ ) {\n\t\tdirectionalLight = directionalLights[ i ];\n\t\tshadow *= bool( directionalLight.shadow ) ? getShadow( directionalShadowMap[ i ], directionalLight.shadowMapSize, directionalLight.shadowBias, directionalLight.shadowRadius, vDirectionalShadowCoord[ i ] ) : 1.0;\n\t}\n\t#endif\n\t#if NUM_SPOT_LIGHTS > 0\n\tSpotLight spotLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_SPOT_LIGHTS; i ++ ) {\n\t\tspotLight = spotLights[ i ];\n\t\tshadow *= bool( spotLight.shadow ) ? getShadow( spotShadowMap[ i ], spotLight.shadowMapSize, spotLight.shadowBias, spotLight.shadowRadius, vSpotShadowCoord[ i ] ) : 1.0;\n\t}\n\t#endif\n\t#if NUM_POINT_LIGHTS > 0\n\tPointLight pointLight;\n\t#pragma unroll_loop\n\tfor ( int i = 0; i < NUM_POINT_LIGHTS; i ++ ) {\n\t\tpointLight = pointLights[ i ];\n\t\tshadow *= bool( pointLight.shadow ) ? getPointShadow( pointShadowMap[ i ], pointLight.shadowMapSize, pointLight.shadowBias, pointLight.shadowRadius, vPointShadowCoord[ i ], pointLight.shadowCameraNear, pointLight.shadowCameraFar ) : 1.0;\n\t}\n\t#endif\n\t#endif\n\treturn shadow;\n}",skinbase_vertex:"#ifdef USE_SKINNING\n\tmat4 boneMatX = getBoneMatrix( skinIndex.x );\n\tmat4 boneMatY = getBoneMatrix( skinIndex.y );\n\tmat4 boneMatZ = getBoneMatrix( skinIndex.z );\n\tmat4 boneMatW = getBoneMatrix( skinIndex.w );\n#endif",skinning_pars_vertex:"#ifdef USE_SKINNING\n\tuniform mat4 bindMatrix;\n\tuniform mat4 bindMatrixInverse;\n\t#ifdef BONE_TEXTURE\n\t\tuniform sampler2D boneTexture;\n\t\tuniform int boneTextureSize;\n\t\tmat4 getBoneMatrix( const in float i ) {\n\t\t\tfloat j = i * 4.0;\n\t\t\tfloat x = mod( j, float( boneTextureSize ) );\n\t\t\tfloat y = floor( j / float( boneTextureSize ) );\n\t\t\tfloat dx = 1.0 / float( boneTextureSize );\n\t\t\tfloat dy = 1.0 / float( boneTextureSize );\n\t\t\ty = dy * ( y + 0.5 );\n\t\t\tvec4 v1 = texture2D( boneTexture, vec2( dx * ( x + 0.5 ), y ) );\n\t\t\tvec4 v2 = texture2D( boneTexture, vec2( dx * ( x + 1.5 ), y ) );\n\t\t\tvec4 v3 = texture2D( boneTexture, vec2( dx * ( x + 2.5 ), y ) );\n\t\t\tvec4 v4 = texture2D( boneTexture, vec2( dx * ( x + 3.5 ), y ) );\n\t\t\tmat4 bone = mat4( v1, v2, v3, v4 );\n\t\t\treturn bone;\n\t\t}\n\t#else\n\t\tuniform mat4 boneMatrices[ MAX_BONES ];\n\t\tmat4 getBoneMatrix( const in float i ) {\n\t\t\tmat4 bone = boneMatrices[ int(i) ];\n\t\t\treturn bone;\n\t\t}\n\t#endif\n#endif",skinning_vertex:"#ifdef USE_SKINNING\n\tvec4 skinVertex = bindMatrix * vec4( transformed, 1.0 );\n\tvec4 skinned = vec4( 0.0 );\n\tskinned += boneMatX * skinVertex * skinWeight.x;\n\tskinned += boneMatY * skinVertex * skinWeight.y;\n\tskinned += boneMatZ * skinVertex * skinWeight.z;\n\tskinned += boneMatW * skinVertex * skinWeight.w;\n\ttransformed = ( bindMatrixInverse * skinned ).xyz;\n#endif",skinnormal_vertex:"#ifdef USE_SKINNING\n\tmat4 skinMatrix = mat4( 0.0 );\n\tskinMatrix += skinWeight.x * boneMatX;\n\tskinMatrix += skinWeight.y * boneMatY;\n\tskinMatrix += skinWeight.z * boneMatZ;\n\tskinMatrix += skinWeight.w * boneMatW;\n\tskinMatrix = bindMatrixInverse * skinMatrix * bindMatrix;\n\tobjectNormal = vec4( skinMatrix * vec4( objectNormal, 0.0 ) ).xyz;\n#endif",specularmap_fragment:"float specularStrength;\n#ifdef USE_SPECULARMAP\n\tvec4 texelSpecular = texture2D( specularMap, vUv );\n\tspecularStrength = texelSpecular.r;\n#else\n\tspecularStrength = 1.0;\n#endif",specularmap_pars_fragment:"#ifdef USE_SPECULARMAP\n\tuniform sampler2D specularMap;\n#endif",tonemapping_fragment:"#if defined( TONE_MAPPING )\n gl_FragColor.rgb = toneMapping( gl_FragColor.rgb );\n#endif",tonemapping_pars_fragment:"#ifndef saturate\n\t#define saturate(a) clamp( a, 0.0, 1.0 )\n#endif\nuniform float toneMappingExposure;\nuniform float toneMappingWhitePoint;\nvec3 LinearToneMapping( vec3 color ) {\n\treturn toneMappingExposure * color;\n}\nvec3 ReinhardToneMapping( vec3 color ) {\n\tcolor *= toneMappingExposure;\n\treturn saturate( color / ( vec3( 1.0 ) + color ) );\n}\n#define Uncharted2Helper( x ) max( ( ( x * ( 0.15 * x + 0.10 * 0.50 ) + 0.20 * 0.02 ) / ( x * ( 0.15 * x + 0.50 ) + 0.20 * 0.30 ) ) - 0.02 / 0.30, vec3( 0.0 ) )\nvec3 Uncharted2ToneMapping( vec3 color ) {\n\tcolor *= toneMappingExposure;\n\treturn saturate( Uncharted2Helper( color ) / Uncharted2Helper( vec3( toneMappingWhitePoint ) ) );\n}\nvec3 OptimizedCineonToneMapping( vec3 color ) {\n\tcolor *= toneMappingExposure;\n\tcolor = max( vec3( 0.0 ), color - 0.004 );\n\treturn pow( ( color * ( 6.2 * color + 0.5 ) ) / ( color * ( 6.2 * color + 1.7 ) + 0.06 ), vec3( 2.2 ) );\n}\nvec3 ACESFilmicToneMapping( vec3 color ) {\n\tcolor *= toneMappingExposure;\n\treturn saturate( ( color * ( 2.51 * color + 0.03 ) ) / ( color * ( 2.43 * color + 0.59 ) + 0.14 ) );\n}",uv_pars_fragment:"#if defined( USE_MAP ) || defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( USE_SPECULARMAP ) || defined( USE_ALPHAMAP ) || defined( USE_EMISSIVEMAP ) || defined( USE_ROUGHNESSMAP ) || defined( USE_METALNESSMAP )\n\tvarying vec2 vUv;\n#endif",uv_pars_vertex:"#if defined( USE_MAP ) || defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( USE_SPECULARMAP ) || defined( USE_ALPHAMAP ) || defined( USE_EMISSIVEMAP ) || defined( USE_ROUGHNESSMAP ) || defined( USE_METALNESSMAP )\n\tvarying vec2 vUv;\n\tuniform mat3 uvTransform;\n#endif",uv_vertex:"#if defined( USE_MAP ) || defined( USE_BUMPMAP ) || defined( USE_NORMALMAP ) || defined( USE_SPECULARMAP ) || defined( USE_ALPHAMAP ) || defined( USE_EMISSIVEMAP ) || defined( USE_ROUGHNESSMAP ) || defined( USE_METALNESSMAP )\n\tvUv = ( uvTransform * vec3( uv, 1 ) ).xy;\n#endif",uv2_pars_fragment:"#if defined( USE_LIGHTMAP ) || defined( USE_AOMAP )\n\tvarying vec2 vUv2;\n#endif",uv2_pars_vertex:"#if defined( USE_LIGHTMAP ) || defined( USE_AOMAP )\n\tattribute vec2 uv2;\n\tvarying vec2 vUv2;\n#endif",uv2_vertex:"#if defined( USE_LIGHTMAP ) || defined( USE_AOMAP )\n\tvUv2 = uv2;\n#endif",worldpos_vertex:"#if defined( USE_ENVMAP ) || defined( DISTANCE ) || defined ( USE_SHADOWMAP )\n\tvec4 worldPosition = modelMatrix * vec4( transformed, 1.0 );\n#endif",background_frag:"uniform sampler2D t2D;\nvarying vec2 vUv;\nvoid main() {\n\tvec4 texColor = texture2D( t2D, vUv );\n\tgl_FragColor = mapTexelToLinear( texColor );\n\t#include \n\t#include \n}",background_vert:"varying vec2 vUv;\nuniform mat3 uvTransform;\nvoid main() {\n\tvUv = ( uvTransform * vec3( uv, 1 ) ).xy;\n\tgl_Position = vec4( position.xy, 1.0, 1.0 );\n}",cube_frag:"uniform samplerCube tCube;\nuniform float tFlip;\nuniform float opacity;\nvarying vec3 vWorldDirection;\nvoid main() {\n\tvec4 texColor = textureCube( tCube, vec3( tFlip * vWorldDirection.x, vWorldDirection.yz ) );\n\tgl_FragColor = mapTexelToLinear( texColor );\n\tgl_FragColor.a *= opacity;\n\t#include \n\t#include \n}",cube_vert:"varying vec3 vWorldDirection;\n#include \nvoid main() {\n\tvWorldDirection = transformDirection( position, modelMatrix );\n\t#include \n\t#include \n\tgl_Position.z = gl_Position.w;\n}",depth_frag:"#if DEPTH_PACKING == 3200\n\tuniform float opacity;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 diffuseColor = vec4( 1.0 );\n\t#if DEPTH_PACKING == 3200\n\t\tdiffuseColor.a = opacity;\n\t#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#if DEPTH_PACKING == 3200\n\t\tgl_FragColor = vec4( vec3( 1.0 - gl_FragCoord.z ), opacity );\n\t#elif DEPTH_PACKING == 3201\n\t\tgl_FragColor = packDepthToRGBA( gl_FragCoord.z );\n\t#endif\n}",depth_vert:"#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#ifdef USE_DISPLACEMENTMAP\n\t\t#include \n\t\t#include \n\t\t#include \n\t#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",distanceRGBA_frag:"#define DISTANCE\nuniform vec3 referencePosition;\nuniform float nearDistance;\nuniform float farDistance;\nvarying vec3 vWorldPosition;\n#include \n#include \n#include \n#include \n#include \n#include \nvoid main () {\n\t#include \n\tvec4 diffuseColor = vec4( 1.0 );\n\t#include \n\t#include \n\t#include \n\tfloat dist = length( vWorldPosition - referencePosition );\n\tdist = ( dist - nearDistance ) / ( farDistance - nearDistance );\n\tdist = saturate( dist );\n\tgl_FragColor = packDepthToRGBA( dist );\n}",distanceRGBA_vert:"#define DISTANCE\nvarying vec3 vWorldPosition;\n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#ifdef USE_DISPLACEMENTMAP\n\t\t#include \n\t\t#include \n\t\t#include \n\t#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvWorldPosition = worldPosition.xyz;\n}",equirect_frag:"uniform sampler2D tEquirect;\nvarying vec3 vWorldDirection;\n#include \nvoid main() {\n\tvec3 direction = normalize( vWorldDirection );\n\tvec2 sampleUV;\n\tsampleUV.y = asin( clamp( direction.y, - 1.0, 1.0 ) ) * RECIPROCAL_PI + 0.5;\n\tsampleUV.x = atan( direction.z, direction.x ) * RECIPROCAL_PI2 + 0.5;\n\tvec4 texColor = texture2D( tEquirect, sampleUV );\n\tgl_FragColor = mapTexelToLinear( texColor );\n\t#include \n\t#include \n}",equirect_vert:"varying vec3 vWorldDirection;\n#include \nvoid main() {\n\tvWorldDirection = transformDirection( position, modelMatrix );\n\t#include \n\t#include \n}",linedashed_frag:"uniform vec3 diffuse;\nuniform float opacity;\nuniform float dashSize;\nuniform float totalSize;\nvarying float vLineDistance;\n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tif ( mod( vLineDistance, totalSize ) > dashSize ) {\n\t\tdiscard;\n\t}\n\tvec3 outgoingLight = vec3( 0.0 );\n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\t#include \n\t#include \n\toutgoingLight = diffuseColor.rgb;\n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n}",linedashed_vert:"uniform float scale;\nattribute float lineDistance;\nvarying float vLineDistance;\n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvLineDistance = scale * lineDistance;\n\tvec4 mvPosition = modelViewMatrix * vec4( position, 1.0 );\n\tgl_Position = projectionMatrix * mvPosition;\n\t#include \n\t#include \n\t#include \n}",meshbasic_frag:"uniform vec3 diffuse;\nuniform float opacity;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) );\n\t#ifdef USE_LIGHTMAP\n\t\treflectedLight.indirectDiffuse += texture2D( lightMap, vUv2 ).xyz * lightMapIntensity;\n\t#else\n\t\treflectedLight.indirectDiffuse += vec3( 1.0 );\n\t#endif\n\t#include \n\treflectedLight.indirectDiffuse *= diffuseColor.rgb;\n\tvec3 outgoingLight = reflectedLight.indirectDiffuse;\n\t#include \n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n}",meshbasic_vert:"#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#ifdef USE_ENVMAP\n\t#include \n\t#include \n\t#include \n\t#include \n\t#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",meshlambert_frag:"uniform vec3 diffuse;\nuniform vec3 emissive;\nuniform float opacity;\nvarying vec3 vLightFront;\n#ifdef DOUBLE_SIDED\n\tvarying vec3 vLightBack;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\tReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) );\n\tvec3 totalEmissiveRadiance = emissive;\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\treflectedLight.indirectDiffuse = getAmbientLightIrradiance( ambientLightColor );\n\t#include \n\treflectedLight.indirectDiffuse *= BRDF_Diffuse_Lambert( diffuseColor.rgb );\n\t#ifdef DOUBLE_SIDED\n\t\treflectedLight.directDiffuse = ( gl_FrontFacing ) ? vLightFront : vLightBack;\n\t#else\n\t\treflectedLight.directDiffuse = vLightFront;\n\t#endif\n\treflectedLight.directDiffuse *= BRDF_Diffuse_Lambert( diffuseColor.rgb ) * getShadowMask();\n\t#include \n\tvec3 outgoingLight = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse + totalEmissiveRadiance;\n\t#include \n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",meshlambert_vert:"#define LAMBERT\nvarying vec3 vLightFront;\n#ifdef DOUBLE_SIDED\n\tvarying vec3 vLightBack;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",meshmatcap_frag:"#define MATCAP\nuniform vec3 diffuse;\nuniform float opacity;\nuniform sampler2D matcap;\nvarying vec3 vViewPosition;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvec3 viewDir = normalize( vViewPosition );\n\tvec3 x = normalize( vec3( viewDir.z, 0.0, - viewDir.x ) );\n\tvec3 y = cross( viewDir, x );\n\tvec2 uv = vec2( dot( x, normal ), dot( y, normal ) ) * 0.495 + 0.5;\n\t#ifdef USE_MATCAP\n\t\tvec4 matcapColor = texture2D( matcap, uv );\n\t\tmatcapColor = matcapTexelToLinear( matcapColor );\n\t#else\n\t\tvec4 matcapColor = vec4( 1.0 );\n\t#endif\n\tvec3 outgoingLight = diffuseColor.rgb * matcapColor.rgb;\n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n}",meshmatcap_vert:"#define MATCAP\nvarying vec3 vViewPosition;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#ifndef FLAT_SHADED\n\t\tvNormal = normalize( transformedNormal );\n\t#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvViewPosition = - mvPosition.xyz;\n}",meshphong_frag:"#define PHONG\nuniform vec3 diffuse;\nuniform vec3 emissive;\nuniform vec3 specular;\nuniform float shininess;\nuniform float opacity;\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\tReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) );\n\tvec3 totalEmissiveRadiance = emissive;\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvec3 outgoingLight = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse + reflectedLight.directSpecular + reflectedLight.indirectSpecular + totalEmissiveRadiance;\n\t#include \n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",meshphong_vert:"#define PHONG\nvarying vec3 vViewPosition;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n#ifndef FLAT_SHADED\n\tvNormal = normalize( transformedNormal );\n#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvViewPosition = - mvPosition.xyz;\n\t#include \n\t#include \n\t#include \n\t#include \n}",meshphysical_frag:"#define PHYSICAL\nuniform vec3 diffuse;\nuniform vec3 emissive;\nuniform float roughness;\nuniform float metalness;\nuniform float opacity;\n#ifndef STANDARD\n\tuniform float clearCoat;\n\tuniform float clearCoatRoughness;\n#endif\nvarying vec3 vViewPosition;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\tReflectedLight reflectedLight = ReflectedLight( vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ), vec3( 0.0 ) );\n\tvec3 totalEmissiveRadiance = emissive;\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvec3 outgoingLight = reflectedLight.directDiffuse + reflectedLight.indirectDiffuse + reflectedLight.directSpecular + reflectedLight.indirectSpecular + totalEmissiveRadiance;\n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",meshphysical_vert:"#define PHYSICAL\nvarying vec3 vViewPosition;\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n#ifndef FLAT_SHADED\n\tvNormal = normalize( transformedNormal );\n#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\tvViewPosition = - mvPosition.xyz;\n\t#include \n\t#include \n\t#include \n}",normal_frag:"#define NORMAL\nuniform float opacity;\n#if defined( FLAT_SHADED ) || defined( USE_BUMPMAP ) || ( defined( USE_NORMALMAP ) && ! defined( OBJECTSPACE_NORMALMAP ) )\n\tvarying vec3 vViewPosition;\n#endif\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\tgl_FragColor = vec4( packNormalToRGB( normal ), opacity );\n}",normal_vert:"#define NORMAL\n#if defined( FLAT_SHADED ) || defined( USE_BUMPMAP ) || ( defined( USE_NORMALMAP ) && ! defined( OBJECTSPACE_NORMALMAP ) )\n\tvarying vec3 vViewPosition;\n#endif\n#ifndef FLAT_SHADED\n\tvarying vec3 vNormal;\n#endif\n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n#ifndef FLAT_SHADED\n\tvNormal = normalize( transformedNormal );\n#endif\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n#if defined( FLAT_SHADED ) || defined( USE_BUMPMAP ) || ( defined( USE_NORMALMAP ) && ! defined( OBJECTSPACE_NORMALMAP ) )\n\tvViewPosition = - mvPosition.xyz;\n#endif\n}",points_frag:"uniform vec3 diffuse;\nuniform float opacity;\n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec3 outgoingLight = vec3( 0.0 );\n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\t#include \n\t#include \n\t#include \n\t#include \n\toutgoingLight = diffuseColor.rgb;\n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n\t#include \n}",points_vert:"uniform float size;\nuniform float scale;\n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\tgl_PointSize = size;\n\t#ifdef USE_SIZEATTENUATION\n\t\tbool isPerspective = ( projectionMatrix[ 2 ][ 3 ] == - 1.0 );\n\t\tif ( isPerspective ) gl_PointSize *= ( scale / - mvPosition.z );\n\t#endif\n\t#include \n\t#include \n\t#include \n\t#include \n}",shadow_frag:"uniform vec3 color;\nuniform float opacity;\n#include \n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\tgl_FragColor = vec4( color, opacity * ( 1.0 - getShadowMask() ) );\n\t#include \n}",shadow_vert:"#include \n#include \nvoid main() {\n\t#include \n\t#include \n\t#include \n\t#include \n\t#include \n}",sprite_frag:"uniform vec3 diffuse;\nuniform float opacity;\n#include \n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec3 outgoingLight = vec3( 0.0 );\n\tvec4 diffuseColor = vec4( diffuse, opacity );\n\t#include \n\t#include \n\t#include \n\toutgoingLight = diffuseColor.rgb;\n\tgl_FragColor = vec4( outgoingLight, diffuseColor.a );\n\t#include \n\t#include \n\t#include \n}",sprite_vert:"uniform float rotation;\nuniform vec2 center;\n#include \n#include \n#include \n#include \n#include \nvoid main() {\n\t#include \n\tvec4 mvPosition = modelViewMatrix * vec4( 0.0, 0.0, 0.0, 1.0 );\n\tvec2 scale;\n\tscale.x = length( vec3( modelMatrix[ 0 ].x, modelMatrix[ 0 ].y, modelMatrix[ 0 ].z ) );\n\tscale.y = length( vec3( modelMatrix[ 1 ].x, modelMatrix[ 1 ].y, modelMatrix[ 1 ].z ) );\n\t#ifndef USE_SIZEATTENUATION\n\t\tbool isPerspective = ( projectionMatrix[ 2 ][ 3 ] == - 1.0 );\n\t\tif ( isPerspective ) scale *= - mvPosition.z;\n\t#endif\n\tvec2 alignedPosition = ( position.xy - ( center - vec2( 0.5 ) ) ) * scale;\n\tvec2 rotatedPosition;\n\trotatedPosition.x = cos( rotation ) * alignedPosition.x - sin( rotation ) * alignedPosition.y;\n\trotatedPosition.y = sin( rotation ) * alignedPosition.x + cos( rotation ) * alignedPosition.y;\n\tmvPosition.xy += rotatedPosition;\n\tgl_Position = projectionMatrix * mvPosition;\n\t#include \n\t#include \n\t#include \n}"};function F(t){var e={};for(var i in t)for(var n in e[i]={},t[i]){var r=t[i][n];r&&(r.isColor||r.isMatrix3||r.isMatrix4||r.isVector2||r.isVector3||r.isVector4||r.isTexture)?e[i][n]=r.clone():Array.isArray(r)?e[i][n]=r.slice():e[i][n]=r}return e}function H(t){for(var e={},i=0;i>16&255)/255,this.g=(t>>8&255)/255,this.b=(255&t)/255,this},setRGB:function(t,e,i){return this.r=t,this.g=e,this.b=i,this},setHSL:function(){function t(t,e,i){return i<0&&(i+=1),i>1&&(i-=1),i<1/6?t+6*(e-t)*i:i<.5?e:i<2/3?t+6*(e-t)*(2/3-i):t}return function(e,i,n){if(e=g.euclideanModulo(e,1),i=g.clamp(i,0,1),n=g.clamp(n,0,1),0===i)this.r=this.g=this.b=n;else{var r=n<=.5?n*(1+i):n+i-n*i,a=2*n-r;this.r=t(a,r,e+1/3),this.g=t(a,r,e),this.b=t(a,r,e-1/3)}return this}}(),setStyle:function(t){function e(e){void 0!==e&&parseFloat(e)<1&&console.warn("THREE.Color: Alpha component of "+t+" will be ignored.")}var i;if(i=/^((?:rgb|hsl)a?)\(\s*([^\)]*)\)/.exec(t)){var n,r=i[1],a=i[2];switch(r){case"rgb":case"rgba":if(n=/^(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*(,\s*([0-9]*\.?[0-9]+)\s*)?$/.exec(a))return this.r=Math.min(255,parseInt(n[1],10))/255,this.g=Math.min(255,parseInt(n[2],10))/255,this.b=Math.min(255,parseInt(n[3],10))/255,e(n[5]),this;if(n=/^(\d+)\%\s*,\s*(\d+)\%\s*,\s*(\d+)\%\s*(,\s*([0-9]*\.?[0-9]+)\s*)?$/.exec(a))return this.r=Math.min(100,parseInt(n[1],10))/100,this.g=Math.min(100,parseInt(n[2],10))/100,this.b=Math.min(100,parseInt(n[3],10))/100,e(n[5]),this;break;case"hsl":case"hsla":if(n=/^([0-9]*\.?[0-9]+)\s*,\s*(\d+)\%\s*,\s*(\d+)\%\s*(,\s*([0-9]*\.?[0-9]+)\s*)?$/.exec(a)){var o=parseFloat(n[1])/360,s=parseInt(n[2],10)/100,c=parseInt(n[3],10)/100;return e(n[5]),this.setHSL(o,s,c)}}}else if(i=/^\#([A-Fa-f0-9]+)$/.exec(t)){var h,l=(h=i[1]).length;if(3===l)return this.r=parseInt(h.charAt(0)+h.charAt(0),16)/255,this.g=parseInt(h.charAt(1)+h.charAt(1),16)/255,this.b=parseInt(h.charAt(2)+h.charAt(2),16)/255,this;if(6===l)return this.r=parseInt(h.charAt(0)+h.charAt(1),16)/255,this.g=parseInt(h.charAt(2)+h.charAt(3),16)/255,this.b=parseInt(h.charAt(4)+h.charAt(5),16)/255,this}t&&t.length>0&&(void 0!==(h=W[t])?this.setHex(h):console.warn("THREE.Color: Unknown color "+t));return this},clone:function(){return new this.constructor(this.r,this.g,this.b)},copy:function(t){return this.r=t.r,this.g=t.g,this.b=t.b,this},copyGammaToLinear:function(t,e){return void 0===e&&(e=2),this.r=Math.pow(t.r,e),this.g=Math.pow(t.g,e),this.b=Math.pow(t.b,e),this},copyLinearToGamma:function(t,e){void 0===e&&(e=2);var i=e>0?1/e:1;return this.r=Math.pow(t.r,i),this.g=Math.pow(t.g,i),this.b=Math.pow(t.b,i),this},convertGammaToLinear:function(t){return this.copyGammaToLinear(this,t),this},convertLinearToGamma:function(t){return this.copyLinearToGamma(this,t),this},copySRGBToLinear:function(){function t(t){return t<.04045?.0773993808*t:Math.pow(.9478672986*t+.0521327014,2.4)}return function(e){return this.r=t(e.r),this.g=t(e.g),this.b=t(e.b),this}}(),copyLinearToSRGB:function(){function t(t){return t<.0031308?12.92*t:1.055*Math.pow(t,.41666)-.055}return function(e){return this.r=t(e.r),this.g=t(e.g),this.b=t(e.b),this}}(),convertSRGBToLinear:function(){return this.copySRGBToLinear(this),this},convertLinearToSRGB:function(){return this.copyLinearToSRGB(this),this},getHex:function(){return 255*this.r<<16^255*this.g<<8^255*this.b<<0},getHexString:function(){return("000000"+this.getHex().toString(16)).slice(-6)},getHSL:function(t){void 0===t&&(console.warn("THREE.Color: .getHSL() target is now required"),t={h:0,s:0,l:0});var e,i,n=this.r,r=this.g,a=this.b,o=Math.max(n,r,a),s=Math.min(n,r,a),c=(s+o)/2;if(s===o)e=0,i=0;else{var h=o-s;switch(i=c<=.5?h/(o+s):h/(2-o-s),o){case n:e=(r-a)/h+(r1){for(var e=0;e1){for(var e=0;e0){n.children=[];for(s=0;s0&&(i.geometries=u),p.length>0&&(i.materials=p),d.length>0&&(i.textures=d),f.length>0&&(i.images=f),o.length>0&&(i.shapes=o)}return i.object=n,i;function m(t){var e=[];for(var i in t){var n=t[i];delete n.metadata,e.push(n)}return e}},clone:function(t){return(new this.constructor).copy(this,t)},copy:function(t,e){if(void 0===e&&(e=!0),this.name=t.name,this.up.copy(t.up),this.position.copy(t.position),this.quaternion.copy(t.quaternion),this.scale.copy(t.scale),this.matrix.copy(t.matrix),this.matrixWorld.copy(t.matrixWorld),this.matrixAutoUpdate=t.matrixAutoUpdate,this.matrixWorldNeedsUpdate=t.matrixWorldNeedsUpdate,this.layers.mask=t.layers.mask,this.visible=t.visible,this.castShadow=t.castShadow,this.receiveShadow=t.receiveShadow,this.frustumCulled=t.frustumCulled,this.renderOrder=t.renderOrder,this.userData=JSON.parse(JSON.stringify(t.userData)),!0===e)for(var i=0;ie&&(e=t[i]);return e}lt.prototype=Object.assign(Object.create(n.prototype),{constructor:lt,isGeometry:!0,applyMatrix:function(t){for(var e=(new w).getNormalMatrix(t),i=0,n=this.vertices.length;i0)for(h=0;h0&&(this.normalsNeedUpdate=!0)},computeFlatVertexNormals:function(){var t,e,i;for(this.computeFaceNormals(),t=0,e=this.faces.length;t0&&(this.normalsNeedUpdate=!0)},computeMorphNormals:function(){var t,e,i,n,r;for(i=0,n=this.faces.length;i=0;i--){var f=p[i];for(this.faces.splice(f,1),o=0,s=this.faceVertexUvs.length;o0,g=d.vertexNormals.length>0,v=1!==d.color.r||1!==d.color.g||1!==d.color.b,y=d.vertexColors.length>0,x=0;if(x=M(x,0,0),x=M(x,1,!0),x=M(x,2,!1),x=M(x,3,f),x=M(x,4,m),x=M(x,5,g),x=M(x,6,v),x=M(x,7,y),o.push(x),o.push(d.a,d.b,d.c),o.push(d.materialIndex),f){var b=this.faceVertexUvs[0][r];o.push(T(b[0]),T(b[1]),T(b[2]))}if(m&&o.push(S(d.normal)),g){var w=d.vertexNormals;o.push(S(w[0]),S(w[1]),S(w[2]))}if(v&&o.push(E(d.color)),y){var _=d.vertexColors;o.push(E(_[0]),E(_[1]),E(_[2]))}}function M(t,e,i){return i?t|1<0&&(t.data.colors=h),u.length>0&&(t.data.uvs=[u]),t.data.faces=o,t},clone:function(){return(new lt).copy(this)},copy:function(t){var e,i,n,r,a,o;this.vertices=[],this.colors=[],this.faces=[],this.faceVertexUvs=[[]],this.morphTargets=[],this.morphNormals=[],this.skinWeights=[],this.skinIndices=[],this.lineDistances=[],this.boundingBox=null,this.boundingSphere=null,this.name=t.name;var s=t.vertices;for(e=0,i=s.length;e0,o=r[1]&&r[1].length>0,s=t.morphTargets,c=s.length;if(c>0){e=[];for(var h=0;h0){l=[];for(h=0;h0&&0===i.length&&console.error("THREE.DirectGeometry: Faceless geometries are not supported.");for(h=0;h0?1:-1,h.push(R.x,R.y,R.z),l.push(y/m),l.push(1-x/g),A+=1}}for(x=0;x65535?yt:gt)(t,1):this.index=t},addAttribute:function(t,e){return e&&e.isBufferAttribute||e&&e.isInterleavedBufferAttribute?"index"===t?(console.warn("THREE.BufferGeometry.addAttribute: Use .setIndex() for index attribute."),this.setIndex(e),this):(this.attributes[t]=e,this):(console.warn("THREE.BufferGeometry: .addAttribute() now expects ( name, attribute )."),this.addAttribute(t,new ut(arguments[1],arguments[2])))},getAttribute:function(t){return this.attributes[t]},removeAttribute:function(t){return delete this.attributes[t],this},addGroup:function(t,e,i){this.groups.push({start:t,count:e,materialIndex:void 0!==i?i:0})},clearGroups:function(){this.groups=[]},setDrawRange:function(t,e){this.drawRange.start=t,this.drawRange.count=e},applyMatrix:function(t){var e=this.attributes.position;void 0!==e&&(t.applyToBufferAttribute(e),e.needsUpdate=!0);var i=this.attributes.normal;void 0!==i&&((new w).getNormalMatrix(t).applyToBufferAttribute(i),i.needsUpdate=!0);return null!==this.boundingBox&&this.computeBoundingBox(),null!==this.boundingSphere&&this.computeBoundingSphere(),this},rotateX:function(){var t=new y;return function(e){return t.makeRotationX(e),this.applyMatrix(t),this}}(),rotateY:function(){var t=new y;return function(e){return t.makeRotationY(e),this.applyMatrix(t),this}}(),rotateZ:function(){var t=new y;return function(e){return t.makeRotationZ(e),this.applyMatrix(t),this}}(),translate:function(){var t=new y;return function(e,i,n){return t.makeTranslation(e,i,n),this.applyMatrix(t),this}}(),scale:function(){var t=new y;return function(e,i,n){return t.makeScale(e,i,n),this.applyMatrix(t),this}}(),lookAt:function(){var t=new ot;return function(e){t.lookAt(e),t.updateMatrix(),this.applyMatrix(t.matrix)}}(),center:function(){var t=new b;return function(){return this.computeBoundingBox(),this.boundingBox.getCenter(t).negate(),this.translate(t.x,t.y,t.z),this}}(),setFromObject:function(t){var e=t.geometry;if(t.isPoints||t.isLine){var i=new xt(3*e.vertices.length,3),n=new xt(3*e.colors.length,3);if(this.addAttribute("position",i.copyVector3sArray(e.vertices)),this.addAttribute("color",n.copyColorsArray(e.colors)),e.lineDistances&&e.lineDistances.length===e.vertices.length){var r=new xt(e.lineDistances.length,1);this.addAttribute("lineDistance",r.copyArray(e.lineDistances))}null!==e.boundingSphere&&(this.boundingSphere=e.boundingSphere.clone()),null!==e.boundingBox&&(this.boundingBox=e.boundingBox.clone())}else t.isMesh&&e&&e.isGeometry&&this.fromGeometry(e);return this},setFromPoints:function(t){for(var e=[],i=0,n=t.length;i0){var i=new Float32Array(3*t.normals.length);this.addAttribute("normal",new ut(i,3).copyVector3sArray(t.normals))}if(t.colors.length>0){var n=new Float32Array(3*t.colors.length);this.addAttribute("color",new ut(n,3).copyColorsArray(t.colors))}if(t.uvs.length>0){var r=new Float32Array(2*t.uvs.length);this.addAttribute("uv",new ut(r,2).copyVector2sArray(t.uvs))}if(t.uvs2.length>0){var a=new Float32Array(2*t.uvs2.length);this.addAttribute("uv2",new ut(a,2).copyVector2sArray(t.uvs2))}for(var o in this.groups=t.groups,t.morphTargets){for(var s=[],c=t.morphTargets[o],h=0,l=c.length;h0){var d=new xt(4*t.skinIndices.length,4);this.addAttribute("skinIndex",d.copyVector4sArray(t.skinIndices))}if(t.skinWeights.length>0){var f=new xt(4*t.skinWeights.length,4);this.addAttribute("skinWeight",f.copyVector4sArray(t.skinWeights))}return null!==t.boundingSphere&&(this.boundingSphere=t.boundingSphere.clone()),null!==t.boundingBox&&(this.boundingBox=t.boundingBox.clone()),this},computeBoundingBox:function(){null===this.boundingBox&&(this.boundingBox=new z);var t=this.attributes.position;void 0!==t?this.boundingBox.setFromBufferAttribute(t):this.boundingBox.makeEmpty(),(isNaN(this.boundingBox.min.x)||isNaN(this.boundingBox.min.y)||isNaN(this.boundingBox.min.z))&&console.error('THREE.BufferGeometry.computeBoundingBox: Computed min/max have NaN values. The "position" attribute is likely to have NaN values.',this)},computeBoundingSphere:function(){var t=new z,e=new b;return function(){null===this.boundingSphere&&(this.boundingSphere=new N);var i=this.attributes.position;if(i){var n=this.boundingSphere.center;t.setFromBufferAttribute(i),t.getCenter(n);for(var r=0,a=0,o=i.count;a0&&(t.userData=this.userData),void 0!==this.parameters){var e=this.parameters;for(var i in e)void 0!==e[i]&&(t[i]=e[i]);return t}t.data={attributes:{}};var n=this.index;if(null!==n){var r=Array.prototype.slice.call(n.array);t.data.index={type:n.array.constructor.name,array:r}}var a=this.attributes;for(var i in a){var o=a[i];r=Array.prototype.slice.call(o.array);t.data.attributes[i]={itemSize:o.itemSize,type:o.array.constructor.name,array:r,normalized:o.normalized}}var s=this.groups;s.length>0&&(t.data.groups=JSON.parse(JSON.stringify(s)));var c=this.boundingSphere;return null!==c&&(t.data.boundingSphere={center:c.center.toArray(),radius:c.radius}),t},clone:function(){return(new St).copy(this)},copy:function(t){var e,i,n;this.index=null,this.attributes={},this.morphAttributes={},this.groups=[],this.boundingBox=null,this.boundingSphere=null,this.name=t.name;var r=t.index;null!==r&&this.setIndex(r.clone());var a=t.attributes;for(e in a){var o=a[e];this.addAttribute(e,o.clone())}var s=t.morphAttributes;for(e in s){var c=[],h=s[e];for(i=0,n=h.length;i0&&t.getShaderPrecisionFormat(35632,36338).precision>0)return"highp";e="mediump"}return"mediump"===e&&t.getShaderPrecisionFormat(35633,36337).precision>0&&t.getShaderPrecisionFormat(35632,36337).precision>0?"mediump":"lowp"}var a="undefined"!=typeof WebGL2RenderingContext&&t instanceof WebGL2RenderingContext,o=void 0!==i.precision?i.precision:"highp",s=r(o);s!==o&&(console.warn("THREE.WebGLRenderer:",o,"not supported, using",s,"instead."),o=s);var c=!0===i.logarithmicDepthBuffer,h=t.getParameter(34930),l=t.getParameter(35660),u=t.getParameter(3379),p=t.getParameter(34076),d=t.getParameter(34921),f=t.getParameter(36347),m=t.getParameter(36348),g=t.getParameter(36349),v=l>0,y=a||!!e.get("OES_texture_float");return{isWebGL2:a,getMaxAnisotropy:function(){if(void 0!==n)return n;var i=e.get("EXT_texture_filter_anisotropic");return n=null!==i?t.getParameter(i.MAX_TEXTURE_MAX_ANISOTROPY_EXT):0},getMaxPrecision:r,precision:o,logarithmicDepthBuffer:c,maxTextures:h,maxVertexTextures:l,maxTextureSize:u,maxCubemapSize:p,maxAttributes:d,maxVertexUniforms:f,maxVaryings:m,maxFragmentUniforms:g,vertexTextures:v,floatFragmentTextures:y,floatVertexTextures:v&&y,maxSamples:a?t.getParameter(36183):0}}function Qt(){var t=this,e=null,i=0,n=!1,r=!1,a=new U,o=new w,s={value:null,needsUpdate:!1};function c(){s.value!==e&&(s.value=e,s.needsUpdate=i>0),t.numPlanes=i,t.numIntersection=0}function h(e,i,n,r){var c=null!==e?e.length:0,h=null;if(0!==c){if(h=s.value,!0!==r||null===h){var l=n+4*c,u=i.matrixWorldInverse;o.getNormalMatrix(u),(null===h||h.length65535?yt:gt)(a,1),e.update(i,34963),r[t.id]=i,i}}}function te(t,e,i,n){var r,a,o;this.setMode=function(t){r=t},this.setIndex=function(t){a=t.type,o=t.bytesPerElement},this.render=function(e,n){t.drawElements(r,n,a,e*o),i.update(n,r)},this.renderInstances=function(s,c,h){var l;if(n.isWebGL2)l=t;else if(null===(l=e.get("ANGLE_instanced_arrays")))return void console.error("THREE.WebGLIndexedBufferRenderer: using THREE.InstancedBufferGeometry but hardware does not support extension ANGLE_instanced_arrays.");l[n.isWebGL2?"drawElementsInstanced":"drawElementsInstancedANGLE"](r,h,a,c*o,s.maxInstancedCount),i.update(h,r,s.maxInstancedCount)}}function ee(t){var e={frame:0,calls:0,triangles:0,points:0,lines:0};return{memory:{geometries:0,textures:0},render:e,programs:null,autoReset:!0,reset:function(){e.frame++,e.calls=0,e.triangles=0,e.points=0,e.lines=0},update:function(t,i,n){switch(n=n||1,e.calls++,i){case 4:e.triangles+=n*(t/3);break;case 5:case 6:e.triangles+=n*(t-2);break;case 1:e.lines+=n*(t/2);break;case 3:e.lines+=n*(t-1);break;case 2:e.lines+=n*t;break;case 0:e.points+=n*t;break;default:console.error("THREE.WebGLInfo: Unknown draw mode:",i)}}}}function ie(t,e){return Math.abs(e[1])-Math.abs(t[1])}function ne(t){var e={},i=new Float32Array(8);return{update:function(n,r,a,o){var s=n.morphTargetInfluences,c=s.length,h=e[r.id];if(void 0===h){h=[];for(var l=0;l0&&(i.alphaTest=this.alphaTest),!0===this.premultipliedAlpha&&(i.premultipliedAlpha=this.premultipliedAlpha),!0===this.wireframe&&(i.wireframe=this.wireframe),this.wireframeLinewidth>1&&(i.wireframeLinewidth=this.wireframeLinewidth),"round"!==this.wireframeLinecap&&(i.wireframeLinecap=this.wireframeLinecap),"round"!==this.wireframeLinejoin&&(i.wireframeLinejoin=this.wireframeLinejoin),!0===this.morphTargets&&(i.morphTargets=!0),!0===this.skinning&&(i.skinning=!0),!1===this.visible&&(i.visible=!1),"{}"!==JSON.stringify(this.userData)&&(i.userData=this.userData),e){var r=n(t.textures),a=n(t.images);r.length>0&&(i.textures=r),a.length>0&&(i.images=a)}return i},clone:function(){return(new this.constructor).copy(this)},copy:function(t){this.name=t.name,this.fog=t.fog,this.lights=t.lights,this.blending=t.blending,this.side=t.side,this.flatShading=t.flatShading,this.vertexColors=t.vertexColors,this.opacity=t.opacity,this.transparent=t.transparent,this.blendSrc=t.blendSrc,this.blendDst=t.blendDst,this.blendEquation=t.blendEquation,this.blendSrcAlpha=t.blendSrcAlpha,this.blendDstAlpha=t.blendDstAlpha,this.blendEquationAlpha=t.blendEquationAlpha,this.depthFunc=t.depthFunc,this.depthTest=t.depthTest,this.depthWrite=t.depthWrite,this.colorWrite=t.colorWrite,this.precision=t.precision,this.polygonOffset=t.polygonOffset,this.polygonOffsetFactor=t.polygonOffsetFactor,this.polygonOffsetUnits=t.polygonOffsetUnits,this.dithering=t.dithering,this.alphaTest=t.alphaTest,this.premultipliedAlpha=t.premultipliedAlpha,this.visible=t.visible,this.userData=JSON.parse(JSON.stringify(t.userData)),this.clipShadows=t.clipShadows,this.clipIntersection=t.clipIntersection;var e=t.clippingPlanes,i=null;if(null!==e){var n=e.length;i=new Array(n);for(var r=0;r!==n;++r)i[r]=e[r].clone()}return this.clippingPlanes=i,this.shadowSide=t.shadowSide,this},dispose:function(){this.dispatchEvent({type:"dispose"})}}),Vt.prototype=Object.create(kt.prototype),Vt.prototype.constructor=Vt,Vt.prototype.isShaderMaterial=!0,Vt.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.fragmentShader=t.fragmentShader,this.vertexShader=t.vertexShader,this.uniforms=F(t.uniforms),this.defines=Object.assign({},t.defines),this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this.lights=t.lights,this.clipping=t.clipping,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.morphNormals=t.morphNormals,this.extensions=t.extensions,this},Vt.prototype.toJSON=function(t){var e=kt.prototype.toJSON.call(this,t);for(var i in e.uniforms={},this.uniforms){var n=this.uniforms[i].value;n&&n.isTexture?e.uniforms[i]={type:"t",value:n.toJSON(t).uuid}:n&&n.isColor?e.uniforms[i]={type:"c",value:n.getHex()}:n&&n.isVector2?e.uniforms[i]={type:"v2",value:n.toArray()}:n&&n.isVector3?e.uniforms[i]={type:"v3",value:n.toArray()}:n&&n.isVector4?e.uniforms[i]={type:"v4",value:n.toArray()}:n&&n.isMatrix3?e.uniforms[i]={type:"m3",value:n.toArray()}:n&&n.isMatrix4?e.uniforms[i]={type:"m4",value:n.toArray()}:e.uniforms[i]={value:n}}Object.keys(this.defines).length>0&&(e.defines=this.defines),e.vertexShader=this.vertexShader,e.fragmentShader=this.fragmentShader;var r={};for(var a in this.extensions)!0===this.extensions[a]&&(r[a]=!0);return Object.keys(r).length>0&&(e.extensions=r),e},Object.assign(jt.prototype,{set:function(t,e){return this.origin.copy(t),this.direction.copy(e),this},clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.origin.copy(t.origin),this.direction.copy(t.direction),this},at:function(t,e){return void 0===e&&(console.warn("THREE.Ray: .at() target is now required"),e=new b),e.copy(this.direction).multiplyScalar(t).add(this.origin)},lookAt:function(t){return this.direction.copy(t).sub(this.origin).normalize(),this},recast:function(){var t=new b;return function(e){return this.origin.copy(this.at(e,t)),this}}(),closestPointToPoint:function(t,e){void 0===e&&(console.warn("THREE.Ray: .closestPointToPoint() target is now required"),e=new b),e.subVectors(t,this.origin);var i=e.dot(this.direction);return i<0?e.copy(this.origin):e.copy(this.direction).multiplyScalar(i).add(this.origin)},distanceToPoint:function(t){return Math.sqrt(this.distanceSqToPoint(t))},distanceSqToPoint:function(){var t=new b;return function(e){var i=t.subVectors(e,this.origin).dot(this.direction);return i<0?this.origin.distanceToSquared(e):(t.copy(this.direction).multiplyScalar(i).add(this.origin),t.distanceToSquared(e))}}(),distanceSqToSegment:(Rt=new b,Ct=new b,Ot=new b,function(t,e,i,n){Rt.copy(t).add(e).multiplyScalar(.5),Ct.copy(e).sub(t).normalize(),Ot.copy(this.origin).sub(Rt);var r,a,o,s,c=.5*t.distanceTo(e),h=-this.direction.dot(Ct),l=Ot.dot(this.direction),u=-Ot.dot(Ct),p=Ot.lengthSq(),d=Math.abs(1-h*h);if(d>0)if(a=h*l-u,s=c*d,(r=h*u-l)>=0)if(a>=-s)if(a<=s){var f=1/d;o=(r*=f)*(r+h*(a*=f)+2*l)+a*(h*r+a+2*u)+p}else a=c,o=-(r=Math.max(0,-(h*a+l)))*r+a*(a+2*u)+p;else a=-c,o=-(r=Math.max(0,-(h*a+l)))*r+a*(a+2*u)+p;else a<=-s?o=-(r=Math.max(0,-(-h*c+l)))*r+(a=r>0?-c:Math.min(Math.max(-c,-u),c))*(a+2*u)+p:a<=s?(r=0,o=(a=Math.min(Math.max(-c,-u),c))*(a+2*u)+p):o=-(r=Math.max(0,-(h*c+l)))*r+(a=r>0?c:Math.min(Math.max(-c,-u),c))*(a+2*u)+p;else a=h>0?-c:c,o=-(r=Math.max(0,-(h*a+l)))*r+a*(a+2*u)+p;return i&&i.copy(this.direction).multiplyScalar(r).add(this.origin),n&&n.copy(Ct).multiplyScalar(a).add(Rt),o}),intersectSphere:function(){var t=new b;return function(e,i){t.subVectors(e.center,this.origin);var n=t.dot(this.direction),r=t.dot(t)-n*n,a=e.radius*e.radius;if(r>a)return null;var o=Math.sqrt(a-r),s=n-o,c=n+o;return s<0&&c<0?null:s<0?this.at(c,i):this.at(s,i)}}(),intersectsSphere:function(t){return this.distanceSqToPoint(t.center)<=t.radius*t.radius},distanceToPlane:function(t){var e=t.normal.dot(this.direction);if(0===e)return 0===t.distanceToPoint(this.origin)?0:null;var i=-(this.origin.dot(t.normal)+t.constant)/e;return i>=0?i:null},intersectPlane:function(t,e){var i=this.distanceToPlane(t);return null===i?null:this.at(i,e)},intersectsPlane:function(t){var e=t.distanceToPoint(this.origin);return 0===e||t.normal.dot(this.direction)*e<0},intersectBox:function(t,e){var i,n,r,a,o,s,c=1/this.direction.x,h=1/this.direction.y,l=1/this.direction.z,u=this.origin;return c>=0?(i=(t.min.x-u.x)*c,n=(t.max.x-u.x)*c):(i=(t.max.x-u.x)*c,n=(t.min.x-u.x)*c),h>=0?(r=(t.min.y-u.y)*h,a=(t.max.y-u.y)*h):(r=(t.max.y-u.y)*h,a=(t.min.y-u.y)*h),i>a||r>n?null:((r>i||i!=i)&&(i=r),(a=0?(o=(t.min.z-u.z)*l,s=(t.max.z-u.z)*l):(o=(t.max.z-u.z)*l,s=(t.min.z-u.z)*l),i>s||o>n?null:((o>i||i!=i)&&(i=o),(s=0?i:n,e)))},intersectsBox:(Pt=new b,function(t){return null!==this.intersectBox(t,Pt)}),intersectTriangle:function(){var t=new b,e=new b,i=new b,n=new b;return function(r,a,o,s,c){e.subVectors(a,r),i.subVectors(o,r),n.crossVectors(e,i);var h,l=this.direction.dot(n);if(l>0){if(s)return null;h=1}else{if(!(l<0))return null;h=-1,l=-l}t.subVectors(this.origin,r);var u=h*this.direction.dot(i.crossVectors(t,i));if(u<0)return null;var p=h*this.direction.dot(e.cross(t));if(p<0)return null;if(u+p>l)return null;var d=-h*t.dot(n);return d<0?null:this.at(d/l,c)}}(),applyMatrix4:function(t){return this.origin.applyMatrix4(t),this.direction.transformDirection(t),this},equals:function(t){return t.origin.equals(this.origin)&&t.direction.equals(this.direction)}}),Object.assign(Wt,{getNormal:(Dt=new b,function(t,e,i,n){void 0===n&&(console.warn("THREE.Triangle: .getNormal() target is now required"),n=new b),n.subVectors(i,e),Dt.subVectors(t,e),n.cross(Dt);var r=n.lengthSq();return r>0?n.multiplyScalar(1/Math.sqrt(r)):n.set(0,0,0)}),getBarycoord:function(){var t=new b,e=new b,i=new b;return function(n,r,a,o,s){t.subVectors(o,r),e.subVectors(a,r),i.subVectors(n,r);var c=t.dot(t),h=t.dot(e),l=t.dot(i),u=e.dot(e),p=e.dot(i),d=c*u-h*h;if(void 0===s&&(console.warn("THREE.Triangle: .getBarycoord() target is now required"),s=new b),0===d)return s.set(-2,-1,-1);var f=1/d,m=(u*l-h*p)*f,g=(c*p-h*l)*f;return s.set(1-m-g,g,m)}}(),containsPoint:function(){var t=new b;return function(e,i,n,r){return Wt.getBarycoord(e,i,n,r,t),t.x>=0&&t.y>=0&&t.x+t.y<=1}}(),getUV:(It=new b,function(t,e,i,n,r,a,o,s){return this.getBarycoord(t,e,i,n,It),s.set(0,0),s.addScaledVector(r,It.x),s.addScaledVector(a,It.y),s.addScaledVector(o,It.z),s})}),Object.assign(Wt.prototype,{set:function(t,e,i){return this.a.copy(t),this.b.copy(e),this.c.copy(i),this},setFromPointsAndIndices:function(t,e,i,n){return this.a.copy(t[e]),this.b.copy(t[i]),this.c.copy(t[n]),this},clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.a.copy(t.a),this.b.copy(t.b),this.c.copy(t.c),this},getArea:function(){var t=new b,e=new b;return function(){return t.subVectors(this.c,this.b),e.subVectors(this.a,this.b),.5*t.cross(e).length()}}(),getMidpoint:function(t){return void 0===t&&(console.warn("THREE.Triangle: .getMidpoint() target is now required"),t=new b),t.addVectors(this.a,this.b).add(this.c).multiplyScalar(1/3)},getNormal:function(t){return Wt.getNormal(this.a,this.b,this.c,t)},getPlane:function(t){return void 0===t&&(console.warn("THREE.Triangle: .getPlane() target is now required"),t=new b),t.setFromCoplanarPoints(this.a,this.b,this.c)},getBarycoord:function(t,e){return Wt.getBarycoord(t,this.a,this.b,this.c,e)},containsPoint:function(t){return Wt.containsPoint(t,this.a,this.b,this.c)},getUV:function(t,e,i,n,r){return Wt.getUV(t,this.a,this.b,this.c,e,i,n,r)},intersectsBox:function(t){return t.intersectsTriangle(this)},closestPointToPoint:(zt=new b,Nt=new b,Ut=new b,Bt=new b,Gt=new b,Ft=new b,function(t,e){void 0===e&&(console.warn("THREE.Triangle: .closestPointToPoint() target is now required"),e=new b);var i,n,r=this.a,a=this.b,o=this.c;zt.subVectors(a,r),Nt.subVectors(o,r),Bt.subVectors(t,r);var s=zt.dot(Bt),c=Nt.dot(Bt);if(s<=0&&c<=0)return e.copy(r);Gt.subVectors(t,a);var h=zt.dot(Gt),l=Nt.dot(Gt);if(h>=0&&l<=h)return e.copy(a);var u=s*l-h*c;if(u<=0&&s>=0&&h<=0)return i=s/(s-h),e.copy(r).addScaledVector(zt,i);Ft.subVectors(t,o);var p=zt.dot(Ft),d=Nt.dot(Ft);if(d>=0&&p<=d)return e.copy(o);var f=p*c-s*d;if(f<=0&&c>=0&&d<=0)return n=c/(c-d),e.copy(r).addScaledVector(Nt,n);var m=h*d-p*l;if(m<=0&&l-h>=0&&p-d>=0)return Ut.subVectors(o,a),n=(l-h)/(l-h+(p-d)),e.copy(a).addScaledVector(Ut,n);var g=1/(m+f+u);return i=f*g,n=u*g,e.copy(r).addScaledVector(zt,i).addScaledVector(Nt,n)}),equals:function(t){return t.a.equals(this.a)&&t.b.equals(this.b)&&t.c.equals(this.c)}}),qt.prototype=Object.create(kt.prototype),qt.prototype.constructor=qt,qt.prototype.isMeshBasicMaterial=!0,qt.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.color.copy(t.color),this.map=t.map,this.lightMap=t.lightMap,this.lightMapIntensity=t.lightMapIntensity,this.aoMap=t.aoMap,this.aoMapIntensity=t.aoMapIntensity,this.specularMap=t.specularMap,this.alphaMap=t.alphaMap,this.envMap=t.envMap,this.combine=t.combine,this.reflectivity=t.reflectivity,this.refractionRatio=t.refractionRatio,this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this.wireframeLinecap=t.wireframeLinecap,this.wireframeLinejoin=t.wireframeLinejoin,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this},Xt.prototype=Object.assign(Object.create(ot.prototype),{constructor:Xt,isMesh:!0,setDrawMode:function(t){this.drawMode=t},copy:function(t){return ot.prototype.copy.call(this,t),this.drawMode=t.drawMode,void 0!==t.morphTargetInfluences&&(this.morphTargetInfluences=t.morphTargetInfluences.slice()),void 0!==t.morphTargetDictionary&&(this.morphTargetDictionary=Object.assign({},t.morphTargetDictionary)),this},updateMorphTargets:function(){var t,e,i,n=this.geometry;if(n.isBufferGeometry){var r=n.morphAttributes,a=Object.keys(r);if(a.length>0){var o=r[a[0]];if(void 0!==o)for(this.morphTargetInfluences=[],this.morphTargetDictionary={},t=0,e=o.length;t0&&console.error("THREE.Mesh.updateMorphTargets() no longer supports THREE.Geometry. Use THREE.BufferGeometry instead.")}},raycast:function(){var t=new y,e=new jt,i=new N,n=new b,r=new b,a=new b,o=new b,s=new b,c=new b,h=new v,l=new v,u=new v,p=new b,d=new b;function f(t,e,i,n,r,a,o,s){if(null===(1===e.side?n.intersectTriangle(o,a,r,!0,s):n.intersectTriangle(r,a,o,2!==e.side,s)))return null;d.copy(s),d.applyMatrix4(t.matrixWorld);var c=i.ray.origin.distanceTo(d);return ci.far?null:{distance:c,point:d.clone(),object:t}}function m(t,e,i,o,s,c,d,m,g){n.fromBufferAttribute(s,d),r.fromBufferAttribute(s,m),a.fromBufferAttribute(s,g);var y=f(t,e,i,o,n,r,a,p);if(y){c&&(h.fromBufferAttribute(c,d),l.fromBufferAttribute(c,m),u.fromBufferAttribute(c,g),y.uv=Wt.getUV(p,n,r,a,h,l,u,new v));var x=new K(d,m,g);Wt.getNormal(n,r,a,x.normal),y.face=x}return y}return function(d,g){var y,x=this.geometry,b=this.material,w=this.matrixWorld;if(void 0!==b&&(null===x.boundingSphere&&x.computeBoundingSphere(),i.copy(x.boundingSphere),i.applyMatrix4(w),!1!==d.ray.intersectsSphere(i)&&(t.getInverse(w),e.copy(d.ray).applyMatrix4(t),null===x.boundingBox||!1!==e.intersectsBox(x.boundingBox))))if(x.isBufferGeometry){var _,M,S,E,T,L,A,P,R,C=x.index,O=x.attributes.position,I=x.attributes.uv,D=x.groups,z=x.drawRange;if(null!==C)if(Array.isArray(b))for(E=0,L=D.length;E0&&(G=V);for(var j=0,W=k.length;j0)return t;var r=e*i,a=ue[r];if(void 0===a&&(a=new Float32Array(r),ue[r]=a),0!==e){n.toArray(a,0);for(var o=1,s=0;o!==e;++o)s+=i,t[o].toArray(a,s)}return a}function ve(t,e){if(t.length!==e.length)return!1;for(var i=0,n=t.length;i/gm,(function(t,e){var i=G[e];if(void 0===i)throw new Error("Can not resolve #include <"+e+">");return ai(i)}))}function oi(t){return t.replace(/#pragma unroll_loop[\s]+?for \( int i \= (\d+)\; i < (\d+)\; i \+\+ \) \{([\s\S]+?)(?=\})\}/g,(function(t,e,i,n){for(var r="",a=parseInt(e);a0?t.gammaFactor:1,w=o.isWebGL2?"":function(t,e,i){return[(t=t||{}).derivatives||e.envMapCubeUV||e.bumpMap||e.normalMap&&!e.objectSpaceNormalMap||e.flatShading?"#extension GL_OES_standard_derivatives : enable":"",(t.fragDepth||e.logarithmicDepthBuffer)&&i.get("EXT_frag_depth")?"#extension GL_EXT_frag_depth : enable":"",t.drawBuffers&&i.get("WEBGL_draw_buffers")?"#extension GL_EXT_draw_buffers : require":"",(t.shaderTextureLOD||e.envMap)&&i.get("EXT_shader_texture_lod")?"#extension GL_EXT_shader_texture_lod : enable":""].filter(ii).join("\n")}(n.extensions,a,e),_=function(t){var e=[];for(var i in t){var n=t[i];!1!==n&&e.push("#define "+i+" "+n)}return e.join("\n")}(c),M=s.createProgram();if(n.isRawShaderMaterial?((m=[_].filter(ii).join("\n")).length>0&&(m+="\n"),(g=[w,_].filter(ii).join("\n")).length>0&&(g+="\n")):(m=["precision "+a.precision+" float;","precision "+a.precision+" int;","#define SHADER_NAME "+r.name,_,a.supportsVertexTextures?"#define VERTEX_TEXTURES":"","#define GAMMA_FACTOR "+b,"#define MAX_BONES "+a.maxBones,a.useFog&&a.fog?"#define USE_FOG":"",a.useFog&&a.fogExp?"#define FOG_EXP2":"",a.map?"#define USE_MAP":"",a.envMap?"#define USE_ENVMAP":"",a.envMap?"#define "+d:"",a.lightMap?"#define USE_LIGHTMAP":"",a.aoMap?"#define USE_AOMAP":"",a.emissiveMap?"#define USE_EMISSIVEMAP":"",a.bumpMap?"#define USE_BUMPMAP":"",a.normalMap?"#define USE_NORMALMAP":"",a.normalMap&&a.objectSpaceNormalMap?"#define OBJECTSPACE_NORMALMAP":"",a.displacementMap&&a.supportsVertexTextures?"#define USE_DISPLACEMENTMAP":"",a.specularMap?"#define USE_SPECULARMAP":"",a.roughnessMap?"#define USE_ROUGHNESSMAP":"",a.metalnessMap?"#define USE_METALNESSMAP":"",a.alphaMap?"#define USE_ALPHAMAP":"",a.vertexColors?"#define USE_COLOR":"",a.flatShading?"#define FLAT_SHADED":"",a.skinning?"#define USE_SKINNING":"",a.useVertexTexture?"#define BONE_TEXTURE":"",a.morphTargets?"#define USE_MORPHTARGETS":"",a.morphNormals&&!1===a.flatShading?"#define USE_MORPHNORMALS":"",a.doubleSided?"#define DOUBLE_SIDED":"",a.flipSided?"#define FLIP_SIDED":"",a.shadowMapEnabled?"#define USE_SHADOWMAP":"",a.shadowMapEnabled?"#define "+u:"",a.sizeAttenuation?"#define USE_SIZEATTENUATION":"",a.logarithmicDepthBuffer?"#define USE_LOGDEPTHBUF":"",a.logarithmicDepthBuffer&&(o.isWebGL2||e.get("EXT_frag_depth"))?"#define USE_LOGDEPTHBUF_EXT":"","uniform mat4 modelMatrix;","uniform mat4 modelViewMatrix;","uniform mat4 projectionMatrix;","uniform mat4 viewMatrix;","uniform mat3 normalMatrix;","uniform vec3 cameraPosition;","attribute vec3 position;","attribute vec3 normal;","attribute vec2 uv;","#ifdef USE_COLOR","\tattribute vec3 color;","#endif","#ifdef USE_MORPHTARGETS","\tattribute vec3 morphTarget0;","\tattribute vec3 morphTarget1;","\tattribute vec3 morphTarget2;","\tattribute vec3 morphTarget3;","\t#ifdef USE_MORPHNORMALS","\t\tattribute vec3 morphNormal0;","\t\tattribute vec3 morphNormal1;","\t\tattribute vec3 morphNormal2;","\t\tattribute vec3 morphNormal3;","\t#else","\t\tattribute vec3 morphTarget4;","\t\tattribute vec3 morphTarget5;","\t\tattribute vec3 morphTarget6;","\t\tattribute vec3 morphTarget7;","\t#endif","#endif","#ifdef USE_SKINNING","\tattribute vec4 skinIndex;","\tattribute vec4 skinWeight;","#endif","\n"].filter(ii).join("\n"),g=[w,"precision "+a.precision+" float;","precision "+a.precision+" int;","#define SHADER_NAME "+r.name,_,a.alphaTest?"#define ALPHATEST "+a.alphaTest+(a.alphaTest%1?"":".0"):"","#define GAMMA_FACTOR "+b,a.useFog&&a.fog?"#define USE_FOG":"",a.useFog&&a.fogExp?"#define FOG_EXP2":"",a.map?"#define USE_MAP":"",a.matcap?"#define USE_MATCAP":"",a.envMap?"#define USE_ENVMAP":"",a.envMap?"#define "+p:"",a.envMap?"#define "+d:"",a.envMap?"#define "+f:"",a.lightMap?"#define USE_LIGHTMAP":"",a.aoMap?"#define USE_AOMAP":"",a.emissiveMap?"#define USE_EMISSIVEMAP":"",a.bumpMap?"#define USE_BUMPMAP":"",a.normalMap?"#define USE_NORMALMAP":"",a.normalMap&&a.objectSpaceNormalMap?"#define OBJECTSPACE_NORMALMAP":"",a.specularMap?"#define USE_SPECULARMAP":"",a.roughnessMap?"#define USE_ROUGHNESSMAP":"",a.metalnessMap?"#define USE_METALNESSMAP":"",a.alphaMap?"#define USE_ALPHAMAP":"",a.vertexColors?"#define USE_COLOR":"",a.gradientMap?"#define USE_GRADIENTMAP":"",a.flatShading?"#define FLAT_SHADED":"",a.doubleSided?"#define DOUBLE_SIDED":"",a.flipSided?"#define FLIP_SIDED":"",a.shadowMapEnabled?"#define USE_SHADOWMAP":"",a.shadowMapEnabled?"#define "+u:"",a.premultipliedAlpha?"#define PREMULTIPLIED_ALPHA":"",a.physicallyCorrectLights?"#define PHYSICALLY_CORRECT_LIGHTS":"",a.logarithmicDepthBuffer?"#define USE_LOGDEPTHBUF":"",a.logarithmicDepthBuffer&&(o.isWebGL2||e.get("EXT_frag_depth"))?"#define USE_LOGDEPTHBUF_EXT":"",a.envMap&&(o.isWebGL2||e.get("EXT_shader_texture_lod"))?"#define TEXTURE_LOD_EXT":"","uniform mat4 viewMatrix;","uniform vec3 cameraPosition;",0!==a.toneMapping?"#define TONE_MAPPING":"",0!==a.toneMapping?G.tonemapping_pars_fragment:"",0!==a.toneMapping?ei("toneMapping",a.toneMapping):"",a.dithering?"#define DITHERING":"",a.outputEncoding||a.mapEncoding||a.matcapEncoding||a.envMapEncoding||a.emissiveMapEncoding?G.encodings_pars_fragment:"",a.mapEncoding?ti("mapTexelToLinear",a.mapEncoding):"",a.matcapEncoding?ti("matcapTexelToLinear",a.matcapEncoding):"",a.envMapEncoding?ti("envMapTexelToLinear",a.envMapEncoding):"",a.emissiveMapEncoding?ti("emissiveMapTexelToLinear",a.emissiveMapEncoding):"",a.outputEncoding?(v="linearToOutputTexel",y=a.outputEncoding,x=$e(y),"vec4 "+v+"( vec4 value ) { return LinearTo"+x[0]+x[1]+"; }"):"",a.depthPacking?"#define DEPTH_PACKING "+n.depthPacking:"","\n"].filter(ii).join("\n")),h=ri(h=ni(h=ai(h),a),a),l=ri(l=ni(l=ai(l),a),a),h=oi(h),l=oi(l),o.isWebGL2&&!n.isRawShaderMaterial){var S=!1,E=/^\s*#version\s+300\s+es\s*\n/;n.isShaderMaterial&&null!==h.match(E)&&null!==l.match(E)&&(S=!0,h=h.replace(E,""),l=l.replace(E,"")),m=["#version 300 es\n","#define attribute in","#define varying out","#define texture2D texture"].join("\n")+"\n"+m,g=["#version 300 es\n","#define varying in",S?"":"out highp vec4 pc_fragColor;",S?"":"#define gl_FragColor pc_fragColor","#define gl_FragDepthEXT gl_FragDepth","#define texture2D texture","#define textureCube texture","#define texture2DProj textureProj","#define texture2DLodEXT textureLod","#define texture2DProjLodEXT textureProjLod","#define textureCubeLodEXT textureLod","#define texture2DGradEXT textureGrad","#define texture2DProjGradEXT textureProjGrad","#define textureCubeGradEXT textureGrad"].join("\n")+"\n"+g}var T=g+l,L=Qe(s,35633,m+h),A=Qe(s,35632,T);s.attachShader(M,L),s.attachShader(M,A),void 0!==n.index0AttributeName?s.bindAttribLocation(M,0,n.index0AttributeName):!0===a.morphTargets&&s.bindAttribLocation(M,0,"position"),s.linkProgram(M);var P,R,C=s.getProgramInfoLog(M).trim(),O=s.getShaderInfoLog(L).trim(),I=s.getShaderInfoLog(A).trim(),D=!0,z=!0;return!1===s.getProgramParameter(M,35714)?(D=!1,console.error("THREE.WebGLProgram: shader error: ",s.getError(),"35715",s.getProgramParameter(M,35715),"gl.getProgramInfoLog",C,O,I)):""!==C?console.warn("THREE.WebGLProgram: gl.getProgramInfoLog()",C):""!==O&&""!==I||(z=!1),z&&(this.diagnostics={runnable:D,material:n,programLog:C,vertexShader:{log:O,prefix:m},fragmentShader:{log:I,prefix:g}}),s.deleteShader(L),s.deleteShader(A),this.getUniforms=function(){return void 0===P&&(P=new Ze(s,M,t)),P},this.getAttributes=function(){return void 0===R&&(R=function(t,e){for(var i={},n=t.getProgramParameter(e,35721),r=0;r0,maxBones:p,useVertexTexture:i.floatVertexTextures,morphTargets:e.morphTargets,morphNormals:e.morphNormals,maxMorphTargets:t.maxMorphTargets,maxMorphNormals:t.maxMorphNormals,numDirLights:n.directional.length,numPointLights:n.point.length,numSpotLights:n.spot.length,numRectAreaLights:n.rectArea.length,numHemiLights:n.hemi.length,numClippingPlanes:c,numClipIntersection:h,dithering:e.dithering,shadowMapEnabled:t.shadowMap.enabled&&l.receiveShadow&&a.length>0,shadowMapType:t.shadowMap.type,toneMapping:t.toneMapping,physicallyCorrectLights:t.physicallyCorrectLights,premultipliedAlpha:e.premultipliedAlpha,alphaTest:e.alphaTest,doubleSided:2===e.side,flipSided:1===e.side,depthPacking:void 0!==e.depthPacking&&e.depthPacking}},this.getProgramCode=function(e,i){var n=[];if(i.shaderID?n.push(i.shaderID):(n.push(e.fragmentShader),n.push(e.vertexShader)),void 0!==e.defines)for(var r in e.defines)n.push(r),n.push(e.defines[r]);for(var o=0;o1&&i.sort(li),n.length>1&&n.sort(ui)}}}function di(){var t={};function e(i){var n=i.target;n.removeEventListener("dispose",e),delete t[n.id]}return{get:function(i,n){var r,a=t[i.id];return void 0===a?(r=new pi,t[i.id]={},t[i.id][n.id]=r,i.addEventListener("dispose",e)):void 0===(r=a[n.id])&&(r=new pi,a[n.id]=r),r},dispose:function(){t={}}}}function fi(){var t={};return{get:function(e){if(void 0!==t[e.id])return t[e.id];var i;switch(e.type){case"DirectionalLight":i={direction:new b,color:new q,shadow:!1,shadowBias:0,shadowRadius:1,shadowMapSize:new v};break;case"SpotLight":i={position:new b,direction:new b,color:new q,distance:0,coneCos:0,penumbraCos:0,decay:0,shadow:!1,shadowBias:0,shadowRadius:1,shadowMapSize:new v};break;case"PointLight":i={position:new b,color:new q,distance:0,decay:0,shadow:!1,shadowBias:0,shadowRadius:1,shadowMapSize:new v,shadowCameraNear:1,shadowCameraFar:1e3};break;case"HemisphereLight":i={direction:new b,skyColor:new q,groundColor:new q};break;case"RectAreaLight":i={color:new q,position:new b,halfWidth:new b,halfHeight:new b}}return t[e.id]=i,i}}}var mi=0;function gi(){var t=new fi,e={id:mi++,hash:{stateID:-1,directionalLength:-1,pointLength:-1,spotLength:-1,rectAreaLength:-1,hemiLength:-1,shadowsLength:-1},ambient:[0,0,0],directional:[],directionalShadowMap:[],directionalShadowMatrix:[],spot:[],spotShadowMap:[],spotShadowMatrix:[],rectArea:[],point:[],pointShadowMap:[],pointShadowMatrix:[],hemi:[]},i=new b,n=new y,r=new y;return{setup:function(a,o,s){for(var c=0,h=0,l=0,u=0,p=0,d=0,f=0,m=0,g=s.matrixWorldInverse,v=0,y=a.length;v0:s&&s.isGeometry&&(m=s.morphTargets&&s.morphTargets.length>0)),e.isSkinnedMesh&&!1===i.skinning&&console.warn("THREE.WebGLShadowMap: THREE.SkinnedMesh with material.skinning set to false:",e);var g=0;m&&(g|=1),e.isSkinnedMesh&&i.skinning&&(g|=2),c=d[g]}if(t.localClippingEnabled&&!0===i.clipShadows&&0!==i.clippingPlanes.length){var v=c.uuid,y=i.uuid,x=u[v];void 0===x&&(x={},u[v]=x);var b=x[y];void 0===b&&(b=c.clone(),x[y]=b),c=b}return c.visible=i.visible,c.wireframe=i.wireframe,c.side=null!=i.shadowSide?i.shadowSide:p[i.side],c.clipShadows=i.clipShadows,c.clippingPlanes=i.clippingPlanes,c.clipIntersection=i.clipIntersection,c.wireframeLinewidth=i.wireframeLinewidth,c.linewidth=i.linewidth,n&&c.isMeshDistanceMaterial&&(c.referencePosition.copy(r),c.nearDistance=a,c.farDistance=o),c}function T(i,r,a,o){if(!1!==i.visible){if(i.layers.test(r.layers)&&(i.isMesh||i.isLine||i.isPoints)&&i.castShadow&&(!i.frustumCulled||n.intersectsObject(i))){i.modelViewMatrix.multiplyMatrices(a.matrixWorldInverse,i.matrixWorld);var s=e.update(i),h=i.material;if(Array.isArray(h))for(var l=s.groups,u=0,p=l.length;u=1):-1!==O.indexOf("OpenGL ES")&&(C=parseFloat(/^OpenGL\ ES\ ([0-9])/.exec(O)[1]),P=C>=2);var I=null,D={},z=new R,N=new R;function U(e,i,n){var r=new Uint8Array(4),a=t.createTexture();t.bindTexture(e,a),t.texParameteri(e,10241,9728),t.texParameteri(e,10240,9728);for(var o=0;on||t.height>n)&&(r=n/Math.max(t.width,t.height)),r<1||!0===e){if(t instanceof HTMLImageElement||t instanceof HTMLCanvasElement||t instanceof ImageBitmap){void 0===s&&(s=document.createElementNS("http://www.w3.org/1999/xhtml","canvas"));var a=i?document.createElementNS("http://www.w3.org/1999/xhtml","canvas"):s,o=e?g.floorPowerOfTwo:Math.floor;return a.width=o(r*t.width),a.height=o(r*t.height),a.getContext("2d").drawImage(t,0,0,a.width,a.height),console.warn("THREE.WebGLRenderer: Texture has been resized from ("+t.width+"x"+t.height+") to ("+a.width+"x"+a.height+")."),a}return"data"in t&&console.warn("THREE.WebGLRenderer: Image in DataTexture is too big ("+t.width+"x"+t.height+")."),t}return t}function l(t){return g.isPowerOfTwo(t.width)&&g.isPowerOfTwo(t.height)}function u(t,e){return t.generateMipmaps&&e&&1003!==t.minFilter&&1006!==t.minFilter}function p(e,i,r,a){t.generateMipmap(e),n.get(i).__maxMipLevel=Math.log(Math.max(r,a))*Math.LOG2E}function d(t,i){if(!r.isWebGL2)return t;var n=t;return 6403===t&&(5126===i&&(n=33326),5131===i&&(n=33325),5121===i&&(n=33321)),6407===t&&(5126===i&&(n=34837),5131===i&&(n=34843),5121===i&&(n=32849)),6408===t&&(5126===i&&(n=34836),5131===i&&(n=34842),5121===i&&(n=32856)),33325===n||33326===n||34842===n||34836===n?e.get("EXT_color_buffer_float"):34843!==n&&34837!==n||console.warn("THREE.WebGLRenderer: Floating point textures with RGB format not supported. Please use RGBA instead."),n}function f(t){return 1003===t||1004===t||1005===t?9728:9729}function m(e){var i=e.target;i.removeEventListener("dispose",m),function(e){var i=n.get(e);if(e.image&&i.__image__webglTextureCube)t.deleteTexture(i.__image__webglTextureCube);else{if(void 0===i.__webglInit)return;t.deleteTexture(i.__webglTexture)}n.remove(e)}(i),i.isVideoTexture&&delete c[i.id],o.memory.textures--}function v(e){var i=e.target;i.removeEventListener("dispose",v),function(e){var i=n.get(e),r=n.get(e.texture);if(!e)return;void 0!==r.__webglTexture&&t.deleteTexture(r.__webglTexture);e.depthTexture&&e.depthTexture.dispose();if(e.isWebGLRenderTargetCube)for(var a=0;a<6;a++)t.deleteFramebuffer(i.__webglFramebuffer[a]),i.__webglDepthbuffer&&t.deleteRenderbuffer(i.__webglDepthbuffer[a]);else t.deleteFramebuffer(i.__webglFramebuffer),i.__webglDepthbuffer&&t.deleteRenderbuffer(i.__webglDepthbuffer);n.remove(e.texture),n.remove(e)}(i),o.memory.textures--}function y(t,e){var r=n.get(t);if(t.isVideoTexture&&function(t){var e=t.id,i=o.render.frame;c[e]!==i&&(c[e]=i,t.update())}(t),t.version>0&&r.__version!==t.version){var a=t.image;if(void 0===a)console.warn("THREE.WebGLRenderer: Texture marked for update but image is undefined");else{if(!1!==a.complete)return void b(r,t,e);console.warn("THREE.WebGLRenderer: Texture marked for update but image is incomplete")}}i.activeTexture(33984+e),i.bindTexture(3553,r.__webglTexture)}function x(i,o,s){var c;if(s?(t.texParameteri(i,10242,a.convert(o.wrapS)),t.texParameteri(i,10243,a.convert(o.wrapT)),t.texParameteri(i,10240,a.convert(o.magFilter)),t.texParameteri(i,10241,a.convert(o.minFilter))):(t.texParameteri(i,10242,33071),t.texParameteri(i,10243,33071),1001===o.wrapS&&1001===o.wrapT||console.warn("THREE.WebGLRenderer: Texture is not power of two. Texture.wrapS and Texture.wrapT should be set to THREE.ClampToEdgeWrapping."),t.texParameteri(i,10240,f(o.magFilter)),t.texParameteri(i,10241,f(o.minFilter)),1003!==o.minFilter&&1006!==o.minFilter&&console.warn("THREE.WebGLRenderer: Texture is not power of two. Texture.minFilter should be set to THREE.NearestFilter or THREE.LinearFilter.")),c=e.get("EXT_texture_filter_anisotropic")){if(1015===o.type&&null===e.get("OES_texture_float_linear"))return;if(1016===o.type&&null===(r.isWebGL2||e.get("OES_texture_half_float_linear")))return;(o.anisotropy>1||n.get(o).__currentAnisotropy)&&(t.texParameterf(i,c.TEXTURE_MAX_ANISOTROPY_EXT,Math.min(o.anisotropy,r.getMaxAnisotropy())),n.get(o).__currentAnisotropy=o.anisotropy)}}function b(e,n,s){var c;c=n.isDataTexture3D?32879:3553,void 0===e.__webglInit&&(e.__webglInit=!0,n.addEventListener("dispose",m),e.__webglTexture=t.createTexture(),o.memory.textures++),i.activeTexture(33984+s),i.bindTexture(c,e.__webglTexture),t.pixelStorei(37440,n.flipY),t.pixelStorei(37441,n.premultiplyAlpha),t.pixelStorei(3317,n.unpackAlignment);var f=function(t){return!r.isWebGL2&&(1001!==t.wrapS||1001!==t.wrapT||1003!==t.minFilter&&1006!==t.minFilter)}(n)&&!1===l(n.image),g=h(n.image,f,!1,r.maxTextureSize),v=l(g),y=a.convert(n.format),b=a.convert(n.type),w=d(y,b);x(c,n,v);var _,M=n.mipmaps;if(n.isDepthTexture){if(w=6402,1015===n.type){if(!r.isWebGL2)throw new Error("Float Depth Texture only supported in WebGL2.0");w=36012}else r.isWebGL2&&(w=33189);1026===n.format&&6402===w&&1012!==n.type&&1014!==n.type&&(console.warn("THREE.WebGLRenderer: Use UnsignedShortType or UnsignedIntType for DepthFormat DepthTexture."),n.type=1012,b=a.convert(n.type)),1027===n.format&&(w=34041,1020!==n.type&&(console.warn("THREE.WebGLRenderer: Use UnsignedInt248Type for DepthStencilFormat DepthTexture."),n.type=1020,b=a.convert(n.type))),i.texImage2D(3553,0,w,g.width,g.height,0,y,b,null)}else if(n.isDataTexture){if(M.length>0&&v){for(var S=0,E=M.length;S-1?i.compressedTexImage2D(3553,S,w,_.width,_.height,0,_.data):console.warn("THREE.WebGLRenderer: Attempt to load unsupported compressed texture format in .uploadTexture()"):i.texImage2D(3553,S,w,_.width,_.height,0,y,b,_.data);e.__maxMipLevel=M.length-1}else if(n.isDataTexture3D)i.texImage3D(32879,0,w,g.width,g.height,g.depth,0,y,b,g.data),e.__maxMipLevel=0;else if(M.length>0&&v){for(S=0,E=M.length;S0&&r.__version!==t.version?b(r,t,e):(i.activeTexture(33984+e),i.bindTexture(32879,r.__webglTexture))},this.setTextureCube=function(e,s){var c=n.get(e);if(6===e.image.length)if(e.version>0&&c.__version!==e.version){c.__image__webglTextureCube||(e.addEventListener("dispose",m),c.__image__webglTextureCube=t.createTexture(),o.memory.textures++),i.activeTexture(33984+s),i.bindTexture(34067,c.__image__webglTextureCube),t.pixelStorei(37440,e.flipY);for(var f=e&&e.isCompressedTexture,g=e.image[0]&&e.image[0].isDataTexture,v=[],y=0;y<6;y++)v[y]=f||g?g?e.image[y].image:e.image[y]:h(e.image[y],!1,!0,r.maxCubemapSize);var b=v[0],w=l(b),_=a.convert(e.format),M=a.convert(e.type),S=d(_,M);x(34067,e,w);for(y=0;y<6;y++)if(f)for(var E,T=v[y].mipmaps,L=0,A=T.length;L-1?i.compressedTexImage2D(34069+y,L,S,E.width,E.height,0,E.data):console.warn("THREE.WebGLRenderer: Attempt to load unsupported compressed texture format in .setTextureCube()"):i.texImage2D(34069+y,L,S,E.width,E.height,0,_,M,E.data);else g?i.texImage2D(34069+y,0,S,v[y].width,v[y].height,0,_,M,v[y].data):i.texImage2D(34069+y,0,S,_,M,v[y]);c.__maxMipLevel=f?T.length-1:0,u(e,w)&&p(34067,e,b.width,b.height),c.__version=e.version,e.onUpdate&&e.onUpdate(e)}else i.activeTexture(33984+s),i.bindTexture(34067,c.__image__webglTextureCube)},this.setTextureCubeDynamic=function(t,e){i.activeTexture(33984+e),i.bindTexture(34067,n.get(t).__webglTexture)},this.setupRenderTarget=function(e){var s=n.get(e),c=n.get(e.texture);e.addEventListener("dispose",v),c.__webglTexture=t.createTexture(),o.memory.textures++;var h=!0===e.isWebGLRenderTargetCube,f=!0===e.isWebGLMultisampleRenderTarget,m=l(e);if(h){s.__webglFramebuffer=[];for(var g=0;g<6;g++)s.__webglFramebuffer[g]=t.createFramebuffer()}else if(s.__webglFramebuffer=t.createFramebuffer(),f)if(r.isWebGL2){s.__webglMultisampledFramebuffer=t.createFramebuffer(),s.__webglColorRenderbuffer=t.createRenderbuffer(),t.bindRenderbuffer(36161,s.__webglColorRenderbuffer);var y=d(a.convert(e.texture.format),a.convert(e.texture.type)),b=S(e);t.renderbufferStorageMultisample(36161,b,y,e.width,e.height),t.bindFramebuffer(36160,s.__webglMultisampledFramebuffer),t.framebufferRenderbuffer(36160,36064,36161,s.__webglColorRenderbuffer),t.bindRenderbuffer(36161,null),e.depthBuffer&&(s.__webglDepthRenderbuffer=t.createRenderbuffer(),_(s.__webglDepthRenderbuffer,e,!0)),t.bindFramebuffer(36160,null)}else console.warn("THREE.WebGLRenderer: WebGLMultisampleRenderTarget can only be used with WebGL2.");if(h){i.bindTexture(34067,c.__webglTexture),x(34067,e.texture,m);for(g=0;g<6;g++)w(s.__webglFramebuffer[g],e,36064,34069+g);u(e.texture,m)&&p(34067,e.texture,e.width,e.height),i.bindTexture(34067,null)}else i.bindTexture(3553,c.__webglTexture),x(3553,e.texture,m),w(s.__webglFramebuffer,e,36064,3553),u(e.texture,m)&&p(3553,e.texture,e.width,e.height),i.bindTexture(3553,null);e.depthBuffer&&M(e)},this.updateRenderTargetMipmap=function(t){var e=t.texture;if(u(e,l(t))){var r=t.isWebGLRenderTargetCube?34067:3553,a=n.get(e).__webglTexture;i.bindTexture(r,a),p(r,e,t.width,t.height),i.bindTexture(r,null)}},this.updateMultisampleRenderTarget=function(e){if(e.isWebGLMultisampleRenderTarget)if(r.isWebGL2){var i=n.get(e);t.bindFramebuffer(36008,i.__webglMultisampledFramebuffer),t.bindFramebuffer(36009,i.__webglFramebuffer);var a=e.width,o=e.height,s=16384;e.depthBuffer&&(s|=256),e.stencilBuffer&&(s|=1024),t.blitFramebuffer(0,0,a,o,0,0,a,o,s,9728)}else console.warn("THREE.WebGLRenderer: WebGLMultisampleRenderTarget can only be used with WebGL2.")}}function Si(t,e,i){return{convert:function(t){var n;if(1e3===t)return 10497;if(1001===t)return 33071;if(1002===t)return 33648;if(1003===t)return 9728;if(1004===t)return 9984;if(1005===t)return 9986;if(1006===t)return 9729;if(1007===t)return 9985;if(1008===t)return 9987;if(1009===t)return 5121;if(1017===t)return 32819;if(1018===t)return 32820;if(1019===t)return 33635;if(1010===t)return 5120;if(1011===t)return 5122;if(1012===t)return 5123;if(1013===t)return 5124;if(1014===t)return 5125;if(1015===t)return 5126;if(1016===t){if(i.isWebGL2)return 5131;if(null!==(n=e.get("OES_texture_half_float")))return n.HALF_FLOAT_OES}if(1021===t)return 6406;if(1022===t)return 6407;if(1023===t)return 6408;if(1024===t)return 6409;if(1025===t)return 6410;if(1026===t)return 6402;if(1027===t)return 34041;if(1028===t)return 6403;if(100===t)return 32774;if(101===t)return 32778;if(102===t)return 32779;if(200===t)return 0;if(201===t)return 1;if(202===t)return 768;if(203===t)return 769;if(204===t)return 770;if(205===t)return 771;if(206===t)return 772;if(207===t)return 773;if(208===t)return 774;if(209===t)return 775;if(210===t)return 776;if((33776===t||33777===t||33778===t||33779===t)&&null!==(n=e.get("WEBGL_compressed_texture_s3tc"))){if(33776===t)return n.COMPRESSED_RGB_S3TC_DXT1_EXT;if(33777===t)return n.COMPRESSED_RGBA_S3TC_DXT1_EXT;if(33778===t)return n.COMPRESSED_RGBA_S3TC_DXT3_EXT;if(33779===t)return n.COMPRESSED_RGBA_S3TC_DXT5_EXT}if((35840===t||35841===t||35842===t||35843===t)&&null!==(n=e.get("WEBGL_compressed_texture_pvrtc"))){if(35840===t)return n.COMPRESSED_RGB_PVRTC_4BPPV1_IMG;if(35841===t)return n.COMPRESSED_RGB_PVRTC_2BPPV1_IMG;if(35842===t)return n.COMPRESSED_RGBA_PVRTC_4BPPV1_IMG;if(35843===t)return n.COMPRESSED_RGBA_PVRTC_2BPPV1_IMG}if(36196===t&&null!==(n=e.get("WEBGL_compressed_texture_etc1")))return n.COMPRESSED_RGB_ETC1_WEBGL;if((37808===t||37809===t||37810===t||37811===t||37812===t||37813===t||37814===t||37815===t||37816===t||37817===t||37818===t||37819===t||37820===t||37821===t)&&null!==(n=e.get("WEBGL_compressed_texture_astc")))return t;if(103===t||104===t){if(i.isWebGL2){if(103===t)return 32775;if(104===t)return 32776}if(null!==(n=e.get("EXT_blend_minmax"))){if(103===t)return n.MIN_EXT;if(104===t)return n.MAX_EXT}}if(1020===t){if(i.isWebGL2)return 34042;if(null!==(n=e.get("WEBGL_depth_texture")))return n.UNSIGNED_INT_24_8_WEBGL}return 0}}}function Ei(){ot.call(this),this.type="Group"}function Ti(){ot.call(this),this.type="Camera",this.matrixWorldInverse=new y,this.projectionMatrix=new y,this.projectionMatrixInverse=new y}function Li(t,e,i,n){Ti.call(this),this.type="PerspectiveCamera",this.fov=void 0!==t?t:50,this.zoom=1,this.near=void 0!==i?i:.1,this.far=void 0!==n?n:2e3,this.focus=10,this.aspect=void 0!==e?e:1,this.view=null,this.filmGauge=35,this.filmOffset=0,this.updateProjectionMatrix()}function Ai(t){Li.call(this),this.cameras=t||[]}xi.prototype=Object.create(kt.prototype),xi.prototype.constructor=xi,xi.prototype.isMeshDepthMaterial=!0,xi.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.depthPacking=t.depthPacking,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.map=t.map,this.alphaMap=t.alphaMap,this.displacementMap=t.displacementMap,this.displacementScale=t.displacementScale,this.displacementBias=t.displacementBias,this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this},bi.prototype=Object.create(kt.prototype),bi.prototype.constructor=bi,bi.prototype.isMeshDistanceMaterial=!0,bi.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.referencePosition.copy(t.referencePosition),this.nearDistance=t.nearDistance,this.farDistance=t.farDistance,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.map=t.map,this.alphaMap=t.alphaMap,this.displacementMap=t.displacementMap,this.displacementScale=t.displacementScale,this.displacementBias=t.displacementBias,this},Ei.prototype=Object.assign(Object.create(ot.prototype),{constructor:Ei,isGroup:!0}),Ti.prototype=Object.assign(Object.create(ot.prototype),{constructor:Ti,isCamera:!0,copy:function(t,e){return ot.prototype.copy.call(this,t,e),this.matrixWorldInverse.copy(t.matrixWorldInverse),this.projectionMatrix.copy(t.projectionMatrix),this.projectionMatrixInverse.copy(t.projectionMatrixInverse),this},getWorldDirection:function(t){void 0===t&&(console.warn("THREE.Camera: .getWorldDirection() target is now required"),t=new b),this.updateMatrixWorld(!0);var e=this.matrixWorld.elements;return t.set(-e[8],-e[9],-e[10]).normalize()},updateMatrixWorld:function(t){ot.prototype.updateMatrixWorld.call(this,t),this.matrixWorldInverse.getInverse(this.matrixWorld)},clone:function(){return(new this.constructor).copy(this)}}),Li.prototype=Object.assign(Object.create(Ti.prototype),{constructor:Li,isPerspectiveCamera:!0,copy:function(t,e){return Ti.prototype.copy.call(this,t,e),this.fov=t.fov,this.zoom=t.zoom,this.near=t.near,this.far=t.far,this.focus=t.focus,this.aspect=t.aspect,this.view=null===t.view?null:Object.assign({},t.view),this.filmGauge=t.filmGauge,this.filmOffset=t.filmOffset,this},setFocalLength:function(t){var e=.5*this.getFilmHeight()/t;this.fov=2*g.RAD2DEG*Math.atan(e),this.updateProjectionMatrix()},getFocalLength:function(){var t=Math.tan(.5*g.DEG2RAD*this.fov);return.5*this.getFilmHeight()/t},getEffectiveFOV:function(){return 2*g.RAD2DEG*Math.atan(Math.tan(.5*g.DEG2RAD*this.fov)/this.zoom)},getFilmWidth:function(){return this.filmGauge*Math.min(this.aspect,1)},getFilmHeight:function(){return this.filmGauge/Math.max(this.aspect,1)},setViewOffset:function(t,e,i,n,r,a){this.aspect=t/e,null===this.view&&(this.view={enabled:!0,fullWidth:1,fullHeight:1,offsetX:0,offsetY:0,width:1,height:1}),this.view.enabled=!0,this.view.fullWidth=t,this.view.fullHeight=e,this.view.offsetX=i,this.view.offsetY=n,this.view.width=r,this.view.height=a,this.updateProjectionMatrix()},clearViewOffset:function(){null!==this.view&&(this.view.enabled=!1),this.updateProjectionMatrix()},updateProjectionMatrix:function(){var t=this.near,e=t*Math.tan(.5*g.DEG2RAD*this.fov)/this.zoom,i=2*e,n=this.aspect*i,r=-.5*n,a=this.view;if(null!==this.view&&this.view.enabled){var o=a.fullWidth,s=a.fullHeight;r+=a.offsetX*n/o,e-=a.offsetY*i/s,n*=a.width/o,i*=a.height/s}var c=this.filmOffset;0!==c&&(r+=t*c/this.getFilmWidth()),this.projectionMatrix.makePerspective(r,r+n,e,e-i,t,this.far),this.projectionMatrixInverse.getInverse(this.projectionMatrix)},toJSON:function(t){var e=ot.prototype.toJSON.call(this,t);return e.object.fov=this.fov,e.object.zoom=this.zoom,e.object.near=this.near,e.object.far=this.far,e.object.focus=this.focus,e.object.aspect=this.aspect,null!==this.view&&(e.object.view=Object.assign({},this.view)),e.object.filmGauge=this.filmGauge,e.object.filmOffset=this.filmOffset,e}}),Ai.prototype=Object.assign(Object.create(Li.prototype),{constructor:Ai,isArrayCamera:!0});var Pi,Ri,Ci,Oi,Ii,Di,zi=new b,Ni=new b;function Ui(t,e,i){zi.setFromMatrixPosition(e.matrixWorld),Ni.setFromMatrixPosition(i.matrixWorld);var n=zi.distanceTo(Ni),r=e.projectionMatrix.elements,a=i.projectionMatrix.elements,o=r[14]/(r[10]-1),s=r[14]/(r[10]+1),c=(r[9]+1)/r[5],h=(r[9]-1)/r[5],l=(r[8]-1)/r[0],u=(a[8]+1)/a[0],p=o*l,d=o*u,f=n/(-l+u),m=f*-l;e.matrixWorld.decompose(t.position,t.quaternion,t.scale),t.translateX(m),t.translateZ(f),t.matrixWorld.compose(t.position,t.quaternion,t.scale),t.matrixWorldInverse.getInverse(t.matrixWorld);var g=o+f,v=s+f,y=p-m,x=d+(n-m),b=c*s/v*g,w=h*s/v*g;t.projectionMatrix.makePerspective(y,x,b,w,g,v)}function Bi(t){var e=this,i=null,n=null,r=null,a=[],o=new y,s=new y,c=1,h="stage";"undefined"!=typeof window&&"VRFrameData"in window&&(n=new window.VRFrameData,window.addEventListener("vrdisplaypresentchange",_,!1));var l=new y,u=new x,p=new b,d=new Li;d.bounds=new R(0,0,.5,1),d.layers.enable(1);var f=new Li;f.bounds=new R(.5,0,.5,1),f.layers.enable(2);var m,g,v=new Ai([d,f]);function w(){return null!==i&&!0===i.isPresenting}function _(){if(w()){var n=i.getEyeParameters("left"),r=n.renderWidth*c,a=n.renderHeight*c;g=t.getPixelRatio(),m=t.getSize(),t.setDrawingBufferSize(2*r,a,1),E.start()}else e.enabled&&t.setDrawingBufferSize(m.width,m.height,g),E.stop()}v.layers.enable(1),v.layers.enable(2);var M=[];function S(t){for(var e=navigator.getGamepads&&navigator.getGamepads(),i=0,n=0,r=e.length;i=0){var c=n[o];if(void 0!==c){var h=c.normalized,l=c.itemSize,u=_.get(c);if(void 0===u)continue;var g=u.buffer,v=u.type,y=u.bytesPerElement;if(c.isInterleavedBufferAttribute){var x=c.data,b=x.stride,w=c.offset;x&&x.isInstancedInterleavedBuffer?(m.enableAttributeAndDivisor(s,x.meshPerAttribute),void 0===i.maxInstancedCount&&(i.maxInstancedCount=x.meshPerAttribute*x.count)):m.enableAttribute(s),p.bindBuffer(34962,g),p.vertexAttribPointer(s,l,v,h,b*y,w*y)}else c.isInstancedBufferAttribute?(m.enableAttributeAndDivisor(s,c.meshPerAttribute),void 0===i.maxInstancedCount&&(i.maxInstancedCount=c.meshPerAttribute*c.count)):m.enableAttribute(s),p.bindBuffer(34962,g),p.vertexAttribPointer(s,l,v,h,0,0)}else if(void 0!==a){var M=a[o];if(void 0!==M)switch(M.length){case 2:p.vertexAttrib2fv(s,M);break;case 3:p.vertexAttrib3fv(s,M);break;case 4:p.vertexAttrib4fv(s,M);break;default:p.vertexAttrib1fv(s,M)}}}}m.disableUnusedAttributes()}(n,s,i),null!==l&&p.bindBuffer(34963,h.buffer));var y=1/0;null!==l?y=l.count:void 0!==u&&(y=u.count);var x=i.drawRange.start*g,b=i.drawRange.count*g,w=null!==a?a.start*g:0,S=null!==a?a.count*g:1/0,E=Math.max(x,w),T=Math.min(y,x+b,w+S)-1,L=Math.max(0,T-E+1);if(0!==L){if(r.isMesh)if(!0===n.wireframe)m.setLineWidth(n.wireframeLinewidth*pt()),v.setMode(1);else switch(r.drawMode){case 0:v.setMode(4);break;case 1:v.setMode(5);break;case 2:v.setMode(6)}else if(r.isLine){var A=n.linewidth;void 0===A&&(A=1),m.setLineWidth(A*pt()),r.isLineSegments?v.setMode(1):r.isLineLoop?v.setMode(2):v.setMode(3)}else r.isPoints?v.setMode(0):r.isSprite&&v.setMode(4);i&&i.isInstancedBufferGeometry?i.maxInstancedCount>0&&v.renderInstances(i,E,L):v.render(E,L)}},this.compile=function(t,e){(u=L.get(t,e)).init(),t.traverse((function(t){t.isLight&&(u.pushLight(t),t.castShadow&&u.pushShadow(t))})),u.setupLights(e),t.traverse((function(e){if(e.material)if(Array.isArray(e.material))for(var i=0;i=0&&t.numSupportedMorphTargets++}if(t.morphNormals){t.numSupportedMorphNormals=0;for(m=0;m=0&&t.numSupportedMorphNormals++}var g=n.shader.uniforms;(t.isShaderMaterial||t.isRawShaderMaterial)&&!0!==t.clipping||(n.numClippingPlanes=st.numPlanes,n.numIntersection=st.numIntersection,g.clippingPlanes=st.uniform),n.fog=e,void 0===o&&(n.lightsHash=o={}),o.stateID=s.stateID,o.directionalLength=s.directionalLength,o.pointLength=s.pointLength,o.spotLength=s.spotLength,o.rectAreaLength=s.rectAreaLength,o.hemiLength=s.hemiLength,o.shadowsLength=s.shadowsLength,t.lights&&(g.ambientLightColor.value=r.state.ambient,g.directionalLights.value=r.state.directional,g.spotLights.value=r.state.spot,g.rectAreaLights.value=r.state.rectArea,g.pointLights.value=r.state.point,g.hemisphereLights.value=r.state.hemi,g.directionalShadowMap.value=r.state.directionalShadowMap,g.directionalShadowMatrix.value=r.state.directionalShadowMatrix,g.spotShadowMap.value=r.state.spotShadowMap,g.spotShadowMatrix.value=r.state.spotShadowMatrix,g.pointShadowMap.value=r.state.pointShadowMap,g.pointShadowMatrix.value=r.state.pointShadowMatrix);var v=n.program.getUniforms(),y=Ze.seqWithValue(v.seq,g);n.uniformsList=y}function Lt(t,e,i,n){$=0;var r=x.get(i),a=u.state.lights,o=r.lightsHash,s=a.state.hash;if(ct&&(ht||t!==j)){var c=t===j&&i.id===k;st.setState(i.clippingPlanes,i.clipIntersection,i.clipShadows,t,r,c)}!1===i.needsUpdate&&(void 0===r.program||i.fog&&r.fog!==e?i.needsUpdate=!0:(!i.lights||o.stateID===s.stateID&&o.directionalLength===s.directionalLength&&o.pointLength===s.pointLength&&o.spotLength===s.spotLength&&o.rectAreaLength===s.rectAreaLength&&o.hemiLength===s.hemiLength&&o.shadowsLength===s.shadowsLength)&&(void 0===r.numClippingPlanes||r.numClippingPlanes===st.numPlanes&&r.numIntersection===st.numIntersection)||(i.needsUpdate=!0)),i.needsUpdate&&(Tt(i,e,n),i.needsUpdate=!1);var h,l,d=!1,v=!1,y=!1,b=r.program,w=b.getUniforms(),_=r.shader.uniforms;if(m.useProgram(b.program)&&(d=!0,v=!0,y=!0),i.id!==k&&(k=i.id,v=!0),d||j!==t){if(w.setValue(p,"projectionMatrix",t.projectionMatrix),f.logarithmicDepthBuffer&&w.setValue(p,"logDepthBufFC",2/(Math.log(t.far+1)/Math.LN2)),j!==t&&(j=t,v=!0,y=!0),i.isShaderMaterial||i.isMeshPhongMaterial||i.isMeshStandardMaterial||i.envMap){var M=w.map.cameraPosition;void 0!==M&&M.setValue(p,ut.setFromMatrixPosition(t.matrixWorld))}(i.isMeshPhongMaterial||i.isMeshLambertMaterial||i.isMeshBasicMaterial||i.isMeshStandardMaterial||i.isShaderMaterial||i.skinning)&&w.setValue(p,"viewMatrix",t.matrixWorldInverse)}if(i.skinning){w.setOptional(p,n,"bindMatrix"),w.setOptional(p,n,"bindMatrixInverse");var S=n.skeleton;if(S){var E=S.bones;if(f.floatVertexTextures){if(void 0===S.boneTexture){var T=Math.sqrt(4*E.length);T=g.ceilPowerOfTwo(T),T=Math.max(T,4);var L=new Float32Array(T*T*4);L.set(S.boneMatrices);var A=new D(L,T,T,1023,1015);A.needsUpdate=!0,S.boneMatrices=L,S.boneTexture=A,S.boneTextureSize=T}w.setValue(p,"boneTexture",S.boneTexture),w.setValue(p,"boneTextureSize",S.boneTextureSize)}else w.setOptional(p,S,"boneMatrices")}}return v&&(w.setValue(p,"toneMappingExposure",z.toneMappingExposure),w.setValue(p,"toneMappingWhitePoint",z.toneMappingWhitePoint),i.lights&&(l=y,(h=_).ambientLightColor.needsUpdate=l,h.directionalLights.needsUpdate=l,h.pointLights.needsUpdate=l,h.spotLights.needsUpdate=l,h.rectAreaLights.needsUpdate=l,h.hemisphereLights.needsUpdate=l),e&&i.fog&&function(t,e){t.fogColor.value=e.color,e.isFog?(t.fogNear.value=e.near,t.fogFar.value=e.far):e.isFogExp2&&(t.fogDensity.value=e.density)}(_,e),i.isMeshBasicMaterial?At(_,i):i.isMeshLambertMaterial?(At(_,i),function(t,e){e.emissiveMap&&(t.emissiveMap.value=e.emissiveMap)}(_,i)):i.isMeshPhongMaterial?(At(_,i),i.isMeshToonMaterial?function(t,e){Pt(t,e),e.gradientMap&&(t.gradientMap.value=e.gradientMap)}(_,i):Pt(_,i)):i.isMeshStandardMaterial?(At(_,i),i.isMeshPhysicalMaterial?function(t,e){Rt(t,e),t.reflectivity.value=e.reflectivity,t.clearCoat.value=e.clearCoat,t.clearCoatRoughness.value=e.clearCoatRoughness}(_,i):Rt(_,i)):i.isMeshMatcapMaterial?(At(_,i),function(t,e){e.matcap&&(t.matcap.value=e.matcap);e.bumpMap&&(t.bumpMap.value=e.bumpMap,t.bumpScale.value=e.bumpScale,1===e.side&&(t.bumpScale.value*=-1));e.normalMap&&(t.normalMap.value=e.normalMap,t.normalScale.value.copy(e.normalScale),1===e.side&&t.normalScale.value.negate());e.displacementMap&&(t.displacementMap.value=e.displacementMap,t.displacementScale.value=e.displacementScale,t.displacementBias.value=e.displacementBias)}(_,i)):i.isMeshDepthMaterial?(At(_,i),function(t,e){e.displacementMap&&(t.displacementMap.value=e.displacementMap,t.displacementScale.value=e.displacementScale,t.displacementBias.value=e.displacementBias)}(_,i)):i.isMeshDistanceMaterial?(At(_,i),function(t,e){e.displacementMap&&(t.displacementMap.value=e.displacementMap,t.displacementScale.value=e.displacementScale,t.displacementBias.value=e.displacementBias);t.referencePosition.value.copy(e.referencePosition),t.nearDistance.value=e.nearDistance,t.farDistance.value=e.farDistance}(_,i)):i.isMeshNormalMaterial?(At(_,i),function(t,e){e.bumpMap&&(t.bumpMap.value=e.bumpMap,t.bumpScale.value=e.bumpScale,1===e.side&&(t.bumpScale.value*=-1));e.normalMap&&(t.normalMap.value=e.normalMap,t.normalScale.value.copy(e.normalScale),1===e.side&&t.normalScale.value.negate());e.displacementMap&&(t.displacementMap.value=e.displacementMap,t.displacementScale.value=e.displacementScale,t.displacementBias.value=e.displacementBias)}(_,i)):i.isLineBasicMaterial?(function(t,e){t.diffuse.value=e.color,t.opacity.value=e.opacity}(_,i),i.isLineDashedMaterial&&function(t,e){t.dashSize.value=e.dashSize,t.totalSize.value=e.dashSize+e.gapSize,t.scale.value=e.scale}(_,i)):i.isPointsMaterial?function(t,e){t.diffuse.value=e.color,t.opacity.value=e.opacity,t.size.value=e.size*it,t.scale.value=.5*et,t.map.value=e.map,null!==e.map&&(!0===e.map.matrixAutoUpdate&&e.map.updateMatrix(),t.uvTransform.value.copy(e.map.matrix))}(_,i):i.isSpriteMaterial?function(t,e){t.diffuse.value=e.color,t.opacity.value=e.opacity,t.rotation.value=e.rotation,t.map.value=e.map,null!==e.map&&(!0===e.map.matrixAutoUpdate&&e.map.updateMatrix(),t.uvTransform.value.copy(e.map.matrix))}(_,i):i.isShadowMaterial&&(_.color.value=i.color,_.opacity.value=i.opacity),void 0!==_.ltc_1&&(_.ltc_1.value=Y.LTC_1),void 0!==_.ltc_2&&(_.ltc_2.value=Y.LTC_2),Ze.upload(p,r.uniformsList,_,z)),i.isShaderMaterial&&!0===i.uniformsNeedUpdate&&(Ze.upload(p,r.uniformsList,_,z),i.uniformsNeedUpdate=!1),i.isSpriteMaterial&&w.setValue(p,"center",n.center),w.setValue(p,"modelViewMatrix",n.modelViewMatrix),w.setValue(p,"normalMatrix",n.normalMatrix),w.setValue(p,"modelMatrix",n.matrixWorld),b}function At(t,e){var i;t.opacity.value=e.opacity,e.color&&(t.diffuse.value=e.color),e.emissive&&t.emissive.value.copy(e.emissive).multiplyScalar(e.emissiveIntensity),e.map&&(t.map.value=e.map),e.alphaMap&&(t.alphaMap.value=e.alphaMap),e.specularMap&&(t.specularMap.value=e.specularMap),e.envMap&&(t.envMap.value=e.envMap,t.flipEnvMap.value=e.envMap.isCubeTexture?-1:1,t.reflectivity.value=e.reflectivity,t.refractionRatio.value=e.refractionRatio,t.maxMipLevel.value=x.get(e.envMap).__maxMipLevel),e.lightMap&&(t.lightMap.value=e.lightMap,t.lightMapIntensity.value=e.lightMapIntensity),e.aoMap&&(t.aoMap.value=e.aoMap,t.aoMapIntensity.value=e.aoMapIntensity),e.map?i=e.map:e.specularMap?i=e.specularMap:e.displacementMap?i=e.displacementMap:e.normalMap?i=e.normalMap:e.bumpMap?i=e.bumpMap:e.roughnessMap?i=e.roughnessMap:e.metalnessMap?i=e.metalnessMap:e.alphaMap?i=e.alphaMap:e.emissiveMap&&(i=e.emissiveMap),void 0!==i&&(i.isWebGLRenderTarget&&(i=i.texture),!0===i.matrixAutoUpdate&&i.updateMatrix(),t.uvTransform.value.copy(i.matrix))}function Pt(t,e){t.specular.value=e.specular,t.shininess.value=Math.max(e.shininess,1e-4),e.emissiveMap&&(t.emissiveMap.value=e.emissiveMap),e.bumpMap&&(t.bumpMap.value=e.bumpMap,t.bumpScale.value=e.bumpScale,1===e.side&&(t.bumpScale.value*=-1)),e.normalMap&&(t.normalMap.value=e.normalMap,t.normalScale.value.copy(e.normalScale),1===e.side&&t.normalScale.value.negate()),e.displacementMap&&(t.displacementMap.value=e.displacementMap,t.displacementScale.value=e.displacementScale,t.displacementBias.value=e.displacementBias)}function Rt(t,e){t.roughness.value=e.roughness,t.metalness.value=e.metalness,e.roughnessMap&&(t.roughnessMap.value=e.roughnessMap),e.metalnessMap&&(t.metalnessMap.value=e.metalnessMap),e.emissiveMap&&(t.emissiveMap.value=e.emissiveMap),e.bumpMap&&(t.bumpMap.value=e.bumpMap,t.bumpScale.value=e.bumpScale,1===e.side&&(t.bumpScale.value*=-1)),e.normalMap&&(t.normalMap.value=e.normalMap,t.normalScale.value.copy(e.normalScale),1===e.side&&t.normalScale.value.negate()),e.displacementMap&&(t.displacementMap.value=e.displacementMap,t.displacementScale.value=e.displacementScale,t.displacementBias.value=e.displacementBias),e.envMap&&(t.envMapIntensity.value=e.envMapIntensity)}Mt.setAnimationLoop((function(t){mt.isPresenting()||wt&&wt(t)})),"undefined"!=typeof window&&Mt.setContext(window),this.setAnimationLoop=function(t){wt=t,mt.setAnimationLoop(t),Mt.start()},this.render=function(t,e,i,n){if(e&&e.isCamera){if(!N){V.geometry=null,V.program=null,V.wireframe=!1,k=-1,j=null,!0===t.autoUpdate&&t.updateMatrixWorld(),null===e.parent&&e.updateMatrixWorld(),mt.enabled&&(e=mt.getCamera(e)),(u=L.get(t,e)).init(),t.onBeforeRender(z,t,e,i),lt.multiplyMatrices(e.projectionMatrix,e.matrixWorldInverse),ot.setFromMatrix(lt),ht=this.localClippingEnabled,ct=st.init(this.clippingPlanes,ht,e),(l=T.get(t,e)).init(),function t(e,i,n,r){if(!1===e.visible)return;if(e.layers.test(i.layers))if(e.isGroup)n=e.renderOrder;else if(e.isLight)u.pushLight(e),e.castShadow&&u.pushShadow(e);else if(e.isSprite){if(!e.frustumCulled||ot.intersectsSprite(e)){r&&ut.setFromMatrixPosition(e.matrixWorld).applyMatrix4(lt);var a=S.update(e),o=e.material;l.push(e,a,o,n,ut.z,null)}}else if(e.isImmediateRenderObject)r&&ut.setFromMatrixPosition(e.matrixWorld).applyMatrix4(lt),l.push(e,null,e.material,n,ut.z,null);else if((e.isMesh||e.isLine||e.isPoints)&&(e.isSkinnedMesh&&e.skeleton.update(),!e.frustumCulled||ot.intersectsObject(e))){r&&ut.setFromMatrixPosition(e.matrixWorld).applyMatrix4(lt);a=S.update(e),o=e.material;if(Array.isArray(o))for(var s=a.groups,c=0,h=s.length;c=f.maxTextures&&console.warn("THREE.WebGLRenderer: Trying to use "+t+" texture units while this GPU supports only "+f.maxTextures),$+=1,t},this.setTexture2D=(_t=!1,function(t,e){t&&t.isWebGLRenderTarget&&(_t||(console.warn("THREE.WebGLRenderer.setTexture2D: don't use render targets as textures. Use their .texture property instead."),_t=!0),t=t.texture),w.setTexture2D(t,e)}),this.setTexture3D=function(t,e){w.setTexture3D(t,e)},this.setTexture=function(){var t=!1;return function(e,i){t||(console.warn("THREE.WebGLRenderer: .setTexture is deprecated, use setTexture2D instead."),t=!0),w.setTexture2D(e,i)}}(),this.setTextureCube=function(){var t=!1;return function(e,i){e&&e.isWebGLRenderTargetCube&&(t||(console.warn("THREE.WebGLRenderer.setTextureCube: don't use cube render targets as textures. Use their .texture property instead."),t=!0),e=e.texture),e&&e.isCubeTexture||Array.isArray(e.image)&&6===e.image.length?w.setTextureCube(e,i):w.setTextureCubeDynamic(e,i)}}(),this.setFramebuffer=function(t){U=t},this.getRenderTarget=function(){return G},this.setRenderTarget=function(t){G=t,t&&void 0===x.get(t).__webglFramebuffer&&w.setupRenderTarget(t);var e=U,i=!1;if(t){var n=x.get(t).__webglFramebuffer;t.isWebGLRenderTargetCube?(e=n[t.activeCubeFace],i=!0):e=t.isWebGLMultisampleRenderTarget?x.get(t).__webglMultisampledFramebuffer:n,q.copy(t.viewport),X.copy(t.scissor),K=t.scissorTest}else q.copy(nt).multiplyScalar(it),X.copy(rt).multiplyScalar(it),K=at;if(H!==e&&(p.bindFramebuffer(36160,e),H=e),m.viewport(q),m.scissor(X),m.setScissorTest(K),i){var r=x.get(t.texture);p.framebufferTexture2D(36160,36064,34069+t.activeCubeFace,r.__webglTexture,t.activeMipMapLevel)}},this.readRenderTargetPixels=function(t,e,i,n,r,a){if(t&&t.isWebGLRenderTarget){var o=x.get(t).__webglFramebuffer;if(o){var s=!1;o!==H&&(p.bindFramebuffer(36160,o),s=!0);try{var c=t.texture,h=c.format,l=c.type;if(1023!==h&&I.convert(h)!==p.getParameter(35739))return void console.error("THREE.WebGLRenderer.readRenderTargetPixels: renderTarget is not in RGBA or implementation defined format.");if(!(1009===l||I.convert(l)===p.getParameter(35738)||1015===l&&(f.isWebGL2||d.get("OES_texture_float")||d.get("WEBGL_color_buffer_float"))||1016===l&&(f.isWebGL2?d.get("EXT_color_buffer_float"):d.get("EXT_color_buffer_half_float"))))return void console.error("THREE.WebGLRenderer.readRenderTargetPixels: renderTarget is not in UnsignedByteType or implementation defined type.");36053===p.checkFramebufferStatus(36160)?e>=0&&e<=t.width-n&&i>=0&&i<=t.height-r&&p.readPixels(e,i,n,r,I.convert(h),I.convert(l),a):console.error("THREE.WebGLRenderer.readRenderTargetPixels: readPixels from renderTarget failed. Framebuffer not complete.")}finally{s&&p.bindFramebuffer(36160,H)}}}else console.error("THREE.WebGLRenderer.readRenderTargetPixels: renderTarget is not THREE.WebGLRenderTarget.")},this.copyFramebufferToTexture=function(t,e,i){var n=e.image.width,r=e.image.height,a=I.convert(e.format);this.setTexture2D(e,0),p.copyTexImage2D(3553,i||0,a,t.x,t.y,n,r,0)},this.copyTextureToTexture=function(t,e,i,n){var r=e.image.width,a=e.image.height,o=I.convert(i.format),s=I.convert(i.type);this.setTexture2D(i,0),e.isDataTexture?p.texSubImage2D(3553,n||0,t.x,t.y,r,a,o,s,e.image.data):p.texSubImage2D(3553,n||0,t.x,t.y,o,s,e.image)}}function Hi(t,e){this.name="",this.color=new q(t),this.density=void 0!==e?e:25e-5}function ki(t,e,i){this.name="",this.color=new q(t),this.near=void 0!==e?e:1,this.far=void 0!==i?i:1e3}function Vi(){ot.call(this),this.type="Scene",this.background=null,this.fog=null,this.overrideMaterial=null,this.autoUpdate=!0}function ji(t,e){this.array=t,this.stride=e,this.count=void 0!==t?t.length/e:0,this.dynamic=!1,this.updateRange={offset:0,count:-1},this.version=0}function Wi(t,e,i,n){this.data=t,this.itemSize=e,this.offset=i,this.normalized=!0===n}function qi(t){kt.call(this),this.type="SpriteMaterial",this.color=new q(16777215),this.map=null,this.rotation=0,this.sizeAttenuation=!0,this.lights=!1,this.transparent=!0,this.setValues(t)}function Xi(t){if(ot.call(this),this.type="Sprite",void 0===Pi){Pi=new St;var e=new ji(new Float32Array([-.5,-.5,0,0,0,.5,-.5,0,1,0,.5,.5,0,1,1,-.5,.5,0,0,1]),5);Pi.setIndex([0,1,2,0,2,3]),Pi.addAttribute("position",new Wi(e,3,0,!1)),Pi.addAttribute("uv",new Wi(e,2,3,!1))}this.geometry=Pi,this.material=void 0!==t?t:new qi,this.center=new v(.5,.5)}function Yi(){ot.call(this),this.type="LOD",Object.defineProperties(this,{levels:{enumerable:!0,value:[]}})}function Ji(t,e){t&&t.isGeometry&&console.error("THREE.SkinnedMesh no longer supports THREE.Geometry. Use THREE.BufferGeometry instead."),Xt.call(this,t,e),this.type="SkinnedMesh",this.bindMode="attached",this.bindMatrix=new y,this.bindMatrixInverse=new y}function Zi(t,e){if(t=t||[],this.bones=t.slice(0),this.boneMatrices=new Float32Array(16*this.bones.length),void 0===e)this.calculateInverses();else if(this.bones.length===e.length)this.boneInverses=e.slice(0);else{console.warn("THREE.Skeleton boneInverses is the wrong length."),this.boneInverses=[];for(var i=0,n=this.bones.length;i=0?(t(v-h,g,p),d.subVectors(u,p)):(t(v+h,g,p),d.subVectors(p,u)),g-h>=0?(t(v,g-h,p),f.subVectors(u,p)):(t(v,g+h,p),f.subVectors(p,u)),l.crossVectors(d,f).normalize(),s.push(l.x,l.y,l.z),c.push(v,g)}}for(n=0;n.9&&o<.1&&(e<.2&&(a[t+0]+=1),i<.2&&(a[t+2]+=1),n<.2&&(a[t+4]+=1))}}()}(),this.addAttribute("position",new xt(r,3)),this.addAttribute("normal",new xt(r.slice(),3)),this.addAttribute("uv",new xt(a,2)),0===n?this.computeVertexNormals():this.normalizeNormals()}function mn(t,e){lt.call(this),this.type="TetrahedronGeometry",this.parameters={radius:t,detail:e},this.fromBufferGeometry(new gn(t,e)),this.mergeVertices()}function gn(t,e){fn.call(this,[1,1,1,-1,-1,1,-1,1,-1,1,-1,-1],[2,1,0,0,3,2,1,3,0,2,3,1],t,e),this.type="TetrahedronBufferGeometry",this.parameters={radius:t,detail:e}}function vn(t,e){lt.call(this),this.type="OctahedronGeometry",this.parameters={radius:t,detail:e},this.fromBufferGeometry(new yn(t,e)),this.mergeVertices()}function yn(t,e){fn.call(this,[1,0,0,-1,0,0,0,1,0,0,-1,0,0,0,1,0,0,-1],[0,2,4,0,4,3,0,3,5,0,5,2,1,2,5,1,5,3,1,3,4,1,4,2],t,e),this.type="OctahedronBufferGeometry",this.parameters={radius:t,detail:e}}function xn(t,e){lt.call(this),this.type="IcosahedronGeometry",this.parameters={radius:t,detail:e},this.fromBufferGeometry(new bn(t,e)),this.mergeVertices()}function bn(t,e){var i=(1+Math.sqrt(5))/2,n=[-1,i,0,1,i,0,-1,-i,0,1,-i,0,0,-1,i,0,1,i,0,-1,-i,0,1,-i,i,0,-1,i,0,1,-i,0,-1,-i,0,1];fn.call(this,n,[0,11,5,0,5,1,0,1,7,0,7,10,0,10,11,1,5,9,5,11,4,11,10,2,10,7,6,7,1,8,3,9,4,3,4,2,3,2,6,3,6,8,3,8,9,4,9,5,2,4,11,6,2,10,8,6,7,9,8,1],t,e),this.type="IcosahedronBufferGeometry",this.parameters={radius:t,detail:e}}function wn(t,e){lt.call(this),this.type="DodecahedronGeometry",this.parameters={radius:t,detail:e},this.fromBufferGeometry(new _n(t,e)),this.mergeVertices()}function _n(t,e){var i=(1+Math.sqrt(5))/2,n=1/i,r=[-1,-1,-1,-1,-1,1,-1,1,-1,-1,1,1,1,-1,-1,1,-1,1,1,1,-1,1,1,1,0,-n,-i,0,-n,i,0,n,-i,0,n,i,-n,-i,0,-n,i,0,n,-i,0,n,i,0,-i,0,-n,i,0,-n,-i,0,n,i,0,n];fn.call(this,r,[3,11,7,3,7,15,3,15,13,7,19,17,7,17,6,7,6,15,17,4,8,17,8,10,17,10,6,8,0,16,8,16,2,8,2,10,0,12,1,0,1,18,0,18,16,6,10,2,6,2,13,6,13,15,2,16,18,2,18,3,2,3,13,18,1,9,18,9,11,18,11,3,4,14,12,4,12,0,4,0,8,11,9,5,11,5,19,11,19,7,19,5,14,19,14,4,19,4,17,1,12,14,1,14,5,1,5,9],t,e),this.type="DodecahedronBufferGeometry",this.parameters={radius:t,detail:e}}function Mn(t,e,i,n,r,a){lt.call(this),this.type="TubeGeometry",this.parameters={path:t,tubularSegments:e,radius:i,radialSegments:n,closed:r},void 0!==a&&console.warn("THREE.TubeGeometry: taper has been removed.");var o=new Sn(t,e,i,n,r);this.tangents=o.tangents,this.normals=o.normals,this.binormals=o.binormals,this.fromBufferGeometry(o),this.mergeVertices()}function Sn(t,e,i,n,r){St.call(this),this.type="TubeBufferGeometry",this.parameters={path:t,tubularSegments:e,radius:i,radialSegments:n,closed:r},e=e||64,i=i||1,n=n||8,r=r||!1;var a=t.computeFrenetFrames(e,r);this.tangents=a.tangents,this.normals=a.normals,this.binormals=a.binormals;var o,s,c=new b,h=new b,l=new v,u=new b,p=[],d=[],f=[],m=[];function g(r){u=t.getPointAt(r/e,u);var o=a.normals[r],l=a.binormals[r];for(s=0;s<=n;s++){var f=s/n*Math.PI*2,m=Math.sin(f),g=-Math.cos(f);h.x=g*o.x+m*l.x,h.y=g*o.y+m*l.y,h.z=g*o.z+m*l.z,h.normalize(),d.push(h.x,h.y,h.z),c.x=u.x+i*h.x,c.y=u.y+i*h.y,c.z=u.z+i*h.z,p.push(c.x,c.y,c.z)}}!function(){for(o=0;on.far||r.push({distance:x,point:t.clone(),uv:Wt.getUV(t,o,s,c,h,l,u,new v),face:null,object:this})}}}(),clone:function(){return new this.constructor(this.material).copy(this)},copy:function(t){return ot.prototype.copy.call(this,t),void 0!==t.center&&this.center.copy(t.center),this}}),Yi.prototype=Object.assign(Object.create(ot.prototype),{constructor:Yi,copy:function(t){ot.prototype.copy.call(this,t,!1);for(var e=t.levels,i=0,n=e.length;i1){t.setFromMatrixPosition(i.matrixWorld),e.setFromMatrixPosition(this.matrixWorld);var r=t.distanceTo(e);n[0].object.visible=!0;for(var a=1,o=n.length;a=n[a].distance;a++)n[a-1].object.visible=!1,n[a].object.visible=!0;for(;ah))d.applyMatrix4(this.matrixWorld),(E=n.ray.origin.distanceTo(d))n.far||r.push({distance:E,point:p.clone().applyMatrix4(this.matrixWorld),index:y,face:null,faceIndex:null,object:this})}else for(y=0,x=g.length/3-1;yh))d.applyMatrix4(this.matrixWorld),(E=n.ray.origin.distanceTo(d))n.far||r.push({distance:E,point:p.clone().applyMatrix4(this.matrixWorld),index:y,face:null,faceIndex:null,object:this})}}else if(o.isGeometry){var M=o.vertices,S=M.length;for(y=0;yh))d.applyMatrix4(this.matrixWorld),(E=n.ray.origin.distanceTo(d))n.far||r.push({distance:E,point:p.clone().applyMatrix4(this.matrixWorld),index:y,face:null,faceIndex:null,object:this})}}}}}(),copy:function(t){return ot.prototype.copy.call(this,t),this.geometry.copy(t.geometry),this.material.copy(t.material),this},clone:function(){return(new this.constructor).copy(this)}}),tn.prototype=Object.assign(Object.create($i.prototype),{constructor:tn,isLineSegments:!0,computeLineDistances:function(){var t=new b,e=new b;return function(){var i=this.geometry;if(i.isBufferGeometry)if(null===i.index){for(var n=i.attributes.position,r=[],a=0,o=n.count;an.far)return;r.push({distance:c,distanceToRay:Math.sqrt(o),point:p.clone(),index:i,face:null,object:a})}}}}(),clone:function(){return new this.constructor(this.geometry,this.material).copy(this)}}),an.prototype=Object.assign(Object.create(P.prototype),{constructor:an,isVideoTexture:!0,update:function(){var t=this.image;t.readyState>=t.HAVE_CURRENT_DATA&&(this.needsUpdate=!0)}}),on.prototype=Object.create(P.prototype),on.prototype.constructor=on,on.prototype.isCompressedTexture=!0,sn.prototype=Object.create(P.prototype),sn.prototype.constructor=sn,sn.prototype.isCanvasTexture=!0,cn.prototype=Object.create(P.prototype),cn.prototype.constructor=cn,cn.prototype.isDepthTexture=!0,hn.prototype=Object.create(P.prototype),hn.prototype.constructor=hn,hn.prototype.isDataTexture=!0,hn.prototype.isCfxTexture=!0,ln.prototype=Object.create(St.prototype),ln.prototype.constructor=ln,un.prototype=Object.create(lt.prototype),un.prototype.constructor=un,pn.prototype=Object.create(St.prototype),pn.prototype.constructor=pn,dn.prototype=Object.create(lt.prototype),dn.prototype.constructor=dn,fn.prototype=Object.create(St.prototype),fn.prototype.constructor=fn,mn.prototype=Object.create(lt.prototype),mn.prototype.constructor=mn,gn.prototype=Object.create(fn.prototype),gn.prototype.constructor=gn,vn.prototype=Object.create(lt.prototype),vn.prototype.constructor=vn,yn.prototype=Object.create(fn.prototype),yn.prototype.constructor=yn,xn.prototype=Object.create(lt.prototype),xn.prototype.constructor=xn,bn.prototype=Object.create(fn.prototype),bn.prototype.constructor=bn,wn.prototype=Object.create(lt.prototype),wn.prototype.constructor=wn,_n.prototype=Object.create(fn.prototype),_n.prototype.constructor=_n,Mn.prototype=Object.create(lt.prototype),Mn.prototype.constructor=Mn,Sn.prototype=Object.create(St.prototype),Sn.prototype.constructor=Sn,En.prototype=Object.create(lt.prototype),En.prototype.constructor=En,Tn.prototype=Object.create(St.prototype),Tn.prototype.constructor=Tn,Ln.prototype=Object.create(lt.prototype),Ln.prototype.constructor=Ln,An.prototype=Object.create(St.prototype),An.prototype.constructor=An;var Pn=function(t,e,i){i=i||2;var n,r,a,o,s,c,h,l=e&&e.length,u=l?e[0]*i:t.length,p=Rn(t,0,u,i,!0),d=[];if(!p)return d;if(l&&(p=function(t,e,i,n){var r,a,o,s,c,h=[];for(r=0,a=e.length;r80*i){n=a=t[0],r=o=t[1];for(var f=i;fa&&(a=s),c>o&&(o=c);h=0!==(h=Math.max(a-n,o-r))?1/h:0}return On(p,d,i,n,r,h),d};function Rn(t,e,i,n,r){var a,o;if(r===function(t,e,i,n){for(var r=0,a=e,o=i-n;a0)for(a=e;a=e;a-=n)o=Yn(a,t[a],t[a+1],o);return o&&jn(o,o.next)&&(Jn(o),o=o.next),o}function Cn(t,e){if(!t)return t;e||(e=t);var i,n=t;do{if(i=!1,n.steiner||!jn(n,n.next)&&0!==Vn(n.prev,n,n.next))n=n.next;else{if(Jn(n),(n=e=n.prev)===n.next)break;i=!0}}while(i||n!==e);return e}function On(t,e,i,n,r,a,o){if(t){!o&&a&&function(t,e,i,n){var r=t;do{null===r.z&&(r.z=Gn(r.x,r.y,e,i,n)),r.prevZ=r.prev,r.nextZ=r.next,r=r.next}while(r!==t);r.prevZ.nextZ=null,r.prevZ=null,function(t){var e,i,n,r,a,o,s,c,h=1;do{for(i=t,t=null,a=null,o=0;i;){for(o++,n=i,s=0,e=0;e0||c>0&&n;)0!==s&&(0===c||!n||i.z<=n.z)?(r=i,i=i.nextZ,s--):(r=n,n=n.nextZ,c--),a?a.nextZ=r:t=r,r.prevZ=a,a=r;i=n}a.nextZ=null,h*=2}while(o>1)}(r)}(t,n,r,a);for(var s,c,h=t;t.prev!==t.next;)if(s=t.prev,c=t.next,a?Dn(t,n,r,a):In(t))e.push(s.i/i),e.push(t.i/i),e.push(c.i/i),Jn(t),t=c.next,h=c.next;else if((t=c)===h){o?1===o?On(t=zn(t,e,i),e,i,n,r,a,2):2===o&&Nn(t,e,i,n,r,a):On(Cn(t),e,i,n,r,a,1);break}}}function In(t){var e=t.prev,i=t,n=t.next;if(Vn(e,i,n)>=0)return!1;for(var r=t.next.next;r!==t.prev;){if(Hn(e.x,e.y,i.x,i.y,n.x,n.y,r.x,r.y)&&Vn(r.prev,r,r.next)>=0)return!1;r=r.next}return!0}function Dn(t,e,i,n){var r=t.prev,a=t,o=t.next;if(Vn(r,a,o)>=0)return!1;for(var s=r.xa.x?r.x>o.x?r.x:o.x:a.x>o.x?a.x:o.x,l=r.y>a.y?r.y>o.y?r.y:o.y:a.y>o.y?a.y:o.y,u=Gn(s,c,e,i,n),p=Gn(h,l,e,i,n),d=t.nextZ;d&&d.z<=p;){if(d!==t.prev&&d!==t.next&&Hn(r.x,r.y,a.x,a.y,o.x,o.y,d.x,d.y)&&Vn(d.prev,d,d.next)>=0)return!1;d=d.nextZ}for(d=t.prevZ;d&&d.z>=u;){if(d!==t.prev&&d!==t.next&&Hn(r.x,r.y,a.x,a.y,o.x,o.y,d.x,d.y)&&Vn(d.prev,d,d.next)>=0)return!1;d=d.prevZ}return!0}function zn(t,e,i){var n=t;do{var r=n.prev,a=n.next.next;!jn(r,a)&&Wn(r,n,n.next,a)&&qn(r,a)&&qn(a,r)&&(e.push(r.i/i),e.push(n.i/i),e.push(a.i/i),Jn(n),Jn(n.next),n=t=a),n=n.next}while(n!==t);return n}function Nn(t,e,i,n,r,a){var o=t;do{for(var s=o.next.next;s!==o.prev;){if(o.i!==s.i&&kn(o,s)){var c=Xn(o,s);return o=Cn(o,o.next),c=Cn(c,c.next),On(o,e,i,n,r,a),void On(c,e,i,n,r,a)}s=s.next}o=o.next}while(o!==t)}function Un(t,e){return t.x-e.x}function Bn(t,e){if(e=function(t,e){var i,n=e,r=t.x,a=t.y,o=-1/0;do{if(a<=n.y&&a>=n.next.y&&n.next.y!==n.y){var s=n.x+(a-n.y)*(n.next.x-n.x)/(n.next.y-n.y);if(s<=r&&s>o){if(o=s,s===r){if(a===n.y)return n;if(a===n.next.y)return n.next}i=n.x=n.x&&n.x>=l&&r!==n.x&&Hn(ai.x)&&qn(n,t)&&(i=n,p=c),n=n.next;return i}(t,e)){var i=Xn(e,t);Cn(i,i.next)}}function Gn(t,e,i,n,r){return(t=1431655765&((t=858993459&((t=252645135&((t=16711935&((t=32767*(t-i)*r)|t<<8))|t<<4))|t<<2))|t<<1))|(e=1431655765&((e=858993459&((e=252645135&((e=16711935&((e=32767*(e-n)*r)|e<<8))|e<<4))|e<<2))|e<<1))<<1}function Fn(t){var e=t,i=t;do{e.x=0&&(t-o)*(n-s)-(i-o)*(e-s)>=0&&(i-o)*(a-s)-(r-o)*(n-s)>=0}function kn(t,e){return t.next.i!==e.i&&t.prev.i!==e.i&&!function(t,e){var i=t;do{if(i.i!==t.i&&i.next.i!==t.i&&i.i!==e.i&&i.next.i!==e.i&&Wn(i,i.next,t,e))return!0;i=i.next}while(i!==t);return!1}(t,e)&&qn(t,e)&&qn(e,t)&&function(t,e){var i=t,n=!1,r=(t.x+e.x)/2,a=(t.y+e.y)/2;do{i.y>a!=i.next.y>a&&i.next.y!==i.y&&r<(i.next.x-i.x)*(a-i.y)/(i.next.y-i.y)+i.x&&(n=!n),i=i.next}while(i!==t);return n}(t,e)}function Vn(t,e,i){return(e.y-t.y)*(i.x-e.x)-(e.x-t.x)*(i.y-e.y)}function jn(t,e){return t.x===e.x&&t.y===e.y}function Wn(t,e,i,n){return!!(jn(t,e)&&jn(i,n)||jn(t,n)&&jn(i,e))||Vn(t,e,i)>0!=Vn(t,e,n)>0&&Vn(i,n,t)>0!=Vn(i,n,e)>0}function qn(t,e){return Vn(t.prev,t,t.next)<0?Vn(t,e,t.next)>=0&&Vn(t,t.prev,e)>=0:Vn(t,e,t.prev)<0||Vn(t,t.next,e)<0}function Xn(t,e){var i=new Zn(t.i,t.x,t.y),n=new Zn(e.i,e.x,e.y),r=t.next,a=e.prev;return t.next=e,e.prev=t,i.next=r,r.prev=i,n.next=i,i.prev=n,a.next=n,n.prev=a,n}function Yn(t,e,i,n){var r=new Zn(t,e,i);return n?(r.next=n.next,r.prev=n,n.next.prev=r,n.next=r):(r.prev=r,r.next=r),r}function Jn(t){t.next.prev=t.prev,t.prev.next=t.next,t.prevZ&&(t.prevZ.nextZ=t.nextZ),t.nextZ&&(t.nextZ.prevZ=t.prevZ)}function Zn(t,e,i){this.i=t,this.x=e,this.y=i,this.prev=null,this.next=null,this.z=null,this.prevZ=null,this.nextZ=null,this.steiner=!1}var Qn={area:function(t){for(var e=t.length,i=0,n=e-1,r=0;r2&&t[e-1].equals(t[0])&&t.pop()}function $n(t,e){for(var i=0;iNumber.EPSILON){var p=Math.sqrt(l),d=Math.sqrt(c*c+h*h),f=e.x-s/p,m=e.y+o/p,g=((i.x-h/d-f)*h-(i.y+c/d-m)*c)/(o*h-s*c),y=(n=f+o*g-t.x)*n+(r=m+s*g-t.y)*r;if(y<=2)return new v(n,r);a=Math.sqrt(y/2)}else{var x=!1;o>Number.EPSILON?c>Number.EPSILON&&(x=!0):o<-Number.EPSILON?c<-Number.EPSILON&&(x=!0):Math.sign(s)===Math.sign(h)&&(x=!0),x?(n=-s,r=o,a=Math.sqrt(l)):(n=o,r=s,a=Math.sqrt(l/2))}return new v(n/a,r/a)}for(var H=[],k=0,V=R.length,j=V-1,W=k+1;k=0;O--){for(D=O/p,z=l*Math.cos(D*Math.PI/2),I=u*Math.sin(D*Math.PI/2),k=0,V=R.length;k=0;){i=k,(n=k-1)<0&&(n=t.length-1);var r=0,a=s+2*p;for(r=0;r0)&&f.push(_,M,E),(c!==i-1||h0&&y(!0),e>0&&y(!1)),this.setIndex(h),this.addAttribute("position",new xt(l,3)),this.addAttribute("normal",new xt(u,3)),this.addAttribute("uv",new xt(p,2))}function yr(t,e,i,n,r,a,o){gr.call(this,0,t,e,i,n,r,a,o),this.type="ConeGeometry",this.parameters={radius:t,height:e,radialSegments:i,heightSegments:n,openEnded:r,thetaStart:a,thetaLength:o}}function xr(t,e,i,n,r,a,o){vr.call(this,0,t,e,i,n,r,a,o),this.type="ConeBufferGeometry",this.parameters={radius:t,height:e,radialSegments:i,heightSegments:n,openEnded:r,thetaStart:a,thetaLength:o}}function br(t,e,i,n){lt.call(this),this.type="CircleGeometry",this.parameters={radius:t,segments:e,thetaStart:i,thetaLength:n},this.fromBufferGeometry(new wr(t,e,i,n)),this.mergeVertices()}function wr(t,e,i,n){St.call(this),this.type="CircleBufferGeometry",this.parameters={radius:t,segments:e,thetaStart:i,thetaLength:n},t=t||1,e=void 0!==e?Math.max(3,e):8,i=void 0!==i?i:0,n=void 0!==n?n:2*Math.PI;var r,a,o=[],s=[],c=[],h=[],l=new b,u=new v;for(s.push(0,0,0),c.push(0,0,1),h.push(.5,.5),a=0,r=3;a<=e;a++,r+=3){var p=i+a/e*n;l.x=t*Math.cos(p),l.y=t*Math.sin(p),s.push(l.x,l.y,l.z),c.push(0,0,1),u.x=(s[r]/t+1)/2,u.y=(s[r+1]/t+1)/2,h.push(u.x,u.y)}for(r=1;r<=e;r++)o.push(r,r+1,0);this.setIndex(o),this.addAttribute("position",new xt(s,3)),this.addAttribute("normal",new xt(c,3)),this.addAttribute("uv",new xt(h,2))}rr.prototype=Object.create(lt.prototype),rr.prototype.constructor=rr,ar.prototype=Object.create(er.prototype),ar.prototype.constructor=ar,or.prototype=Object.create(lt.prototype),or.prototype.constructor=or,sr.prototype=Object.create(St.prototype),sr.prototype.constructor=sr,cr.prototype=Object.create(lt.prototype),cr.prototype.constructor=cr,hr.prototype=Object.create(St.prototype),hr.prototype.constructor=hr,lr.prototype=Object.create(lt.prototype),lr.prototype.constructor=lr,ur.prototype=Object.create(St.prototype),ur.prototype.constructor=ur,pr.prototype=Object.create(lt.prototype),pr.prototype.constructor=pr,pr.prototype.toJSON=function(){var t=lt.prototype.toJSON.call(this);return fr(this.parameters.shapes,t)},dr.prototype=Object.create(St.prototype),dr.prototype.constructor=dr,dr.prototype.toJSON=function(){var t=St.prototype.toJSON.call(this);return fr(this.parameters.shapes,t)},mr.prototype=Object.create(St.prototype),mr.prototype.constructor=mr,gr.prototype=Object.create(lt.prototype),gr.prototype.constructor=gr,vr.prototype=Object.create(St.prototype),vr.prototype.constructor=vr,yr.prototype=Object.create(gr.prototype),yr.prototype.constructor=yr,xr.prototype=Object.create(vr.prototype),xr.prototype.constructor=xr,br.prototype=Object.create(lt.prototype),br.prototype.constructor=br,wr.prototype=Object.create(St.prototype),wr.prototype.constructor=wr;var _r=Object.freeze({WireframeGeometry:ln,ParametricGeometry:un,ParametricBufferGeometry:pn,TetrahedronGeometry:mn,TetrahedronBufferGeometry:gn,OctahedronGeometry:vn,OctahedronBufferGeometry:yn,IcosahedronGeometry:xn,IcosahedronBufferGeometry:bn,DodecahedronGeometry:wn,DodecahedronBufferGeometry:_n,PolyhedronGeometry:dn,PolyhedronBufferGeometry:fn,TubeGeometry:Mn,TubeBufferGeometry:Sn,TorusKnotGeometry:En,TorusKnotBufferGeometry:Tn,TorusGeometry:Ln,TorusBufferGeometry:An,TextGeometry:rr,TextBufferGeometry:ar,SphereGeometry:or,SphereBufferGeometry:sr,RingGeometry:cr,RingBufferGeometry:hr,PlaneGeometry:Lt,PlaneBufferGeometry:At,LatheGeometry:lr,LatheBufferGeometry:ur,ShapeGeometry:pr,ShapeBufferGeometry:dr,ExtrudeGeometry:tr,ExtrudeBufferGeometry:er,EdgesGeometry:mr,ConeGeometry:yr,ConeBufferGeometry:xr,CylinderGeometry:gr,CylinderBufferGeometry:vr,CircleGeometry:br,CircleBufferGeometry:wr,BoxGeometry:Et,BoxBufferGeometry:Tt});function Mr(t){kt.call(this),this.type="ShadowMaterial",this.color=new q(0),this.transparent=!0,this.setValues(t)}function Sr(t){Vt.call(this,t),this.type="RawShaderMaterial"}function Er(t){kt.call(this),this.defines={STANDARD:""},this.type="MeshStandardMaterial",this.color=new q(16777215),this.roughness=.5,this.metalness=.5,this.map=null,this.lightMap=null,this.lightMapIntensity=1,this.aoMap=null,this.aoMapIntensity=1,this.emissive=new q(0),this.emissiveIntensity=1,this.emissiveMap=null,this.bumpMap=null,this.bumpScale=1,this.normalMap=null,this.normalMapType=0,this.normalScale=new v(1,1),this.displacementMap=null,this.displacementScale=1,this.displacementBias=0,this.roughnessMap=null,this.metalnessMap=null,this.alphaMap=null,this.envMap=null,this.envMapIntensity=1,this.refractionRatio=.98,this.wireframe=!1,this.wireframeLinewidth=1,this.wireframeLinecap="round",this.wireframeLinejoin="round",this.skinning=!1,this.morphTargets=!1,this.morphNormals=!1,this.setValues(t)}function Tr(t){Er.call(this),this.defines={PHYSICAL:""},this.type="MeshPhysicalMaterial",this.reflectivity=.5,this.clearCoat=0,this.clearCoatRoughness=0,this.setValues(t)}function Lr(t){kt.call(this),this.type="MeshPhongMaterial",this.color=new q(16777215),this.specular=new q(1118481),this.shininess=30,this.map=null,this.lightMap=null,this.lightMapIntensity=1,this.aoMap=null,this.aoMapIntensity=1,this.emissive=new q(0),this.emissiveIntensity=1,this.emissiveMap=null,this.bumpMap=null,this.bumpScale=1,this.normalMap=null,this.normalMapType=0,this.normalScale=new v(1,1),this.displacementMap=null,this.displacementScale=1,this.displacementBias=0,this.specularMap=null,this.alphaMap=null,this.envMap=null,this.combine=0,this.reflectivity=1,this.refractionRatio=.98,this.wireframe=!1,this.wireframeLinewidth=1,this.wireframeLinecap="round",this.wireframeLinejoin="round",this.skinning=!1,this.morphTargets=!1,this.morphNormals=!1,this.setValues(t)}function Ar(t){Lr.call(this),this.defines={TOON:""},this.type="MeshToonMaterial",this.gradientMap=null,this.setValues(t)}function Pr(t){kt.call(this),this.type="MeshNormalMaterial",this.bumpMap=null,this.bumpScale=1,this.normalMap=null,this.normalMapType=0,this.normalScale=new v(1,1),this.displacementMap=null,this.displacementScale=1,this.displacementBias=0,this.wireframe=!1,this.wireframeLinewidth=1,this.fog=!1,this.lights=!1,this.skinning=!1,this.morphTargets=!1,this.morphNormals=!1,this.setValues(t)}function Rr(t){kt.call(this),this.type="MeshLambertMaterial",this.color=new q(16777215),this.map=null,this.lightMap=null,this.lightMapIntensity=1,this.aoMap=null,this.aoMapIntensity=1,this.emissive=new q(0),this.emissiveIntensity=1,this.emissiveMap=null,this.specularMap=null,this.alphaMap=null,this.envMap=null,this.combine=0,this.reflectivity=1,this.refractionRatio=.98,this.wireframe=!1,this.wireframeLinewidth=1,this.wireframeLinecap="round",this.wireframeLinejoin="round",this.skinning=!1,this.morphTargets=!1,this.morphNormals=!1,this.setValues(t)}function Cr(t){kt.call(this),this.defines={MATCAP:""},this.type="MeshMatcapMaterial",this.color=new q(16777215),this.matcap=null,this.map=null,this.bumpMap=null,this.bumpScale=1,this.normalMap=null,this.normalMapType=0,this.normalScale=new v(1,1),this.displacementMap=null,this.displacementScale=1,this.displacementBias=0,this.alphaMap=null,this.skinning=!1,this.morphTargets=!1,this.morphNormals=!1,this.lights=!1,this.setValues(t)}function Or(t){Ki.call(this),this.type="LineDashedMaterial",this.scale=1,this.dashSize=3,this.gapSize=1,this.setValues(t)}Mr.prototype=Object.create(kt.prototype),Mr.prototype.constructor=Mr,Mr.prototype.isShadowMaterial=!0,Mr.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.color.copy(t.color),this},Sr.prototype=Object.create(Vt.prototype),Sr.prototype.constructor=Sr,Sr.prototype.isRawShaderMaterial=!0,Er.prototype=Object.create(kt.prototype),Er.prototype.constructor=Er,Er.prototype.isMeshStandardMaterial=!0,Er.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.defines={STANDARD:""},this.color.copy(t.color),this.roughness=t.roughness,this.metalness=t.metalness,this.map=t.map,this.lightMap=t.lightMap,this.lightMapIntensity=t.lightMapIntensity,this.aoMap=t.aoMap,this.aoMapIntensity=t.aoMapIntensity,this.emissive.copy(t.emissive),this.emissiveMap=t.emissiveMap,this.emissiveIntensity=t.emissiveIntensity,this.bumpMap=t.bumpMap,this.bumpScale=t.bumpScale,this.normalMap=t.normalMap,this.normalMapType=t.normalMapType,this.normalScale.copy(t.normalScale),this.displacementMap=t.displacementMap,this.displacementScale=t.displacementScale,this.displacementBias=t.displacementBias,this.roughnessMap=t.roughnessMap,this.metalnessMap=t.metalnessMap,this.alphaMap=t.alphaMap,this.envMap=t.envMap,this.envMapIntensity=t.envMapIntensity,this.refractionRatio=t.refractionRatio,this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this.wireframeLinecap=t.wireframeLinecap,this.wireframeLinejoin=t.wireframeLinejoin,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.morphNormals=t.morphNormals,this},Tr.prototype=Object.create(Er.prototype),Tr.prototype.constructor=Tr,Tr.prototype.isMeshPhysicalMaterial=!0,Tr.prototype.copy=function(t){return Er.prototype.copy.call(this,t),this.defines={PHYSICAL:""},this.reflectivity=t.reflectivity,this.clearCoat=t.clearCoat,this.clearCoatRoughness=t.clearCoatRoughness,this},Lr.prototype=Object.create(kt.prototype),Lr.prototype.constructor=Lr,Lr.prototype.isMeshPhongMaterial=!0,Lr.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.color.copy(t.color),this.specular.copy(t.specular),this.shininess=t.shininess,this.map=t.map,this.lightMap=t.lightMap,this.lightMapIntensity=t.lightMapIntensity,this.aoMap=t.aoMap,this.aoMapIntensity=t.aoMapIntensity,this.emissive.copy(t.emissive),this.emissiveMap=t.emissiveMap,this.emissiveIntensity=t.emissiveIntensity,this.bumpMap=t.bumpMap,this.bumpScale=t.bumpScale,this.normalMap=t.normalMap,this.normalMapType=t.normalMapType,this.normalScale.copy(t.normalScale),this.displacementMap=t.displacementMap,this.displacementScale=t.displacementScale,this.displacementBias=t.displacementBias,this.specularMap=t.specularMap,this.alphaMap=t.alphaMap,this.envMap=t.envMap,this.combine=t.combine,this.reflectivity=t.reflectivity,this.refractionRatio=t.refractionRatio,this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this.wireframeLinecap=t.wireframeLinecap,this.wireframeLinejoin=t.wireframeLinejoin,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.morphNormals=t.morphNormals,this},Ar.prototype=Object.create(Lr.prototype),Ar.prototype.constructor=Ar,Ar.prototype.isMeshToonMaterial=!0,Ar.prototype.copy=function(t){return Lr.prototype.copy.call(this,t),this.gradientMap=t.gradientMap,this},Pr.prototype=Object.create(kt.prototype),Pr.prototype.constructor=Pr,Pr.prototype.isMeshNormalMaterial=!0,Pr.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.bumpMap=t.bumpMap,this.bumpScale=t.bumpScale,this.normalMap=t.normalMap,this.normalMapType=t.normalMapType,this.normalScale.copy(t.normalScale),this.displacementMap=t.displacementMap,this.displacementScale=t.displacementScale,this.displacementBias=t.displacementBias,this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.morphNormals=t.morphNormals,this},Rr.prototype=Object.create(kt.prototype),Rr.prototype.constructor=Rr,Rr.prototype.isMeshLambertMaterial=!0,Rr.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.color.copy(t.color),this.map=t.map,this.lightMap=t.lightMap,this.lightMapIntensity=t.lightMapIntensity,this.aoMap=t.aoMap,this.aoMapIntensity=t.aoMapIntensity,this.emissive.copy(t.emissive),this.emissiveMap=t.emissiveMap,this.emissiveIntensity=t.emissiveIntensity,this.specularMap=t.specularMap,this.alphaMap=t.alphaMap,this.envMap=t.envMap,this.combine=t.combine,this.reflectivity=t.reflectivity,this.refractionRatio=t.refractionRatio,this.wireframe=t.wireframe,this.wireframeLinewidth=t.wireframeLinewidth,this.wireframeLinecap=t.wireframeLinecap,this.wireframeLinejoin=t.wireframeLinejoin,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.morphNormals=t.morphNormals,this},Cr.prototype=Object.create(kt.prototype),Cr.prototype.constructor=Cr,Cr.prototype.isMeshMatcapMaterial=!0,Cr.prototype.copy=function(t){return kt.prototype.copy.call(this,t),this.defines={MATCAP:""},this.color.copy(t.color),this.matcap=t.matcap,this.map=t.map,this.bumpMap=t.bumpMap,this.bumpScale=t.bumpScale,this.normalMap=t.normalMap,this.normalMapType=t.normalMapType,this.normalScale.copy(t.normalScale),this.displacementMap=t.displacementMap,this.displacementScale=t.displacementScale,this.displacementBias=t.displacementBias,this.alphaMap=t.alphaMap,this.skinning=t.skinning,this.morphTargets=t.morphTargets,this.morphNormals=t.morphNormals,this},Or.prototype=Object.create(Ki.prototype),Or.prototype.constructor=Or,Or.prototype.isLineDashedMaterial=!0,Or.prototype.copy=function(t){return Ki.prototype.copy.call(this,t),this.scale=t.scale,this.dashSize=t.dashSize,this.gapSize=t.gapSize,this};var Ir=Object.freeze({ShadowMaterial:Mr,SpriteMaterial:qi,RawShaderMaterial:Sr,ShaderMaterial:Vt,PointsMaterial:nn,MeshPhysicalMaterial:Tr,MeshStandardMaterial:Er,MeshPhongMaterial:Lr,MeshToonMaterial:Ar,MeshNormalMaterial:Pr,MeshLambertMaterial:Rr,MeshDepthMaterial:xi,MeshDistanceMaterial:bi,MeshBasicMaterial:qt,MeshMatcapMaterial:Cr,LineDashedMaterial:Or,LineBasicMaterial:Ki,Material:kt}),Dr={arraySlice:function(t,e,i){return Dr.isTypedArray(t)?new t.constructor(t.subarray(e,void 0!==i?i:t.length)):t.slice(e,i)},convertArray:function(t,e,i){return!t||!i&&t.constructor===e?t:"number"==typeof e.BYTES_PER_ELEMENT?new e(t):Array.prototype.slice.call(t)},isTypedArray:function(t){return ArrayBuffer.isView(t)&&!(t instanceof DataView)},getKeyframeOrder:function(t){for(var e=t.length,i=new Array(e),n=0;n!==e;++n)i[n]=n;return i.sort((function(e,i){return t[e]-t[i]})),i},sortedArray:function(t,e,i){for(var n=t.length,r=new t.constructor(n),a=0,o=0;o!==n;++a)for(var s=i[a]*e,c=0;c!==e;++c)r[o++]=t[s+c];return r},flattenJSON:function(t,e,i,n){for(var r=1,a=t[0];void 0!==a&&void 0===a[n];)a=t[r++];if(void 0!==a){var o=a[n];if(void 0!==o)if(Array.isArray(o))do{void 0!==(o=a[n])&&(e.push(a.time),i.push.apply(i,o)),a=t[r++]}while(void 0!==a);else if(void 0!==o.toArray)do{void 0!==(o=a[n])&&(e.push(a.time),o.toArray(i,i.length)),a=t[r++]}while(void 0!==a);else do{void 0!==(o=a[n])&&(e.push(a.time),i.push(o)),a=t[r++]}while(void 0!==a)}}};function zr(t,e,i,n){this.parameterPositions=t,this._cachedIndex=0,this.resultBuffer=void 0!==n?n:new e.constructor(i),this.sampleValues=e,this.valueSize=i}function Nr(t,e,i,n){zr.call(this,t,e,i,n),this._weightPrev=-0,this._offsetPrev=-0,this._weightNext=-0,this._offsetNext=-0}function Ur(t,e,i,n){zr.call(this,t,e,i,n)}function Br(t,e,i,n){zr.call(this,t,e,i,n)}function Gr(t,e,i,n){if(void 0===t)throw new Error("THREE.KeyframeTrack: track name is undefined");if(void 0===e||0===e.length)throw new Error("THREE.KeyframeTrack: no keyframes in track named "+t);this.name=t,this.times=Dr.convertArray(e,this.TimeBufferType),this.values=Dr.convertArray(i,this.ValueBufferType),this.setInterpolation(n||this.DefaultInterpolation)}function Fr(t,e,i){Gr.call(this,t,e,i)}function Hr(t,e,i,n){Gr.call(this,t,e,i,n)}function kr(t,e,i,n){Gr.call(this,t,e,i,n)}function Vr(t,e,i,n){zr.call(this,t,e,i,n)}function jr(t,e,i,n){Gr.call(this,t,e,i,n)}function Wr(t,e,i,n){Gr.call(this,t,e,i,n)}function qr(t,e,i,n){Gr.call(this,t,e,i,n)}function Xr(t,e,i){this.name=t,this.tracks=i,this.duration=void 0!==e?e:-1,this.uuid=g.generateUUID(),this.duration<0&&this.resetDuration()}function Yr(t){if(void 0===t.type)throw new Error("THREE.KeyframeTrack: track type undefined, can not parse");var e=function(t){switch(t.toLowerCase()){case"scalar":case"double":case"float":case"number":case"integer":return kr;case"vector":case"vector2":case"vector3":case"vector4":return qr;case"color":return Hr;case"quaternion":return jr;case"bool":case"boolean":return Fr;case"string":return Wr}throw new Error("THREE.KeyframeTrack: Unsupported typeName: "+t)}(t.type);if(void 0===t.times){var i=[],n=[];Dr.flattenJSON(t.keys,i,n,"value"),t.times=i,t.values=n}return void 0!==e.parse?e.parse(t):new e(t.name,t.times,t.values,t.interpolation)}Object.assign(zr.prototype,{evaluate:function(t){var e=this.parameterPositions,i=this._cachedIndex,n=e[i],r=e[i-1];t:{e:{var a;i:{n:if(!(t=r)break t;var s=e[1];t=(r=e[--i-1]))break e}a=i,i=0}for(;i>>1;te;)--a;if(++a,0!==r||a!==n){r>=a&&(r=(a=Math.max(a,1))-1);var o=this.getValueSize();this.times=Dr.arraySlice(i,r,a),this.values=Dr.arraySlice(this.values,r*o,a*o)}return this},validate:function(){var t=!0,e=this.getValueSize();e-Math.floor(e)!=0&&(console.error("THREE.KeyframeTrack: Invalid value size in track.",this),t=!1);var i=this.times,n=this.values,r=i.length;0===r&&(console.error("THREE.KeyframeTrack: Track is empty.",this),t=!1);for(var a=null,o=0;o!==r;o++){var s=i[o];if("number"==typeof s&&isNaN(s)){console.error("THREE.KeyframeTrack: Time is not a valid number.",this,o,s),t=!1;break}if(null!==a&&a>s){console.error("THREE.KeyframeTrack: Out of order keys.",this,o,s,a),t=!1;break}a=s}if(void 0!==n&&Dr.isTypedArray(n)){o=0;for(var c=n.length;o!==c;++o){var h=n[o];if(isNaN(h)){console.error("THREE.KeyframeTrack: Value is not a valid number.",this,o,h),t=!1;break}}}return t},optimize:function(){for(var t=this.times,e=this.values,i=this.getValueSize(),n=2302===this.getInterpolation(),r=1,a=t.length-1,o=1;o0){t[r]=t[a];for(f=a*i,m=r*i,p=0;p!==i;++p)e[m+p]=e[f+p];++r}return r!==t.length&&(this.times=Dr.arraySlice(t,0,r),this.values=Dr.arraySlice(e,0,r*i)),this}}),Fr.prototype=Object.assign(Object.create(Gr.prototype),{constructor:Fr,ValueTypeName:"bool",ValueBufferType:Array,DefaultInterpolation:2300,InterpolantFactoryMethodLinear:void 0,InterpolantFactoryMethodSmooth:void 0}),Hr.prototype=Object.assign(Object.create(Gr.prototype),{constructor:Hr,ValueTypeName:"color"}),kr.prototype=Object.assign(Object.create(Gr.prototype),{constructor:kr,ValueTypeName:"number"}),Vr.prototype=Object.assign(Object.create(zr.prototype),{constructor:Vr,interpolate_:function(t,e,i,n){for(var r=this.resultBuffer,a=this.sampleValues,o=this.valueSize,s=t*o,c=(i-e)/(n-e),h=s+o;s!==h;s+=4)x.slerpFlat(r,0,a,s-o,a,s,c);return r}}),jr.prototype=Object.assign(Object.create(Gr.prototype),{constructor:jr,ValueTypeName:"quaternion",DefaultInterpolation:2301,InterpolantFactoryMethodLinear:function(t){return new Vr(this.times,this.values,this.getValueSize(),t)},InterpolantFactoryMethodSmooth:void 0}),Wr.prototype=Object.assign(Object.create(Gr.prototype),{constructor:Wr,ValueTypeName:"string",ValueBufferType:Array,DefaultInterpolation:2300,InterpolantFactoryMethodLinear:void 0,InterpolantFactoryMethodSmooth:void 0}),qr.prototype=Object.assign(Object.create(Gr.prototype),{constructor:qr,ValueTypeName:"vector"}),Object.assign(Xr,{parse:function(t){for(var e=[],i=t.tracks,n=1/(t.fps||1),r=0,a=i.length;r!==a;++r)e.push(Yr(i[r]).scale(n));return new Xr(t.name,t.duration,e)},toJSON:function(t){for(var e=[],i=t.tracks,n={name:t.name,duration:t.duration,tracks:e,uuid:t.uuid},r=0,a=i.length;r!==a;++r)e.push(Gr.toJSON(i[r]));return n},CreateFromMorphTargetSequence:function(t,e,i,n){for(var r=e.length,a=[],o=0;o1){var h=n[u=c[1]];h||(n[u]=h=[]),h.push(s)}}var l=[];for(var u in n)l.push(Xr.CreateFromMorphTargetSequence(u,n[u],e,i));return l},parseAnimation:function(t,e){if(!t)return console.error("THREE.AnimationClip: No animation in JSONLoader data."),null;for(var i=function(t,e,i,n,r){if(0!==i.length){var a=[],o=[];Dr.flattenJSON(i,a,o,n),0!==a.length&&r.push(new t(e,a,o))}},n=[],r=t.name||"default",a=t.length||-1,o=t.fps||30,s=t.hierarchy||[],c=0;c0||0===t.search(/^data\:image\/jpeg/);r.format=n?1022:1023,r.needsUpdate=!0,void 0!==e&&e(r)}),i,n),r},setCrossOrigin:function(t){return this.crossOrigin=t,this},setPath:function(t){return this.path=t,this}}),Object.assign(ra.prototype,{getPoint:function(){return console.warn("THREE.Curve: .getPoint() not implemented."),null},getPointAt:function(t,e){var i=this.getUtoTmapping(t);return this.getPoint(i,e)},getPoints:function(t){void 0===t&&(t=5);for(var e=[],i=0;i<=t;i++)e.push(this.getPoint(i/t));return e},getSpacedPoints:function(t){void 0===t&&(t=5);for(var e=[],i=0;i<=t;i++)e.push(this.getPointAt(i/t));return e},getLength:function(){var t=this.getLengths();return t[t.length-1]},getLengths:function(t){if(void 0===t&&(t=this.arcLengthDivisions),this.cacheArcLengths&&this.cacheArcLengths.length===t+1&&!this.needsUpdate)return this.cacheArcLengths;this.needsUpdate=!1;var e,i,n=[],r=this.getPoint(0),a=0;for(n.push(0),i=1;i<=t;i++)a+=(e=this.getPoint(i/t)).distanceTo(r),n.push(a),r=e;return this.cacheArcLengths=n,n},updateArcLengths:function(){this.needsUpdate=!0,this.getLengths()},getUtoTmapping:function(t,e){var i,n=this.getLengths(),r=0,a=n.length;i=e||t*n[a-1];for(var o,s=0,c=a-1;s<=c;)if((o=n[r=Math.floor(s+(c-s)/2)]-i)<0)s=r+1;else{if(!(o>0)){c=r;break}c=r-1}if(n[r=c]===i)return r/(a-1);var h=n[r];return(r+(i-h)/(n[r+1]-h))/(a-1)},getTangent:function(t){var e=t-1e-4,i=t+1e-4;e<0&&(e=0),i>1&&(i=1);var n=this.getPoint(e);return this.getPoint(i).clone().sub(n).normalize()},getTangentAt:function(t){var e=this.getUtoTmapping(t);return this.getTangent(e)},computeFrenetFrames:function(t,e){var i,n,r,a=new b,o=[],s=[],c=[],h=new b,l=new y;for(i=0;i<=t;i++)n=i/t,o[i]=this.getTangentAt(n),o[i].normalize();s[0]=new b,c[0]=new b;var u=Number.MAX_VALUE,p=Math.abs(o[0].x),d=Math.abs(o[0].y),f=Math.abs(o[0].z);for(p<=u&&(u=p,a.set(1,0,0)),d<=u&&(u=d,a.set(0,1,0)),f<=u&&a.set(0,0,1),h.crossVectors(o[0],a).normalize(),s[0].crossVectors(o[0],h),c[0].crossVectors(o[0],s[0]),i=1;i<=t;i++)s[i]=s[i-1].clone(),c[i]=c[i-1].clone(),h.crossVectors(o[i-1],o[i]),h.length()>Number.EPSILON&&(h.normalize(),r=Math.acos(g.clamp(o[i-1].dot(o[i]),-1,1)),s[i].applyMatrix4(l.makeRotationAxis(h,r))),c[i].crossVectors(o[i],s[i]);if(!0===e)for(r=Math.acos(g.clamp(s[0].dot(s[t]),-1,1)),r/=t,o[0].dot(h.crossVectors(s[0],s[t]))>0&&(r=-r),i=1;i<=t;i++)s[i].applyMatrix4(l.makeRotationAxis(o[i],r*i)),c[i].crossVectors(o[i],s[i]);return{tangents:o,normals:s,binormals:c}},clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.arcLengthDivisions=t.arcLengthDivisions,this},toJSON:function(){var t={metadata:{version:4.5,type:"Curve",generator:"Curve.toJSON"}};return t.arcLengthDivisions=this.arcLengthDivisions,t.type=this.type,t},fromJSON:function(t){return this.arcLengthDivisions=t.arcLengthDivisions,this}}),aa.prototype=Object.create(ra.prototype),aa.prototype.constructor=aa,aa.prototype.isEllipseCurve=!0,aa.prototype.getPoint=function(t,e){for(var i=e||new v,n=2*Math.PI,r=this.aEndAngle-this.aStartAngle,a=Math.abs(r)n;)r-=n;r0?0:(Math.floor(Math.abs(l)/c)+1)*c:0===u&&l===c-1&&(l=c-2,u=1),this.closed||l>0?i=s[(l-1)%c]:(ca.subVectors(s[0],s[1]).add(s[0]),i=ca),n=s[l%c],r=s[(l+1)%c],this.closed||l+2n.length-2?n.length-1:a+1],l=n[a>n.length-3?n.length-1:a+2];return i.set(da(o,s.x,c.x,h.x,l.x),da(o,s.y,c.y,h.y,l.y)),i},_a.prototype.copy=function(t){ra.prototype.copy.call(this,t),this.points=[];for(var e=0,i=t.points.length;e=e){var r=i[n]-e,a=this.curves[n],o=a.getLength(),s=0===o?0:1-r/o;return a.getPointAt(s)}n++}return null},getLength:function(){var t=this.getCurveLengths();return t[t.length-1]},updateArcLengths:function(){this.needsUpdate=!0,this.cacheLengths=null,this.getCurveLengths()},getCurveLengths:function(){if(this.cacheLengths&&this.cacheLengths.length===this.curves.length)return this.cacheLengths;for(var t=[],e=0,i=0,n=this.curves.length;i1&&!i[i.length-1].equals(i[0])&&i.push(i[0]),i},copy:function(t){ra.prototype.copy.call(this,t),this.curves=[];for(var e=0,i=t.curves.length;e0){var h=c.getPoint(0);h.equals(this.currentPoint)||this.lineTo(h.x,h.y)}this.curves.push(c);var l=c.getPoint(1);this.currentPoint.copy(l)},copy:function(t){return Sa.prototype.copy.call(this,t),this.currentPoint.copy(t.currentPoint),this},toJSON:function(){var t=Sa.prototype.toJSON.call(this);return t.currentPoint=this.currentPoint.toArray(),t},fromJSON:function(t){return Sa.prototype.fromJSON.call(this,t),this.currentPoint.fromArray(t.currentPoint),this}}),Ta.prototype=Object.assign(Object.create(Ea.prototype),{constructor:Ta,getPointsHoles:function(t){for(var e=[],i=0,n=this.holes.length;i0){var a=new ea(new Zr(e));a.setCrossOrigin(this.crossOrigin);for(var o=0,s=t.length;o0?new Ji(o,s):new Xt(o,s);break;case"LOD":n=new Yi;break;case"Line":n=new $i(r(t.geometry),a(t.material),t.mode);break;case"LineLoop":n=new en(r(t.geometry),a(t.material));break;case"LineSegments":n=new tn(r(t.geometry),a(t.material));break;case"PointCloud":case"Points":n=new rn(r(t.geometry),a(t.material));break;case"Sprite":n=new Xi(a(t.material));break;case"Group":n=new Ei;break;default:n=new ot}if(n.uuid=t.uuid,void 0!==t.name&&(n.name=t.name),void 0!==t.matrix?(n.matrix.fromArray(t.matrix),void 0!==t.matrixAutoUpdate&&(n.matrixAutoUpdate=t.matrixAutoUpdate),n.matrixAutoUpdate&&n.matrix.decompose(n.position,n.quaternion,n.scale)):(void 0!==t.position&&n.position.fromArray(t.position),void 0!==t.rotation&&n.rotation.fromArray(t.rotation),void 0!==t.quaternion&&n.quaternion.fromArray(t.quaternion),void 0!==t.scale&&n.scale.fromArray(t.scale)),void 0!==t.castShadow&&(n.castShadow=t.castShadow),void 0!==t.receiveShadow&&(n.receiveShadow=t.receiveShadow),t.shadow&&(void 0!==t.shadow.bias&&(n.shadow.bias=t.shadow.bias),void 0!==t.shadow.radius&&(n.shadow.radius=t.shadow.radius),void 0!==t.shadow.mapSize&&n.shadow.mapSize.fromArray(t.shadow.mapSize),void 0!==t.shadow.camera&&(n.shadow.camera=this.parseObject(t.shadow.camera))),void 0!==t.visible&&(n.visible=t.visible),void 0!==t.frustumCulled&&(n.frustumCulled=t.frustumCulled),void 0!==t.renderOrder&&(n.renderOrder=t.renderOrder),void 0!==t.userData&&(n.userData=t.userData),void 0!==t.layers&&(n.layers.mask=t.layers),void 0!==t.children)for(var c=t.children,h=0;hNumber.EPSILON){if(h<0&&(o=e[a],c=-c,s=e[r],h=-h),t.ys.y)continue;if(t.y===o.y){if(t.x===o.x)return!0}else{var l=h*(t.x-o.x)-c*(t.y-o.y);if(0===l)return!0;if(l<0)continue;n=!n}}else{if(t.y!==o.y)continue;if(s.x<=t.x&&t.x<=o.x||o.x<=t.x&&t.x<=s.x)return!0}}return n}var r=Qn.isClockWise,a=this.subPaths;if(0===a.length)return[];if(!0===e)return i(a);var o,s,c,h=[];if(1===a.length)return s=a[0],(c=new Ta).curves=s.curves,h.push(c),h;var l=!r(a[0].getPoints());l=t?!l:l;var u,p,d=[],f=[],m=[],g=0;f[g]=void 0,m[g]=[];for(var v=0,y=a.length;v1){for(var x=!1,b=[],w=0,_=f.length;w<_;w++)d[w]=[];for(w=0,_=f.length;w<_;w++)for(var M=m[w],S=0;S0&&(x||(m=d))}v=0;for(var A=f.length;v0){this.source.connect(this.filters[0]);for(var t=1,e=this.filters.length;t0){this.source.disconnect(this.filters[0]);for(var t=1,e=this.filters.length;t=.5)for(var a=0;a!==r;++a)t[e+a]=t[i+a]},_slerp:function(t,e,i,n){x.slerpFlat(t,e,t,e,t,i,n)},_lerp:function(t,e,i,n,r){for(var a=1-n,o=0;o!==r;++o){var s=e+o;t[s]=t[s]*a+t[i+o]*n}}});var _o,Mo,So,Eo,To,Lo,Ao,Po,Ro,Co,Oo,Io,Do,zo;function No(t,e,i){var n=i||Uo.parseTrackName(e);this._targetGroup=t,this._bindings=t.subscribe_(e,n)}function Uo(t,e,i){this.path=e,this.parsedPath=i||Uo.parseTrackName(e),this.node=Uo.findNode(t,this.parsedPath.nodeName)||t,this.rootNode=t}function Bo(t,e,i){this._mixer=t,this._clip=e,this._localRoot=i||null;for(var n=e.tracks,r=n.length,a=new Array(r),o={endingStart:2400,endingEnd:2400},s=0;s!==r;++s){var c=n[s].createInterpolant(null);a[s]=c,c.settings=o}this._interpolantSettings=o,this._interpolants=a,this._propertyBindings=new Array(r),this._cacheIndex=null,this._byClipCacheIndex=null,this._timeScaleInterpolant=null,this._weightInterpolant=null,this.loop=2201,this._loopCount=-1,this._startTime=null,this.time=0,this.timeScale=1,this._effectiveTimeScale=1,this.weight=1,this._effectiveWeight=1,this.repetitions=1/0,this.paused=!1,this.enabled=!0,this.clampWhenFinished=!1,this.zeroSlopeAtStart=!0,this.zeroSlopeAtEnd=!0}function Go(t){this._root=t,this._initMemoryManager(),this._accuIndex=0,this.time=0,this.timeScale=1}function Fo(t){"string"==typeof t&&(console.warn("THREE.Uniform: Type parameter is no longer needed."),t=arguments[1]),this.value=t}function Ho(){St.call(this),this.type="InstancedBufferGeometry",this.maxInstancedCount=void 0}function ko(t,e,i){ji.call(this,t,e),this.meshPerAttribute=i||1}function Vo(t,e,i,n){"number"==typeof i&&(n=i,i=!1,console.error("THREE.InstancedBufferAttribute: The constructor now expects normalized as the third argument.")),ut.call(this,t,e,i),this.meshPerAttribute=n||1}function jo(t,e){return t.distance-e.distance}function Wo(t,e,i,n){if(!1!==t.visible&&(t.raycast(e,i),!0===n))for(var r=t.children,a=0,o=r.length;a=e){var l=e++,u=t[l];i[u.uuid]=h,t[h]=u,i[c]=l,t[l]=s;for(var p=0,d=r;p!==d;++p){var f=n[p],m=f[l],g=f[h];f[h]=m,f[l]=g}}}this.nCachedObjects_=e},uncache:function(){for(var t=this._objects,e=t.length,i=this.nCachedObjects_,n=this._indicesByUUID,r=this._bindings,a=r.length,o=0,s=arguments.length;o!==s;++o){var c=arguments[o],h=c.uuid,l=n[h];if(void 0!==l)if(delete n[h],l0)for(var c=this._interpolants,h=this._propertyBindings,l=0,u=c.length;l!==u;++l)c[l].evaluate(o),h[l].accumulate(n,s)}else this._updateWeight(t)},_updateWeight:function(t){var e=0;if(this.enabled){e=this.weight;var i=this._weightInterpolant;if(null!==i){var n=i.evaluate(t)[0];e*=n,t>i.parameterPositions[1]&&(this.stopFading(),0===n&&(this.enabled=!1))}}return this._effectiveWeight=e,e},_updateTimeScale:function(t){var e=0;if(!this.paused){e=this.timeScale;var i=this._timeScaleInterpolant;if(null!==i)e*=i.evaluate(t)[0],t>i.parameterPositions[1]&&(this.stopWarping(),0===e?this.paused=!0:this.timeScale=e)}return this._effectiveTimeScale=e,e},_updateTime:function(t){var e=this.time+t,i=this._clip.duration,n=this.loop,r=this._loopCount,a=2202===n;if(0===t)return-1===r?e:a&&1==(1&r)?i-e:e;if(2200===n){-1===r&&(this._loopCount=0,this._setEndings(!0,!0,!1));t:{if(e>=i)e=i;else{if(!(e<0))break t;e=0}this.clampWhenFinished?this.paused=!0:this.enabled=!1,this._mixer.dispatchEvent({type:"finished",action:this,direction:t<0?-1:1})}}else{if(-1===r&&(t>=0?(r=0,this._setEndings(!0,0===this.repetitions,a)):this._setEndings(0===this.repetitions,!0,a)),e>=i||e<0){var o=Math.floor(e/i);e-=i*o,r+=Math.abs(o);var s=this.repetitions-r;if(s<=0)this.clampWhenFinished?this.paused=!0:this.enabled=!1,e=t>0?i:0,this._mixer.dispatchEvent({type:"finished",action:this,direction:t>0?1:-1});else{if(1===s){var c=t<0;this._setEndings(c,!c,a)}else this._setEndings(!1,!1,a);this._loopCount=r,this._mixer.dispatchEvent({type:"loop",action:this,loopDelta:o})}}if(a&&1==(1&r))return this.time=e,i-e}return this.time=e,e},_setEndings:function(t,e,i){var n=this._interpolantSettings;i?(n.endingStart=2401,n.endingEnd=2401):(n.endingStart=t?this.zeroSlopeAtStart?2401:2400:2402,n.endingEnd=e?this.zeroSlopeAtEnd?2401:2400:2402)},_scheduleFading:function(t,e,i){var n=this._mixer,r=n.time,a=this._weightInterpolant;null===a&&(a=n._lendControlInterpolant(),this._weightInterpolant=a);var o=a.parameterPositions,s=a.sampleValues;return o[0]=r,s[0]=e,o[1]=r+t,s[1]=i,this}}),Go.prototype=Object.assign(Object.create(n.prototype),{constructor:Go,_bindAction:function(t,e){var i=t._localRoot||this._root,n=t._clip.tracks,r=n.length,a=t._propertyBindings,o=t._interpolants,s=i.uuid,c=this._bindingsByRootAndName,h=c[s];void 0===h&&(h={},c[s]=h);for(var l=0;l!==r;++l){var u=n[l],p=u.name,d=h[p];if(void 0!==d)a[l]=d;else{if(void 0!==(d=a[l])){null===d._cacheIndex&&(++d.referenceCount,this._addInactiveBinding(d,s,p));continue}var f=e&&e._propertyBindings[l].binding.parsedPath;++(d=new wo(Uo.create(i,p,f),u.ValueTypeName,u.getValueSize())).referenceCount,this._addInactiveBinding(d,s,p),a[l]=d}o[l].resultBuffer=d.buffer}},_activateAction:function(t){if(!this._isActiveAction(t)){if(null===t._cacheIndex){var e=(t._localRoot||this._root).uuid,i=t._clip.uuid,n=this._actionsByClip[i];this._bindAction(t,n&&n.knownActions[0]),this._addInactiveAction(t,i,e)}for(var r=t._propertyBindings,a=0,o=r.length;a!==o;++a){var s=r[a];0==s.useCount++&&(this._lendBinding(s),s.saveOriginalState())}this._lendAction(t)}},_deactivateAction:function(t){if(this._isActiveAction(t)){for(var e=t._propertyBindings,i=0,n=e.length;i!==n;++i){var r=e[i];0==--r.useCount&&(r.restoreOriginalState(),this._takeBackBinding(r))}this._takeBackAction(t)}},_initMemoryManager:function(){this._actions=[],this._nActiveActions=0,this._actionsByClip={},this._bindings=[],this._nActiveBindings=0,this._bindingsByRootAndName={},this._controlInterpolants=[],this._nActiveControlInterpolants=0;var t=this;this.stats={actions:{get total(){return t._actions.length},get inUse(){return t._nActiveActions}},bindings:{get total(){return t._bindings.length},get inUse(){return t._nActiveBindings}},controlInterpolants:{get total(){return t._controlInterpolants.length},get inUse(){return t._nActiveControlInterpolants}}}},_isActiveAction:function(t){var e=t._cacheIndex;return null!==e&&ethis.max.x||t.ythis.max.y)},containsBox:function(t){return this.min.x<=t.min.x&&t.max.x<=this.max.x&&this.min.y<=t.min.y&&t.max.y<=this.max.y},getParameter:function(t,e){return void 0===e&&(console.warn("THREE.Box2: .getParameter() target is now required"),e=new v),e.set((t.x-this.min.x)/(this.max.x-this.min.x),(t.y-this.min.y)/(this.max.y-this.min.y))},intersectsBox:function(t){return!(t.max.xthis.max.x||t.max.ythis.max.y)},clampPoint:function(t,e){return void 0===e&&(console.warn("THREE.Box2: .clampPoint() target is now required"),e=new v),e.copy(t).clamp(this.min,this.max)},distanceToPoint:function(){var t=new v;return function(e){return t.copy(e).clamp(this.min,this.max).sub(e).length()}}(),intersect:function(t){return this.min.max(t.min),this.max.min(t.max),this},union:function(t){return this.min.min(t.min),this.max.max(t.max),this},translate:function(t){return this.min.add(t),this.max.add(t),this},equals:function(t){return t.min.equals(this.min)&&t.max.equals(this.max)}}),Object.assign(Xo.prototype,{set:function(t,e){return this.start.copy(t),this.end.copy(e),this},clone:function(){return(new this.constructor).copy(this)},copy:function(t){return this.start.copy(t.start),this.end.copy(t.end),this},getCenter:function(t){return void 0===t&&(console.warn("THREE.Line3: .getCenter() target is now required"),t=new b),t.addVectors(this.start,this.end).multiplyScalar(.5)},delta:function(t){return void 0===t&&(console.warn("THREE.Line3: .delta() target is now required"),t=new b),t.subVectors(this.end,this.start)},distanceSq:function(){return this.start.distanceToSquared(this.end)},distance:function(){return this.start.distanceTo(this.end)},at:function(t,e){return void 0===e&&(console.warn("THREE.Line3: .at() target is now required"),e=new b),this.delta(e).multiplyScalar(t).add(this.start)},closestPointToPointParameter:(Ro=new b,Co=new b,function(t,e){Ro.subVectors(t,this.start),Co.subVectors(this.end,this.start);var i=Co.dot(Co),n=Co.dot(Ro)/i;return e&&(n=g.clamp(n,0,1)),n}),closestPointToPoint:function(t,e,i){var n=this.closestPointToPointParameter(t,e);return void 0===i&&(console.warn("THREE.Line3: .closestPointToPoint() target is now required"),i=new b),this.delta(i).multiplyScalar(n).add(this.start)},applyMatrix4:function(t){return this.start.applyMatrix4(t),this.end.applyMatrix4(t),this},equals:function(t){return t.start.equals(this.start)&&t.end.equals(this.end)}}),Yo.prototype=Object.create(ot.prototype),Yo.prototype.constructor=Yo,Yo.prototype.isImmediateRenderObject=!0,Jo.prototype=Object.create(tn.prototype),Jo.prototype.constructor=Jo,Jo.prototype.update=function(){var t=new b,e=new b,i=new w;return function(){var n=["a","b","c"];this.object.updateMatrixWorld(!0),i.getNormalMatrix(this.object.matrixWorld);var r=this.object.matrixWorld,a=this.geometry.attributes.position,o=this.object.geometry;if(o&&o.isGeometry)for(var s=o.vertices,c=o.faces,h=0,l=0,u=c.length;l1&&t.multiplyScalar(1/e),this.children[0].material.color.copy(this.material.color)}},$o.prototype.dispose=function(){this.geometry.dispose(),this.material.dispose(),this.children[0].geometry.dispose(),this.children[0].material.dispose()},ts.prototype=Object.create(ot.prototype),ts.prototype.constructor=ts,ts.prototype.dispose=function(){this.children[0].geometry.dispose(),this.children[0].material.dispose()},ts.prototype.update=function(){var t=new b,e=new q,i=new q;return function(){var n=this.children[0];if(void 0!==this.color)this.material.color.set(this.color);else{var r=n.geometry.getAttribute("color");e.copy(this.light.color),i.copy(this.light.groundColor);for(var a=0,o=r.count;a.99999?this.quaternion.set(0,0,0,1):t.y<-.99999?this.quaternion.set(1,0,0,0):(zo.set(t.z,0,-t.x).normalize(),Do=Math.acos(t.y),this.quaternion.setFromAxisAngle(zo,Do))}),hs.prototype.setLength=function(t,e,i){void 0===e&&(e=.2*t),void 0===i&&(i=.2*e),this.line.scale.set(1,Math.max(0,t-e),1),this.line.updateMatrix(),this.cone.scale.set(i,e,i),this.cone.position.y=t,this.cone.updateMatrix()},hs.prototype.setColor=function(t){this.line.material.color.copy(t),this.cone.material.color.copy(t)},hs.prototype.copy=function(t){return ot.prototype.copy.call(this,t,!1),this.line.copy(t.line),this.cone.copy(t.cone),this},hs.prototype.clone=function(){return(new this.constructor).copy(this)},ls.prototype=Object.create(tn.prototype),ls.prototype.constructor=ls;function us(t){console.warn("THREE.Spline has been removed. Use THREE.CatmullRomCurve3 instead."),pa.call(this,t),this.type="catmullrom"}ra.create=function(t,e){return console.log("THREE.Curve.create() has been deprecated"),t.prototype=Object.create(ra.prototype),t.prototype.constructor=t,t.prototype.getPoint=e,t},Object.assign(Sa.prototype,{createPointsGeometry:function(t){console.warn("THREE.CurvePath: .createPointsGeometry() has been removed. Use new THREE.Geometry().setFromPoints( points ) instead.");var e=this.getPoints(t);return this.createGeometry(e)},createSpacedPointsGeometry:function(t){console.warn("THREE.CurvePath: .createSpacedPointsGeometry() has been removed. Use new THREE.Geometry().setFromPoints( points ) instead.");var e=this.getSpacedPoints(t);return this.createGeometry(e)},createGeometry:function(t){console.warn("THREE.CurvePath: .createGeometry() has been removed. Use new THREE.Geometry().setFromPoints( points ) instead.");for(var e=new lt,i=0,n=t.length;i{this.request=t.data.request}),window.addEventListener("resize",t=>{this.resize()});const t=new Ia(window.innerWidth/-2,window.innerWidth/2,window.innerHeight/2,window.innerHeight/-2,-1e4,1e4);t.position.z=100;const e=new Vi,i=new C(window.innerWidth,window.innerHeight,{minFilter:1006,magFilter:1003,format:1023,type:1009}),n=new hn;n.needsUpdate=!0;const r=new Vt({uniforms:{tDiffuse:{value:n}},vertexShader:"\n\t\t\tvarying vec2 vUv;\n\n\t\t\tvoid main() {\n\t\t\t\tvUv = vec2(uv.x, 1.0-uv.y); // fuck gl uv coords\n\t\t\t\tgl_Position = projectionMatrix * modelViewMatrix * vec4( position, 1.0 );\n\t\t\t}\n",fragmentShader:"\n\t\t\tvarying vec2 vUv;\n\t\t\tuniform sampler2D tDiffuse;\n\n\t\t\tvoid main() {\n\t\t\t\tgl_FragColor = texture2D( tDiffuse, vUv );\n\t\t\t}\n"});this.material=r;const a=new Xt(new At(window.innerWidth,window.innerHeight),r);a.position.z=-100,e.add(a);const o=new Fi;o.setPixelRatio(window.devicePixelRatio),o.setSize(window.innerWidth,window.innerHeight),o.autoClear=!1,document.getElementById("app").appendChild(o.domElement),document.getElementById("app").style.display="none",this.renderer=o,this.rtTexture=i,this.sceneRTT=e,this.cameraRTT=t,this.animate=this.animate.bind(this),requestAnimationFrame(this.animate)}resize(){const t=new Ia(window.innerWidth/-2,window.innerWidth/2,window.innerHeight/2,window.innerHeight/-2,-1e4,1e4);t.position.z=100,this.cameraRTT=t;const e=new Vi,i=new Xt(new At(window.innerWidth,window.innerHeight),this.material);i.position.z=-100,e.add(i),this.sceneRTT=e,this.rtTexture=new C(window.innerWidth,window.innerHeight,{minFilter:1006,magFilter:1003,format:1023,type:1009}),this.renderer.setSize(window.innerWidth,window.innerHeight)}animate(){if(requestAnimationFrame(this.animate),this.renderer.clear(),this.renderer.render(this.sceneRTT,this.cameraRTT,this.rtTexture,!0),this.request){const t=this.request;this.request=null,this.handleRequest(t)}}hashString(t){let e=5;if(5==t.length)return e;for(let i=5;i{a.onload=()=>{t()}});a.src="https://soz.zerator.com/static/images/logo.png",yield o,r.save(),r.translate(window.innerWidth-36,window.innerHeight-10),r.rotate(-Math.PI/2),r.drawImage(a,0,0,82,31),r.restore();const s=(new Date).toISOString();r.font="18px Consolas",r.textAlign="left",r.fillStyle="#0ac213",r.save(),r.translate(window.innerWidth-24,window.innerHeight-100),r.rotate(-Math.PI/2),r.fillText(`${s} - ${this.hashString(s)}`,0,9),r.restore();let c="image/png";switch(t.encoding){case"jpg":c="image/jpeg";break;case"png":c="image/png";break;case"webp":c="image/webp"}t.quality||(t.quality=.92);const h=i.toDataURL(c,t.quality),l=new FormData;"GQL"===t.targetField?i.toBlob(e=>{let i=new File([e],"screenshot.jpg",{type:c});l.append("operations",'{"operationName": "createScreenshot", "variables": {"file":null}, "query":"mutation createScreenshot($file: Upload!) { createScreenshot(file: $file) {url} }"}');l.append("map",'{"0": ["variables.file"]}'),l.append("0",i),fetch(t.targetURL,{method:"POST",headers:t.headers,body:l}).then(t=>t.text()).then(e=>{t.resultURL&&fetch(t.resultURL,{method:"POST",mode:"cors",body:JSON.stringify({data:e,id:t.correlation})})}).catch(t=>console.error(t))},c,t.quality):(l.append(t.targetField,function(t){const e=atob(t.split(",")[1]),i=t.split(",")[0].split(":")[1].split(";")[0],n=new ArrayBuffer(e.length),r=new Uint8Array(n);for(let t=0;tt.text()).then(e=>{t.resultURL&&fetch(t.resultURL,{method:"POST",mode:"cors",body:JSON.stringify({data:e,id:t.correlation})})}).catch(t=>console.error(t)))}))}}).initialize()}]); \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/fxmanifest.lua b/resources/[lib]/screenshot-basic/fxmanifest.lua deleted file mode 100644 index 340916e230..0000000000 --- a/resources/[lib]/screenshot-basic/fxmanifest.lua +++ /dev/null @@ -1,11 +0,0 @@ -fx_version 'bodacious' -game 'common' - -client_script 'dist/client.js' -server_script 'dist/server.js' - -files { - 'dist/ui.html' -} - -ui_page 'dist/ui.html' diff --git a/resources/[lib]/screenshot-basic/package.json b/resources/[lib]/screenshot-basic/package.json deleted file mode 100644 index cf05c126ba..0000000000 --- a/resources/[lib]/screenshot-basic/package.json +++ /dev/null @@ -1,36 +0,0 @@ -{ - "name": "screenshot-basic", - "version": "1.0.0", - "description": "", - "main": "index.js", - "scripts": { - "build:client": "webpack --config client.config.js", - "build:server": "webpack --config server.config.js", - "build:ui": "webpack --config ui.config.js" - }, - "author": "", - "license": "MIT", - "dependencies": { - "@citizenfx/client": "^1.0.3404-1", - "@citizenfx/http-wrapper": "^0.2.2", - "@citizenfx/server": "^1.0.3404-1", - "@citizenfx/three": "^0.100.0", - "@types/koa": "^2.11.6", - "@types/koa-router": "^7.4.1", - "@types/mv": "^2.1.0", - "@types/uuid": "^8.3.0", - "html-webpack-inline-source-plugin": "^0.0.10", - "html-webpack-plugin": "^3.2.0", - "koa": "^2.6.2", - "koa-body": "^4.0.6", - "koa-router": "^7.4.0", - "mv": "^2.1.1", - "ts-loader": "^5.3.3", - "typescript": "3.2.2", - "uuid": "^3.3.2", - "webpack": "4.28.4" - }, - "devDependencies": { - "webpack-cli": "^3.3.11" - } -} diff --git a/resources/[lib]/screenshot-basic/server.config.js b/resources/[lib]/screenshot-basic/server.config.js deleted file mode 100644 index 07804304aa..0000000000 --- a/resources/[lib]/screenshot-basic/server.config.js +++ /dev/null @@ -1,29 +0,0 @@ -const webpack = require('webpack'); - -module.exports = { - entry: './src/server/server.ts', - module: { - rules: [ - { - test: /\.tsx?$/, - use: 'ts-loader', - exclude: /node_modules/ - } - ] - }, - // https://github.com/felixge/node-formidable/issues/337#issuecomment-153408479 - plugins: [ - new webpack.DefinePlugin({ "global.GENTLY": false }) - ], - optimization: { - minimize: false - }, - resolve: { - extensions: [ '.tsx', '.ts', '.js' ] - }, - output: { - filename: 'server.js', - path: __dirname + '/dist/' - }, - target: 'node' -}; \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/src/client/client.ts b/resources/[lib]/screenshot-basic/src/client/client.ts deleted file mode 100644 index 7a9c2e4d61..0000000000 --- a/resources/[lib]/screenshot-basic/src/client/client.ts +++ /dev/null @@ -1,80 +0,0 @@ -const exp = (global).exports; - -RegisterNuiCallbackType('screenshot_created'); - -class ResultData { - cb: (data: string) => void; -} - -const results: {[id: string]: ResultData} = {}; -let correlationId = 0; - -function registerCorrelation(cb: (result: string) => void) { - const id = correlationId.toString(); - - results[id] = { cb }; - - correlationId++; - - return id; -} - -on('__cfx_nui:screenshot_created', (body: any, cb: (arg: any) => void) => { - cb(true); - - if (body.id !== undefined && results[body.id]) { - results[body.id].cb(body.data); - delete results[body.id]; - } -}); - -exp('requestScreenshot', (options: any, cb: (result: string) => void) => { - const realOptions = (cb !== undefined) ? options : { - encoding: 'jpg' - }; - - const realCb = (cb !== undefined) ? cb : options; - - realOptions.resultURL = null; - realOptions.targetField = null; - realOptions.targetURL = `http://${GetCurrentResourceName()}/screenshot_created`; - - realOptions.correlation = registerCorrelation(realCb); - - SendNuiMessage(JSON.stringify({ - request: realOptions - })); -}); - -exp('requestScreenshotUpload', (url: string, field: string, options: any, cb: (result: string) => void) => { - const realOptions = (cb !== undefined) ? options : { - headers: {}, - encoding: 'jpg' - }; - - const realCb = (cb !== undefined) ? cb : options; - - realOptions.targetURL = url; - realOptions.targetField = field; - realOptions.resultURL = `http://${GetCurrentResourceName()}/screenshot_created`; - - realOptions.correlation = registerCorrelation(realCb); - - SendNuiMessage(JSON.stringify({ - request: realOptions - })); -}); - -onNet('screenshot_basic:requestScreenshot', (options: any, url: string) => { - options.encoding = options.encoding || 'jpg'; - - options.targetURL = `http://${GetCurrentServerEndpoint()}${url}`; - options.targetField = 'file'; - options.resultURL = null; - - options.correlation = registerCorrelation(() => {}); - - SendNuiMessage(JSON.stringify({ - request: options - })); -}); \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/src/client/tsconfig.json b/resources/[lib]/screenshot-basic/src/client/tsconfig.json deleted file mode 100644 index 93c53ef697..0000000000 --- a/resources/[lib]/screenshot-basic/src/client/tsconfig.json +++ /dev/null @@ -1,18 +0,0 @@ -{ - "compilerOptions": { - "outDir": "./", - "noImplicitAny": true, - "module": "es6", - "target": "es6", - "allowJs": true, - "lib": ["es2017"], - "types": ["@citizenfx/server", "@citizenfx/client", "node"], - "moduleResolution": "node" - }, - "include": [ - "./**/*" - ], - "exclude": [ - - ] -} \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/src/server/server.ts b/resources/[lib]/screenshot-basic/src/server/server.ts deleted file mode 100644 index b602c7f1f6..0000000000 --- a/resources/[lib]/screenshot-basic/src/server/server.ts +++ /dev/null @@ -1,96 +0,0 @@ -import { setHttpCallback } from '@citizenfx/http-wrapper'; - -import { v4 } from 'uuid'; -import * as fs from 'fs'; -import * as Koa from 'koa'; -import * as Router from 'koa-router'; -import * as koaBody from 'koa-body'; -import * as mv from 'mv'; -import { File } from 'formidable'; - -const app = new Koa(); -const router = new Router(); - -class UploadData { - fileName: string; - - cb: (err: string | boolean, data: string) => void; -} - -const uploads: { [token: string]: UploadData } = {}; - -router.post('/upload/:token', async (ctx) => { - const tkn: string = ctx.params['token']; - - ctx.response.append('Access-Control-Allow-Origin', '*'); - ctx.response.append('Access-Control-Allow-Methods', 'GET, POST'); - - if (uploads[tkn] !== undefined) { - const upload = uploads[tkn]; - delete uploads[tkn]; - - const finish = (err: string, data: string) => { - setImmediate(() => { - upload.cb(err || false, data); - }); - } - - const f = ctx.request.files['file'] as File; - - if (f) { - if (upload.fileName) { - mv(f.path, upload.fileName, (err) => { - if (err) { - finish(err.message, null); - return; - } - - finish(null, upload.fileName); - }); - } else { - fs.readFile(f.path, (err, data) => { - if (err) { - finish(err.message, null); - return; - } - - fs.unlink(f.path, (err) => { - finish(null, `data:${f.type};base64,${data.toString('base64')}`); - }); - }); - } - } - - ctx.body = { success: true }; - - return; - } - - ctx.body = { success: false }; -}); - -app.use(koaBody({ - patchKoa: true, - multipart: true, - })) - .use(router.routes()) - .use(router.allowedMethods()); - -setHttpCallback(app.callback()); - -// Cfx stuff -const exp = (global).exports; - -exp('requestClientScreenshot', (player: string | number, options: any, cb: (err: string | boolean, data: string) => void) => { - const tkn = v4(); - - const fileName = options.fileName; - delete options['fileName']; // so the client won't get to know this - - uploads[tkn] = { - fileName, - cb - }; - - emitNet('screenshot_basic:requestScreenshot', player, options, `/${GetCurrentResourceName()}/upload/${tkn}`); -}); \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/src/server/tsconfig.json b/resources/[lib]/screenshot-basic/src/server/tsconfig.json deleted file mode 100644 index fa7e8e11b0..0000000000 --- a/resources/[lib]/screenshot-basic/src/server/tsconfig.json +++ /dev/null @@ -1,20 +0,0 @@ -{ - "compilerOptions": { - "baseUrl": ".", - "paths": { "*": ["types/*"] }, - "outDir": "./", - "noImplicitAny": false, - "module": "es6", - "target": "es6", - "allowJs": true, - "lib": ["es2017"], - "types": ["@citizenfx/server", "@citizenfx/client", "node"], - "moduleResolution": "node" - }, - "include": [ - "./**/*" - ], - "exclude": [ - - ] -} \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/src/server/types/@citizenfx/http-wrapper.d.ts b/resources/[lib]/screenshot-basic/src/server/types/@citizenfx/http-wrapper.d.ts deleted file mode 100644 index 8ee86768ca..0000000000 --- a/resources/[lib]/screenshot-basic/src/server/types/@citizenfx/http-wrapper.d.ts +++ /dev/null @@ -1 +0,0 @@ -export function setHttpCallback(requestHandler: any): void; diff --git a/resources/[lib]/screenshot-basic/ui.config.js b/resources/[lib]/screenshot-basic/ui.config.js deleted file mode 100644 index 5ab4014ed1..0000000000 --- a/resources/[lib]/screenshot-basic/ui.config.js +++ /dev/null @@ -1,30 +0,0 @@ -const HtmlWebpackPlugin = require('html-webpack-plugin'); -const HtmlWebpackInlineSourcePlugin = require('html-webpack-inline-source-plugin'); - -module.exports = { - entry: './ui/src/main.ts', - module: { - rules: [ - { - test: /\.tsx?$/, - use: 'ts-loader', - exclude: /node_modules/ - } - ] - }, - plugins: [ - new HtmlWebpackPlugin({ - inlineSource: '.(js|css)$', - template: './ui/index.html', - filename: 'ui.html' - }), - new HtmlWebpackInlineSourcePlugin() - ], - resolve: { - extensions: [ '.ts', '.js' ] - }, - output: { - filename: 'ui.js', - path: __dirname + '/dist/' - }, -}; \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/ui/index.html b/resources/[lib]/screenshot-basic/ui/index.html deleted file mode 100644 index 09948a2258..0000000000 --- a/resources/[lib]/screenshot-basic/ui/index.html +++ /dev/null @@ -1,16 +0,0 @@ - - - - - Screenshot Helper - - - - -
- - \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/ui/src/main.ts b/resources/[lib]/screenshot-basic/ui/src/main.ts deleted file mode 100644 index 7a081a6c36..0000000000 --- a/resources/[lib]/screenshot-basic/ui/src/main.ts +++ /dev/null @@ -1,286 +0,0 @@ -import { - OrthographicCamera, - Scene, - WebGLRenderTarget, - LinearFilter, - NearestFilter, - RGBAFormat, - UnsignedByteType, - CfxTexture, - ShaderMaterial, - PlaneBufferGeometry, - Mesh, - WebGLRenderer -} from '@citizenfx/three'; - -class ScreenshotRequest { - encoding: 'jpg' | 'png' | 'webp'; - quality: number; - headers: any; - - correlation: string; - - resultURL: string; - - targetURL: string; - targetField: string; -} - -// from https://stackoverflow.com/a/12300351 -function dataURItoBlob(dataURI: string) { - const byteString = atob(dataURI.split(',')[1]); - const mimeString = dataURI.split(',')[0].split(':')[1].split(';')[0] - - const ab = new ArrayBuffer(byteString.length); - const ia = new Uint8Array(ab); - - for (let i = 0; i < byteString.length; i++) { - ia[i] = byteString.charCodeAt(i); - } - - const blob = new Blob([ab], {type: mimeString}); - return blob; -} - -class ScreenshotUI { - renderer: any; - rtTexture: any; - sceneRTT: any; - cameraRTT: any; - material: any; - request: ScreenshotRequest; - - initialize() { - window.addEventListener('message', event => { - this.request = event.data.request; - }); - - window.addEventListener('resize', event => { - this.resize(); - }); - - const cameraRTT: any = new OrthographicCamera( window.innerWidth / -2, window.innerWidth / 2, window.innerHeight / 2, window.innerHeight / -2, -10000, 10000 ); - cameraRTT.position.z = 100; - - const sceneRTT: any = new Scene(); - - const rtTexture = new WebGLRenderTarget( window.innerWidth, window.innerHeight, { minFilter: LinearFilter, magFilter: NearestFilter, format: RGBAFormat, type: UnsignedByteType } ); - const gameTexture: any = new CfxTexture( ); - gameTexture.needsUpdate = true; - - const material = new ShaderMaterial( { - - uniforms: { "tDiffuse": { value: gameTexture } }, - vertexShader: ` - varying vec2 vUv; - - void main() { - vUv = vec2(uv.x, 1.0-uv.y); // fuck gl uv coords - gl_Position = projectionMatrix * modelViewMatrix * vec4( position, 1.0 ); - } -`, - fragmentShader: ` - varying vec2 vUv; - uniform sampler2D tDiffuse; - - void main() { - gl_FragColor = texture2D( tDiffuse, vUv ); - } -` - - } ); - - this.material = material; - - const plane = new PlaneBufferGeometry( window.innerWidth, window.innerHeight ); - const quad: any = new Mesh( plane, material ); - quad.position.z = -100; - sceneRTT.add( quad ); - - const renderer = new WebGLRenderer(); - renderer.setPixelRatio( window.devicePixelRatio ); - renderer.setSize( window.innerWidth, window.innerHeight ); - renderer.autoClear = false; - - document.getElementById('app').appendChild(renderer.domElement); - document.getElementById('app').style.display = 'none'; - - this.renderer = renderer; - this.rtTexture = rtTexture; - this.sceneRTT = sceneRTT; - this.cameraRTT = cameraRTT; - - this.animate = this.animate.bind(this); - - requestAnimationFrame(this.animate); - } - - resize() { - const cameraRTT: any = new OrthographicCamera( window.innerWidth / -2, window.innerWidth / 2, window.innerHeight / 2, window.innerHeight / -2, -10000, 10000 ); - cameraRTT.position.z = 100; - - this.cameraRTT = cameraRTT; - - const sceneRTT: any = new Scene(); - - const plane = new PlaneBufferGeometry( window.innerWidth, window.innerHeight ); - const quad: any = new Mesh( plane, this.material ); - quad.position.z = -100; - sceneRTT.add( quad ); - - this.sceneRTT = sceneRTT; - - this.rtTexture = new WebGLRenderTarget( window.innerWidth, window.innerHeight, { minFilter: LinearFilter, magFilter: NearestFilter, format: RGBAFormat, type: UnsignedByteType } ); - - this.renderer.setSize( window.innerWidth, window.innerHeight ); - } - - animate() { - requestAnimationFrame(this.animate); - - this.renderer.clear(); - this.renderer.render(this.sceneRTT, this.cameraRTT, this.rtTexture, true); - - if (this.request) { - const request = this.request; - this.request = null; - - this.handleRequest(request); - } - } - - hashString(text: string) { - let hash = 5; - if (text.length == 5) return hash; - for (let a = 5; a ((resolve) => {img.onload = () => { - resolve(); - }}); - img.src="https://soz.zerator.com/static/images/logo.png"; - - await loading; - - cxt.save(); - cxt.translate(window.innerWidth-36, window.innerHeight-10); - cxt.rotate(-Math.PI / 2); - cxt.drawImage(img, 0, 0, 82, 31); - cxt.restore(); - - const date = new Date().toISOString() - cxt.font = '18px Consolas'; - cxt.textAlign = 'left'; - cxt.fillStyle = '#0ac213'; - cxt.save(); - cxt.translate(window.innerWidth-24, window.innerHeight-100); - cxt.rotate(-Math.PI / 2); - cxt.fillText(`${date} - ${this.hashString(date)}`, 0, 18 / 2); - cxt.restore(); - - // encode the image - let type = 'image/png'; - - switch (request.encoding) { - case 'jpg': - type = 'image/jpeg'; - break; - case 'png': - type = 'image/png'; - break; - case 'webp': - type = 'image/webp'; - break; - } - - if (!request.quality) { - request.quality = 0.92; - } - - // actual encoding - const imageURL = canvas.toDataURL(type, request.quality); - const formData = new FormData(); - - if (request.targetField === 'GQL') { - canvas.toBlob((blob) => { - let file = new File([blob], "screenshot.jpg", { type }) - - const operations = `{"operationName": "createScreenshot", "variables": {"file":null}, "query":"mutation createScreenshot($file: Upload!) { createScreenshot(file: $file) {url} }"}` - formData.append("operations", operations) - - const map = `{"0": ["variables.file"]}` - formData.append("map", map) - formData.append("0", file) - - fetch(request.targetURL, { - method: 'POST', - headers: request.headers, - body: formData - }) - .then(response => response.text()) - .then(text => { - if (request.resultURL) { - fetch(request.resultURL, { - method: 'POST', - mode: 'cors', - body: JSON.stringify({ - data: text, - id: request.correlation - }) - }); - } - }).catch(e => console.error(e)); - }, type, request.quality); - } else { - formData.append(request.targetField, dataURItoBlob(imageURL), `screenshot.${request.encoding}`); - - fetch(request.targetURL, { - method: 'POST', - headers: request.headers, - body: (request.targetField) ? formData : JSON.stringify({ - data: imageURL, - id: request.correlation - }) - }) - .then(response => response.text()) - .then(text => { - if (request.resultURL) { - fetch(request.resultURL, { - method: 'POST', - mode: 'cors', - body: JSON.stringify({ - data: text, - id: request.correlation - }) - }); - } - }).catch(e => console.error(e)); - } - } -} - -const ui = new ScreenshotUI(); -ui.initialize(); diff --git a/resources/[lib]/screenshot-basic/ui/tsconfig.json b/resources/[lib]/screenshot-basic/ui/tsconfig.json deleted file mode 100644 index 51250c74d2..0000000000 --- a/resources/[lib]/screenshot-basic/ui/tsconfig.json +++ /dev/null @@ -1,18 +0,0 @@ -{ - "compilerOptions": { - "outDir": "./", - "noImplicitAny": false, - "module": "es6", - "moduleResolution": "node", - "target": "es6", - "allowJs": true, - "lib": [ - "es2016", - "dom" - ] - }, - "include": [ - "./**/*" - ], - "exclude": [] -} \ No newline at end of file diff --git a/resources/[lib]/screenshot-basic/yarn.lock b/resources/[lib]/screenshot-basic/yarn.lock deleted file mode 100644 index c47a1ee7de..0000000000 --- a/resources/[lib]/screenshot-basic/yarn.lock +++ /dev/null @@ -1,3681 +0,0 @@ -# THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. -# yarn lockfile v1 - - -"@citizenfx/client@^1.0.3404-1": - version "1.0.3404-1" - resolved "https://registry.yarnpkg.com/@citizenfx/client/-/client-1.0.3404-1.tgz#1ce2286f9931ca9fd33c33c1268d1f616a6905e5" - integrity sha512-k4DSNnlwU+R5FOPZ8KTIlU2jije1R9yEZxP8L5a437g7fF+0dyIR9x2oie73hA1O2xa9e0WyAUE9q3HtbMYaFg== - -"@citizenfx/http-wrapper@^0.2.2": - version "0.2.2" - resolved "https://registry.yarnpkg.com/@citizenfx/http-wrapper/-/http-wrapper-0.2.2.tgz#f3306c6727cba987711fb0643529c473e19a32ce" - integrity sha512-hFyrWN2U30KFRgYteyqs7PZ+9aXyiH3tsgOQL/vcOp9dGAZAyRSHDotJYZivTEpjRN4dMbgbZ2h9TgoDFRKi9w== - -"@citizenfx/server@^1.0.3404-1": - version "1.0.3404-1" - resolved "https://registry.yarnpkg.com/@citizenfx/server/-/server-1.0.3404-1.tgz#8f902c170795d542128d49f7b0387af08112c533" - integrity sha512-Xa7g1U0olTyYhxtiHntt703co0RbMUxHKa3LGQk/4dz2KLcEXJSDZz75m8gnIdJG3a1lyT8PmOxEZJORO989qw== - -"@citizenfx/three@^0.100.0": - version "0.100.0" - resolved "https://registry.yarnpkg.com/@citizenfx/three/-/three-0.100.0.tgz#ac605a1f86863e25e5b3c50d9ae80a2ef2a2e361" - integrity sha512-qiJHVGNzhGfZP+poq4X3m9cDoi4H1mK4UgfbBTZoHmtSIiDRAIYEWsb93MHst+ADHtn0vJ8msMRQaAHC3horSA== - -"@types/accepts@*": - version "1.3.5" - resolved "https://registry.yarnpkg.com/@types/accepts/-/accepts-1.3.5.tgz#c34bec115cfc746e04fe5a059df4ce7e7b391575" - integrity sha512-jOdnI/3qTpHABjM5cx1Hc0sKsPoYCp+DP/GJRGtDlPd7fiV9oXGGIcjW/ZOxLIvjGz8MA+uMZI9metHlgqbgwQ== - dependencies: - "@types/node" "*" - -"@types/body-parser@*": - version "1.19.0" - resolved "https://registry.yarnpkg.com/@types/body-parser/-/body-parser-1.19.0.tgz#0685b3c47eb3006ffed117cdd55164b61f80538f" - integrity sha512-W98JrE0j2K78swW4ukqMleo8R7h/pFETjM2DQ90MF6XK2i4LO4W3gQ71Lt4w3bfm2EvVSyWHplECvB5sK22yFQ== - dependencies: - "@types/connect" "*" - "@types/node" "*" - -"@types/connect@*": - version "3.4.34" - resolved "https://registry.yarnpkg.com/@types/connect/-/connect-3.4.34.tgz#170a40223a6d666006d93ca128af2beb1d9b1901" - integrity sha512-ePPA/JuI+X0vb+gSWlPKOY0NdNAie/rPUqX2GUPpbZwiKTkSPhjXWuee47E4MtE54QVzGCQMQkAL6JhV2E1+cQ== - dependencies: - "@types/node" "*" - -"@types/content-disposition@*": - version "0.5.3" - resolved "https://registry.yarnpkg.com/@types/content-disposition/-/content-disposition-0.5.3.tgz#0aa116701955c2faa0717fc69cd1596095e49d96" - integrity sha512-P1bffQfhD3O4LW0ioENXUhZ9OIa0Zn+P7M+pWgkCKaT53wVLSq0mrKksCID/FGHpFhRSxRGhgrQmfhRuzwtKdg== - -"@types/cookies@*": - version "0.7.6" - resolved "https://registry.yarnpkg.com/@types/cookies/-/cookies-0.7.6.tgz#71212c5391a976d3bae57d4b09fac20fc6bda504" - integrity sha512-FK4U5Qyn7/Sc5ih233OuHO0qAkOpEcD/eG6584yEiLKizTFRny86qHLe/rej3HFQrkBuUjF4whFliAdODbVN/w== - dependencies: - "@types/connect" "*" - "@types/express" "*" - "@types/keygrip" "*" - "@types/node" "*" - -"@types/express-serve-static-core@^4.17.18": - version "4.17.18" - resolved "https://registry.yarnpkg.com/@types/express-serve-static-core/-/express-serve-static-core-4.17.18.tgz#8371e260f40e0e1ca0c116a9afcd9426fa094c40" - integrity sha512-m4JTwx5RUBNZvky/JJ8swEJPKFd8si08pPF2PfizYjGZOKr/svUWPcoUmLow6MmPzhasphB7gSTINY67xn3JNA== - dependencies: - "@types/node" "*" - "@types/qs" "*" - "@types/range-parser" "*" - -"@types/express@*": - version "4.17.11" - resolved "https://registry.yarnpkg.com/@types/express/-/express-4.17.11.tgz#debe3caa6f8e5fcda96b47bd54e2f40c4ee59545" - integrity sha512-no+R6rW60JEc59977wIxreQVsIEOAYwgCqldrA/vkpCnbD7MqTefO97lmoBe4WE0F156bC4uLSP1XHDOySnChg== - dependencies: - "@types/body-parser" "*" - "@types/express-serve-static-core" "^4.17.18" - "@types/qs" "*" - "@types/serve-static" "*" - -"@types/formidable@^1.0.31": - version "1.0.32" - resolved "https://registry.yarnpkg.com/@types/formidable/-/formidable-1.0.32.tgz#d9a7eefbaa995a4486ec4e3960e9552e68b3f33c" - integrity sha512-jOAB5+GFW+C+2xdvUcpd/CnYg2rD5xCyagJLBJU+9PB4a/DKmsAqS9yZI3j/Q9zwvM7ztPHaAIH1ijzp4cezdQ== - dependencies: - "@types/node" "*" - -"@types/http-assert@*": - version "1.5.1" - resolved "https://registry.yarnpkg.com/@types/http-assert/-/http-assert-1.5.1.tgz#d775e93630c2469c2f980fc27e3143240335db3b" - integrity sha512-PGAK759pxyfXE78NbKxyfRcWYA/KwW17X290cNev/qAsn9eQIxkH4shoNBafH37wewhDG/0p1cHPbK6+SzZjWQ== - -"@types/http-errors@*": - version "1.8.0" - resolved "https://registry.yarnpkg.com/@types/http-errors/-/http-errors-1.8.0.tgz#682477dbbbd07cd032731cb3b0e7eaee3d026b69" - integrity sha512-2aoSC4UUbHDj2uCsCxcG/vRMXey/m17bC7UwitVm5hn22nI8O8Y9iDpA76Orc+DWkQ4zZrOKEshCqR/jSuXAHA== - -"@types/keygrip@*": - version "1.0.2" - resolved "https://registry.yarnpkg.com/@types/keygrip/-/keygrip-1.0.2.tgz#513abfd256d7ad0bf1ee1873606317b33b1b2a72" - integrity sha512-GJhpTepz2udxGexqos8wgaBx4I/zWIDPh/KOGEwAqtuGDkOUJu5eFvwmdBX4AmB8Odsr+9pHCQqiAqDL/yKMKw== - -"@types/koa-compose@*": - version "3.2.5" - resolved "https://registry.yarnpkg.com/@types/koa-compose/-/koa-compose-3.2.5.tgz#85eb2e80ac50be95f37ccf8c407c09bbe3468e9d" - integrity sha512-B8nG/OoE1ORZqCkBVsup/AKcvjdgoHnfi4pZMn5UwAPCbhk/96xyv284eBYW8JlQbQ7zDmnpFr68I/40mFoIBQ== - dependencies: - "@types/koa" "*" - -"@types/koa-router@^7.4.1": - version "7.4.1" - resolved "https://registry.yarnpkg.com/@types/koa-router/-/koa-router-7.4.1.tgz#3702a4cabe4558cc4eec70d5574acc04beecff7c" - integrity sha512-Hg78TXz78QYfEgdq3nTeRmQFEwJKZljsXb/DhtexmyrpRDRnl59oMglh9uPj3/WgKor0woANrYTnxA8gaWGK2A== - dependencies: - "@types/koa" "*" - -"@types/koa@*", "@types/koa@^2.11.6": - version "2.11.6" - resolved "https://registry.yarnpkg.com/@types/koa/-/koa-2.11.6.tgz#b7030caa6b44af801c2aea13ba77d74aff7484d5" - integrity sha512-BhyrMj06eQkk04C97fovEDQMpLpd2IxCB4ecitaXwOKGq78Wi2tooaDOWOFGajPk8IkQOAtMppApgSVkYe1F/A== - dependencies: - "@types/accepts" "*" - "@types/content-disposition" "*" - "@types/cookies" "*" - "@types/http-assert" "*" - "@types/http-errors" "*" - "@types/keygrip" "*" - "@types/koa-compose" "*" - "@types/node" "*" - -"@types/mime@*": - version "2.0.3" - resolved "https://registry.yarnpkg.com/@types/mime/-/mime-2.0.3.tgz#c893b73721db73699943bfc3653b1deb7faa4a3a" - integrity sha512-Jus9s4CDbqwocc5pOAnh8ShfrnMcPHuJYzVcSUU7lrh8Ni5HuIqX3oilL86p3dlTrk0LzHRCgA/GQ7uNCw6l2Q== - -"@types/mv@^2.1.0": - version "2.1.0" - resolved "https://registry.yarnpkg.com/@types/mv/-/mv-2.1.0.tgz#330551819be3b31079632d1033c89e04cb35c374" - integrity sha512-9uDB9lojfIQipxfI308//b4c5isHs6uMo3kIMzv73FPdXmMnAk6iELHGI849cuuDPHy6aXBwN/q9gMzjRyhJ+w== - -"@types/node@*": - version "14.14.20" - resolved "https://registry.yarnpkg.com/@types/node/-/node-14.14.20.tgz#f7974863edd21d1f8a494a73e8e2b3658615c340" - integrity sha512-Y93R97Ouif9JEOWPIUyU+eyIdyRqQR0I8Ez1dzku4hDx34NWh4HbtIc3WNzwB1Y9ULvNGeu5B8h8bVL5cAk4/A== - -"@types/qs@*": - version "6.9.5" - resolved "https://registry.yarnpkg.com/@types/qs/-/qs-6.9.5.tgz#434711bdd49eb5ee69d90c1d67c354a9a8ecb18b" - integrity sha512-/JHkVHtx/REVG0VVToGRGH2+23hsYLHdyG+GrvoUGlGAd0ErauXDyvHtRI/7H7mzLm+tBCKA7pfcpkQ1lf58iQ== - -"@types/range-parser@*": - version "1.2.3" - resolved "https://registry.yarnpkg.com/@types/range-parser/-/range-parser-1.2.3.tgz#7ee330ba7caafb98090bece86a5ee44115904c2c" - integrity sha512-ewFXqrQHlFsgc09MK5jP5iR7vumV/BYayNC6PgJO2LPe8vrnNFyjQjSppfEngITi0qvfKtzFvgKymGheFM9UOA== - -"@types/serve-static@*": - version "1.13.8" - resolved "https://registry.yarnpkg.com/@types/serve-static/-/serve-static-1.13.8.tgz#851129d434433c7082148574ffec263d58309c46" - integrity sha512-MoJhSQreaVoL+/hurAZzIm8wafFR6ajiTM1m4A0kv6AGeVBl4r4pOV8bGFrjjq1sGxDTnCoF8i22o0/aE5XCyA== - dependencies: - "@types/mime" "*" - "@types/node" "*" - -"@types/uuid@^8.3.0": - version "8.3.0" - resolved "https://registry.yarnpkg.com/@types/uuid/-/uuid-8.3.0.tgz#215c231dff736d5ba92410e6d602050cce7e273f" - integrity sha512-eQ9qFW/fhfGJF8WKHGEHZEyVWfZxrT+6CLIJGBcZPfxUh/+BnEj+UCGYMlr9qZuX/2AltsvwrGqp0LhEW8D0zQ== - -"@webassemblyjs/ast@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/ast/-/ast-1.7.11.tgz#b988582cafbb2b095e8b556526f30c90d057cace" - integrity sha512-ZEzy4vjvTzScC+SH8RBssQUawpaInUdMTYwYYLh54/s8TuT0gBLuyUnppKsVyZEi876VmmStKsUs28UxPgdvrA== - dependencies: - "@webassemblyjs/helper-module-context" "1.7.11" - "@webassemblyjs/helper-wasm-bytecode" "1.7.11" - "@webassemblyjs/wast-parser" "1.7.11" - -"@webassemblyjs/floating-point-hex-parser@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.7.11.tgz#a69f0af6502eb9a3c045555b1a6129d3d3f2e313" - integrity sha512-zY8dSNyYcgzNRNT666/zOoAyImshm3ycKdoLsyDw/Bwo6+/uktb7p4xyApuef1dwEBo/U/SYQzbGBvV+nru2Xg== - -"@webassemblyjs/helper-api-error@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-api-error/-/helper-api-error-1.7.11.tgz#c7b6bb8105f84039511a2b39ce494f193818a32a" - integrity sha512-7r1qXLmiglC+wPNkGuXCvkmalyEstKVwcueZRP2GNC2PAvxbLYwLLPr14rcdJaE4UtHxQKfFkuDFuv91ipqvXg== - -"@webassemblyjs/helper-buffer@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-buffer/-/helper-buffer-1.7.11.tgz#3122d48dcc6c9456ed982debe16c8f37101df39b" - integrity sha512-MynuervdylPPh3ix+mKZloTcL06P8tenNH3sx6s0qE8SLR6DdwnfgA7Hc9NSYeob2jrW5Vql6GVlsQzKQCa13w== - -"@webassemblyjs/helper-code-frame@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-code-frame/-/helper-code-frame-1.7.11.tgz#cf8f106e746662a0da29bdef635fcd3d1248364b" - integrity sha512-T8ESC9KMXFTXA5urJcyor5cn6qWeZ4/zLPyWeEXZ03hj/x9weSokGNkVCdnhSabKGYWxElSdgJ+sFa9G/RdHNw== - dependencies: - "@webassemblyjs/wast-printer" "1.7.11" - -"@webassemblyjs/helper-fsm@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-fsm/-/helper-fsm-1.7.11.tgz#df38882a624080d03f7503f93e3f17ac5ac01181" - integrity sha512-nsAQWNP1+8Z6tkzdYlXT0kxfa2Z1tRTARd8wYnc/e3Zv3VydVVnaeePgqUzFrpkGUyhUUxOl5ML7f1NuT+gC0A== - -"@webassemblyjs/helper-module-context@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-module-context/-/helper-module-context-1.7.11.tgz#d874d722e51e62ac202476935d649c802fa0e209" - integrity sha512-JxfD5DX8Ygq4PvXDucq0M+sbUFA7BJAv/GGl9ITovqE+idGX+J3QSzJYz+LwQmL7fC3Rs+utvWoJxDb6pmC0qg== - -"@webassemblyjs/helper-wasm-bytecode@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.7.11.tgz#dd9a1e817f1c2eb105b4cf1013093cb9f3c9cb06" - integrity sha512-cMXeVS9rhoXsI9LLL4tJxBgVD/KMOKXuFqYb5oCJ/opScWpkCMEz9EJtkonaNcnLv2R3K5jIeS4TRj/drde1JQ== - -"@webassemblyjs/helper-wasm-section@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.7.11.tgz#9c9ac41ecf9fbcfffc96f6d2675e2de33811e68a" - integrity sha512-8ZRY5iZbZdtNFE5UFunB8mmBEAbSI3guwbrsCl4fWdfRiAcvqQpeqd5KHhSWLL5wuxo53zcaGZDBU64qgn4I4Q== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/helper-buffer" "1.7.11" - "@webassemblyjs/helper-wasm-bytecode" "1.7.11" - "@webassemblyjs/wasm-gen" "1.7.11" - -"@webassemblyjs/ieee754@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/ieee754/-/ieee754-1.7.11.tgz#c95839eb63757a31880aaec7b6512d4191ac640b" - integrity sha512-Mmqx/cS68K1tSrvRLtaV/Lp3NZWzXtOHUW2IvDvl2sihAwJh4ACE0eL6A8FvMyDG9abes3saB6dMimLOs+HMoQ== - dependencies: - "@xtuc/ieee754" "^1.2.0" - -"@webassemblyjs/leb128@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/leb128/-/leb128-1.7.11.tgz#d7267a1ee9c4594fd3f7e37298818ec65687db63" - integrity sha512-vuGmgZjjp3zjcerQg+JA+tGOncOnJLWVkt8Aze5eWQLwTQGNgVLcyOTqgSCxWTR4J42ijHbBxnuRaL1Rv7XMdw== - dependencies: - "@xtuc/long" "4.2.1" - -"@webassemblyjs/utf8@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/utf8/-/utf8-1.7.11.tgz#06d7218ea9fdc94a6793aa92208160db3d26ee82" - integrity sha512-C6GFkc7aErQIAH+BMrIdVSmW+6HSe20wg57HEC1uqJP8E/xpMjXqQUxkQw07MhNDSDcGpxI9G5JSNOQCqJk4sA== - -"@webassemblyjs/wasm-edit@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-edit/-/wasm-edit-1.7.11.tgz#8c74ca474d4f951d01dbae9bd70814ee22a82005" - integrity sha512-FUd97guNGsCZQgeTPKdgxJhBXkUbMTY6hFPf2Y4OedXd48H97J+sOY2Ltaq6WGVpIH8o/TGOVNiVz/SbpEMJGg== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/helper-buffer" "1.7.11" - "@webassemblyjs/helper-wasm-bytecode" "1.7.11" - "@webassemblyjs/helper-wasm-section" "1.7.11" - "@webassemblyjs/wasm-gen" "1.7.11" - "@webassemblyjs/wasm-opt" "1.7.11" - "@webassemblyjs/wasm-parser" "1.7.11" - "@webassemblyjs/wast-printer" "1.7.11" - -"@webassemblyjs/wasm-gen@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-gen/-/wasm-gen-1.7.11.tgz#9bbba942f22375686a6fb759afcd7ac9c45da1a8" - integrity sha512-U/KDYp7fgAZX5KPfq4NOupK/BmhDc5Kjy2GIqstMhvvdJRcER/kUsMThpWeRP8BMn4LXaKhSTggIJPOeYHwISA== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/helper-wasm-bytecode" "1.7.11" - "@webassemblyjs/ieee754" "1.7.11" - "@webassemblyjs/leb128" "1.7.11" - "@webassemblyjs/utf8" "1.7.11" - -"@webassemblyjs/wasm-opt@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-opt/-/wasm-opt-1.7.11.tgz#b331e8e7cef8f8e2f007d42c3a36a0580a7d6ca7" - integrity sha512-XynkOwQyiRidh0GLua7SkeHvAPXQV/RxsUeERILmAInZegApOUAIJfRuPYe2F7RcjOC9tW3Cb9juPvAC/sCqvg== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/helper-buffer" "1.7.11" - "@webassemblyjs/wasm-gen" "1.7.11" - "@webassemblyjs/wasm-parser" "1.7.11" - -"@webassemblyjs/wasm-parser@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-parser/-/wasm-parser-1.7.11.tgz#6e3d20fa6a3519f6b084ef9391ad58211efb0a1a" - integrity sha512-6lmXRTrrZjYD8Ng8xRyvyXQJYUQKYSXhJqXOBLw24rdiXsHAOlvw5PhesjdcaMadU/pyPQOJ5dHreMjBxwnQKg== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/helper-api-error" "1.7.11" - "@webassemblyjs/helper-wasm-bytecode" "1.7.11" - "@webassemblyjs/ieee754" "1.7.11" - "@webassemblyjs/leb128" "1.7.11" - "@webassemblyjs/utf8" "1.7.11" - -"@webassemblyjs/wast-parser@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wast-parser/-/wast-parser-1.7.11.tgz#25bd117562ca8c002720ff8116ef9072d9ca869c" - integrity sha512-lEyVCg2np15tS+dm7+JJTNhNWq9yTZvi3qEhAIIOaofcYlUp0UR5/tVqOwa/gXYr3gjwSZqw+/lS9dscyLelbQ== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/floating-point-hex-parser" "1.7.11" - "@webassemblyjs/helper-api-error" "1.7.11" - "@webassemblyjs/helper-code-frame" "1.7.11" - "@webassemblyjs/helper-fsm" "1.7.11" - "@xtuc/long" "4.2.1" - -"@webassemblyjs/wast-printer@1.7.11": - version "1.7.11" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wast-printer/-/wast-printer-1.7.11.tgz#c4245b6de242cb50a2cc950174fdbf65c78d7813" - integrity sha512-m5vkAsuJ32QpkdkDOUPGSltrg8Cuk3KBx4YrmAGQwCZPRdUHXxG4phIOuuycLemHFr74sWL9Wthqss4fzdzSwg== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/wast-parser" "1.7.11" - "@xtuc/long" "4.2.1" - -"@xtuc/ieee754@^1.2.0": - version "1.2.0" - resolved "https://registry.yarnpkg.com/@xtuc/ieee754/-/ieee754-1.2.0.tgz#eef014a3145ae477a1cbc00cd1e552336dceb790" - integrity sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA== - -"@xtuc/long@4.2.1": - version "4.2.1" - resolved "https://registry.yarnpkg.com/@xtuc/long/-/long-4.2.1.tgz#5c85d662f76fa1d34575766c5dcd6615abcd30d8" - integrity sha512-FZdkNBDqBRHKQ2MEbSC17xnPFOhZxeJ2YGSfr2BKf3sujG49Qe3bB+rGCwQfIaA7WHnGeGkSijX4FuBCdrzW/g== - -accepts@^1.3.5: - version "1.3.7" - resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.7.tgz#531bc726517a3b2b41f850021c6cc15eaab507cd" - integrity sha512-Il80Qs2WjYlJIBNzNkK6KYqlVMTbZLXgHx2oT0pU/fjRHyEp+PEfEPY0R3WCwAGVOtauxh1hOxNgIf5bv7dQpA== - dependencies: - mime-types "~2.1.24" - negotiator "0.6.2" - -acorn-dynamic-import@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/acorn-dynamic-import/-/acorn-dynamic-import-3.0.0.tgz#901ceee4c7faaef7e07ad2a47e890675da50a278" - integrity sha512-zVWV8Z8lislJoOKKqdNMOB+s6+XV5WERty8MnKBeFgwA+19XJjJHs2RP5dzM57FftIs+jQnRToLiWazKr6sSWg== - dependencies: - acorn "^5.0.0" - -acorn@^5.0.0, acorn@^5.6.2: - version "5.7.4" - resolved "https://registry.yarnpkg.com/acorn/-/acorn-5.7.4.tgz#3e8d8a9947d0599a1796d10225d7432f4a4acf5e" - integrity sha512-1D++VG7BhrtvQpNbBzovKNc1FLGGEE/oGe7b9xJm/RFHMBeUaUGpluV9RLjZa47YFdPcDAenEYuq9pQPcMdLJg== - -ajv-errors@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/ajv-errors/-/ajv-errors-1.0.1.tgz#f35986aceb91afadec4102fbd85014950cefa64d" - integrity sha512-DCRfO/4nQ+89p/RK43i8Ezd41EqdGIU4ld7nGF8OQ14oc/we5rEntLCUa7+jrn3nn83BosfwZA0wb4pon2o8iQ== - -ajv-keywords@^3.1.0: - version "3.5.2" - resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-3.5.2.tgz#31f29da5ab6e00d1c2d329acf7b5929614d5014d" - integrity sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ== - -ajv@^6.1.0: - version "6.12.6" - resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4" - integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g== - dependencies: - fast-deep-equal "^3.1.1" - fast-json-stable-stringify "^2.0.0" - json-schema-traverse "^0.4.1" - uri-js "^4.2.2" - -ansi-regex@^2.0.0: - version "2.1.1" - resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" - integrity sha1-w7M6te42DYbg5ijwRorn7yfWVN8= - -ansi-regex@^4.1.0: - version "4.1.0" - resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-4.1.0.tgz#8b9f8f08cf1acb843756a839ca8c7e3168c51997" - integrity sha512-1apePfXM1UOSqw0o9IiFAovVz9M5S1Dg+4TrDwfMewQ6p/rmMueb7tWZjQ1rx4Loy1ArBggoqGpfqqdI4rondg== - -ansi-styles@^3.2.0, ansi-styles@^3.2.1: - version "3.2.1" - resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d" - integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA== - dependencies: - color-convert "^1.9.0" - -any-promise@^1.1.0: - version "1.3.0" - resolved "https://registry.yarnpkg.com/any-promise/-/any-promise-1.3.0.tgz#abc6afeedcea52e809cdc0376aed3ce39635d17f" - integrity sha1-q8av7tzqUugJzcA3au0845Y10X8= - -anymatch@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-2.0.0.tgz#bcb24b4f37934d9aa7ac17b4adaf89e7c76ef2eb" - integrity sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw== - dependencies: - micromatch "^3.1.4" - normalize-path "^2.1.1" - -anymatch@~3.1.1: - version "3.1.1" - resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.1.tgz#c55ecf02185e2469259399310c173ce31233b142" - integrity sha512-mM8522psRCqzV+6LhomX5wgp25YVibjh8Wj23I5RPkPppSVSjyKD2A2mBJmWGa+KN7f2D6LNh9jkBCeyLktzjg== - dependencies: - normalize-path "^3.0.0" - picomatch "^2.0.4" - -aproba@^1.1.1: - version "1.2.0" - resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.2.0.tgz#6802e6264efd18c790a1b0d517f0f2627bf2c94a" - integrity sha512-Y9J6ZjXtoYh8RnXVCMOU/ttDmk1aBjunq9vO0ta5x85WDQiQfUF9sIPBITdbiiIVcBo03Hi3jMxigBtsddlXRw== - -arr-diff@^4.0.0: - version "4.0.0" - resolved "https://registry.yarnpkg.com/arr-diff/-/arr-diff-4.0.0.tgz#d6461074febfec71e7e15235761a329a5dc7c520" - integrity sha1-1kYQdP6/7HHn4VI1dhoyml3HxSA= - -arr-flatten@^1.1.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/arr-flatten/-/arr-flatten-1.1.0.tgz#36048bbff4e7b47e136644316c99669ea5ae91f1" - integrity sha512-L3hKV5R/p5o81R7O02IGnwpDmkp6E982XhtbuwSe3O4qOtMMMtodicASA1Cny2U+aCXcNpml+m4dPsvsJ3jatg== - -arr-union@^3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/arr-union/-/arr-union-3.1.0.tgz#e39b09aea9def866a8f206e288af63919bae39c4" - integrity sha1-45sJrqne+Gao8gbiiK9jkZuuOcQ= - -array-unique@^0.3.2: - version "0.3.2" - resolved "https://registry.yarnpkg.com/array-unique/-/array-unique-0.3.2.tgz#a894b75d4bc4f6cd679ef3244a9fd8f46ae2d428" - integrity sha1-qJS3XUvE9s1nnvMkSp/Y9Gri1Cg= - -asn1.js@^5.2.0: - version "5.4.1" - resolved "https://registry.yarnpkg.com/asn1.js/-/asn1.js-5.4.1.tgz#11a980b84ebb91781ce35b0fdc2ee294e3783f07" - integrity sha512-+I//4cYPccV8LdmBLiX8CYvf9Sp3vQsrqu2QNXRcrbiWvcx/UdlFiqUJJzxRQxgsZmvhXhn4cSKeSmoFjVdupA== - dependencies: - bn.js "^4.0.0" - inherits "^2.0.1" - minimalistic-assert "^1.0.0" - safer-buffer "^2.1.0" - -assert@^1.1.1: - version "1.5.0" - resolved "https://registry.yarnpkg.com/assert/-/assert-1.5.0.tgz#55c109aaf6e0aefdb3dc4b71240c70bf574b18eb" - integrity sha512-EDsgawzwoun2CZkCgtxJbv392v4nbk9XDD06zI+kQYoBM/3RBWLlEyJARDOmhAAosBjWACEkKL6S+lIZtcAubA== - dependencies: - object-assign "^4.1.1" - util "0.10.3" - -assign-symbols@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/assign-symbols/-/assign-symbols-1.0.0.tgz#59667f41fadd4f20ccbc2bb96b8d4f7f78ec0367" - integrity sha1-WWZ/QfrdTyDMvCu5a41Pf3jsA2c= - -async-each@^1.0.1: - version "1.0.3" - resolved "https://registry.yarnpkg.com/async-each/-/async-each-1.0.3.tgz#b727dbf87d7651602f06f4d4ac387f47d91b0cbf" - integrity sha512-z/WhQ5FPySLdvREByI2vZiTWwCnF0moMJ1hK9YQwDTHKh6I7/uSckMetoRGb5UBZPC1z0jlw+n/XCgjeH7y1AQ== - -atob@^2.1.2: - version "2.1.2" - resolved "https://registry.yarnpkg.com/atob/-/atob-2.1.2.tgz#6d9517eb9e030d2436666651e86bd9f6f13533c9" - integrity sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg== - -balanced-match@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.0.tgz#89b4d199ab2bee49de164ea02b89ce462d71b767" - integrity sha1-ibTRmasr7kneFk6gK4nORi1xt2c= - -base64-js@^1.0.2: - version "1.5.1" - resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.5.1.tgz#1b1b440160a5bf7ad40b650f095963481903930a" - integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA== - -base@^0.11.1: - version "0.11.2" - resolved "https://registry.yarnpkg.com/base/-/base-0.11.2.tgz#7bde5ced145b6d551a90db87f83c558b4eb48a8f" - integrity sha512-5T6P4xPgpp0YDFvSWwEZ4NoE3aM4QBQXDzmVbraCkFj8zHM+mba8SyqB5DbZWyR7mYHo6Y7BdQo3MoA4m0TeQg== - dependencies: - cache-base "^1.0.1" - class-utils "^0.3.5" - component-emitter "^1.2.1" - define-property "^1.0.0" - isobject "^3.0.1" - mixin-deep "^1.2.0" - pascalcase "^0.1.1" - -big.js@^3.1.3: - version "3.2.0" - resolved "https://registry.yarnpkg.com/big.js/-/big.js-3.2.0.tgz#a5fc298b81b9e0dca2e458824784b65c52ba588e" - integrity sha512-+hN/Zh2D08Mx65pZ/4g5bsmNiZUuChDiQfTUQ7qJr4/kuopCr88xZsAXv6mBoZEsUI4OuGHlX59qE94K2mMW8Q== - -big.js@^5.2.2: - version "5.2.2" - resolved "https://registry.yarnpkg.com/big.js/-/big.js-5.2.2.tgz#65f0af382f578bcdc742bd9c281e9cb2d7768328" - integrity sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ== - -binary-extensions@^1.0.0: - version "1.13.1" - resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-1.13.1.tgz#598afe54755b2868a5330d2aff9d4ebb53209b65" - integrity sha512-Un7MIEDdUC5gNpcGDV97op1Ywk748MpHcFTHoYs6qnj1Z3j7I53VG3nwZhKzoBZmbdRNnb6WRdFlwl7tSDuZGw== - -binary-extensions@^2.0.0: - version "2.2.0" - resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d" - integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA== - -bindings@^1.5.0: - version "1.5.0" - resolved "https://registry.yarnpkg.com/bindings/-/bindings-1.5.0.tgz#10353c9e945334bc0511a6d90b38fbc7c9c504df" - integrity sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ== - dependencies: - file-uri-to-path "1.0.0" - -bluebird@^3.5.5: - version "3.7.2" - resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.7.2.tgz#9f229c15be272454ffa973ace0dbee79a1b0c36f" - integrity sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg== - -bn.js@^4.0.0, bn.js@^4.1.0, bn.js@^4.4.0: - version "4.11.9" - resolved "https://registry.yarnpkg.com/bn.js/-/bn.js-4.11.9.tgz#26d556829458f9d1e81fc48952493d0ba3507828" - integrity sha512-E6QoYqCKZfgatHTdHzs1RRKP7ip4vvm+EyRUeE2RF0NblwVvb0p6jSVeNTOFxPn26QXN2o6SMfNxKp6kU8zQaw== - -bn.js@^5.0.0, bn.js@^5.1.1: - version "5.1.3" - resolved "https://registry.yarnpkg.com/bn.js/-/bn.js-5.1.3.tgz#beca005408f642ebebea80b042b4d18d2ac0ee6b" - integrity sha512-GkTiFpjFtUzU9CbMeJ5iazkCzGL3jrhzerzZIuqLABjbwRaFt33I9tUdSNryIptM+RxDet6OKm2WnLXzW51KsQ== - -boolbase@^1.0.0, boolbase@~1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/boolbase/-/boolbase-1.0.0.tgz#68dff5fbe60c51eb37725ea9e3ed310dcc1e776e" - integrity sha1-aN/1++YMUes3cl6p4+0xDcwed24= - -brace-expansion@^1.1.7: - version "1.1.11" - resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd" - integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== - dependencies: - balanced-match "^1.0.0" - concat-map "0.0.1" - -braces@^2.3.1, braces@^2.3.2: - version "2.3.2" - resolved "https://registry.yarnpkg.com/braces/-/braces-2.3.2.tgz#5979fd3f14cd531565e5fa2df1abfff1dfaee729" - integrity sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w== - dependencies: - arr-flatten "^1.1.0" - array-unique "^0.3.2" - extend-shallow "^2.0.1" - fill-range "^4.0.0" - isobject "^3.0.1" - repeat-element "^1.1.2" - snapdragon "^0.8.1" - snapdragon-node "^2.0.1" - split-string "^3.0.2" - to-regex "^3.0.1" - -braces@~3.0.2: - version "3.0.2" - resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107" - integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A== - dependencies: - fill-range "^7.0.1" - -brorand@^1.0.1: - version "1.1.0" - resolved "https://registry.yarnpkg.com/brorand/-/brorand-1.1.0.tgz#12c25efe40a45e3c323eb8675a0a0ce57b22371f" - integrity sha1-EsJe/kCkXjwyPrhnWgoM5XsiNx8= - -browserify-aes@^1.0.0, browserify-aes@^1.0.4: - version "1.2.0" - resolved "https://registry.yarnpkg.com/browserify-aes/-/browserify-aes-1.2.0.tgz#326734642f403dabc3003209853bb70ad428ef48" - integrity sha512-+7CHXqGuspUn/Sl5aO7Ea0xWGAtETPXNSAjHo48JfLdPWcMng33Xe4znFvQweqc/uzk5zSOI3H52CYnjCfb5hA== - dependencies: - buffer-xor "^1.0.3" - cipher-base "^1.0.0" - create-hash "^1.1.0" - evp_bytestokey "^1.0.3" - inherits "^2.0.1" - safe-buffer "^5.0.1" - -browserify-cipher@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/browserify-cipher/-/browserify-cipher-1.0.1.tgz#8d6474c1b870bfdabcd3bcfcc1934a10e94f15f0" - integrity sha512-sPhkz0ARKbf4rRQt2hTpAHqn47X3llLkUGn+xEJzLjwY8LRs2p0v7ljvI5EyoRO/mexrNunNECisZs+gw2zz1w== - dependencies: - browserify-aes "^1.0.4" - browserify-des "^1.0.0" - evp_bytestokey "^1.0.0" - -browserify-des@^1.0.0: - version "1.0.2" - resolved "https://registry.yarnpkg.com/browserify-des/-/browserify-des-1.0.2.tgz#3af4f1f59839403572f1c66204375f7a7f703e9c" - integrity sha512-BioO1xf3hFwz4kc6iBhI3ieDFompMhrMlnDFC4/0/vd5MokpuAc3R+LYbwTA9A5Yc9pq9UYPqffKpW2ObuwX5A== - dependencies: - cipher-base "^1.0.1" - des.js "^1.0.0" - inherits "^2.0.1" - safe-buffer "^5.1.2" - -browserify-rsa@^4.0.0, browserify-rsa@^4.0.1: - version "4.1.0" - resolved "https://registry.yarnpkg.com/browserify-rsa/-/browserify-rsa-4.1.0.tgz#b2fd06b5b75ae297f7ce2dc651f918f5be158c8d" - integrity sha512-AdEER0Hkspgno2aR97SAf6vi0y0k8NuOpGnVH3O99rcA5Q6sh8QxcngtHuJ6uXwnfAXNM4Gn1Gb7/MV1+Ymbog== - dependencies: - bn.js "^5.0.0" - randombytes "^2.0.1" - -browserify-sign@^4.0.0: - version "4.2.1" - resolved "https://registry.yarnpkg.com/browserify-sign/-/browserify-sign-4.2.1.tgz#eaf4add46dd54be3bb3b36c0cf15abbeba7956c3" - integrity sha512-/vrA5fguVAKKAVTNJjgSm1tRQDHUU6DbwO9IROu/0WAzC8PKhucDSh18J0RMvVeHAn5puMd+QHC2erPRNf8lmg== - dependencies: - bn.js "^5.1.1" - browserify-rsa "^4.0.1" - create-hash "^1.2.0" - create-hmac "^1.1.7" - elliptic "^6.5.3" - inherits "^2.0.4" - parse-asn1 "^5.1.5" - readable-stream "^3.6.0" - safe-buffer "^5.2.0" - -browserify-zlib@^0.2.0: - version "0.2.0" - resolved "https://registry.yarnpkg.com/browserify-zlib/-/browserify-zlib-0.2.0.tgz#2869459d9aa3be245fe8fe2ca1f46e2e7f54d73f" - integrity sha512-Z942RysHXmJrhqk88FmKBVq/v5tqmSkDz7p54G/MGyjMnCFFnC79XWNbg+Vta8W6Wb2qtSZTSxIGkJrRpCFEiA== - dependencies: - pako "~1.0.5" - -buffer-from@^1.0.0: - version "1.1.1" - resolved "https://registry.yarnpkg.com/buffer-from/-/buffer-from-1.1.1.tgz#32713bc028f75c02fdb710d7c7bcec1f2c6070ef" - integrity sha512-MQcXEUbCKtEo7bhqEs6560Hyd4XaovZlO/k9V3hjVUF/zwW7KBVdSK4gIt/bzwS9MbR5qob+F5jusZsb0YQK2A== - -buffer-xor@^1.0.3: - version "1.0.3" - resolved "https://registry.yarnpkg.com/buffer-xor/-/buffer-xor-1.0.3.tgz#26e61ed1422fb70dd42e6e36729ed51d855fe8d9" - integrity sha1-JuYe0UIvtw3ULm42cp7VHYVf6Nk= - -buffer@^4.3.0: - version "4.9.2" - resolved "https://registry.yarnpkg.com/buffer/-/buffer-4.9.2.tgz#230ead344002988644841ab0244af8c44bbe3ef8" - integrity sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg== - dependencies: - base64-js "^1.0.2" - ieee754 "^1.1.4" - isarray "^1.0.0" - -builtin-status-codes@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/builtin-status-codes/-/builtin-status-codes-3.0.0.tgz#85982878e21b98e1c66425e03d0174788f569ee8" - integrity sha1-hZgoeOIbmOHGZCXgPQF0eI9Wnug= - -bytes@3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.0.tgz#f6cf7933a360e0588fa9fde85651cdc7f805d1f6" - integrity sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg== - -cacache@^12.0.2: - version "12.0.4" - resolved "https://registry.yarnpkg.com/cacache/-/cacache-12.0.4.tgz#668bcbd105aeb5f1d92fe25570ec9525c8faa40c" - integrity sha512-a0tMB40oefvuInr4Cwb3GerbL9xTj1D5yg0T5xrjGCGyfvbxseIXX7BAO/u/hIXdafzOI5JC3wDwHyf24buOAQ== - dependencies: - bluebird "^3.5.5" - chownr "^1.1.1" - figgy-pudding "^3.5.1" - glob "^7.1.4" - graceful-fs "^4.1.15" - infer-owner "^1.0.3" - lru-cache "^5.1.1" - mississippi "^3.0.0" - mkdirp "^0.5.1" - move-concurrently "^1.0.1" - promise-inflight "^1.0.1" - rimraf "^2.6.3" - ssri "^6.0.1" - unique-filename "^1.1.1" - y18n "^4.0.0" - -cache-base@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/cache-base/-/cache-base-1.0.1.tgz#0a7f46416831c8b662ee36fe4e7c59d76f666ab2" - integrity sha512-AKcdTnFSWATd5/GCPRxr2ChwIJ85CeyrEyjRHlKxQ56d4XJMGym0uAiKn0xbLOGOl3+yRpOTi484dVCEc5AUzQ== - dependencies: - collection-visit "^1.0.0" - component-emitter "^1.2.1" - get-value "^2.0.6" - has-value "^1.0.0" - isobject "^3.0.1" - set-value "^2.0.0" - to-object-path "^0.3.0" - union-value "^1.0.0" - unset-value "^1.0.0" - -cache-content-type@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/cache-content-type/-/cache-content-type-1.0.1.tgz#035cde2b08ee2129f4a8315ea8f00a00dba1453c" - integrity sha512-IKufZ1o4Ut42YUrZSo8+qnMTrFuKkvyoLXUywKz9GJ5BrhOFGhLdkx9sG4KAnVvbY6kEcSFjLQul+DVmBm2bgA== - dependencies: - mime-types "^2.1.18" - ylru "^1.2.0" - -call-bind@^1.0.0: - version "1.0.2" - resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c" - integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA== - dependencies: - function-bind "^1.1.1" - get-intrinsic "^1.0.2" - -camel-case@3.0.x: - version "3.0.0" - resolved "https://registry.yarnpkg.com/camel-case/-/camel-case-3.0.0.tgz#ca3c3688a4e9cf3a4cda777dc4dcbc713249cf73" - integrity sha1-yjw2iKTpzzpM2nd9xNy8cTJJz3M= - dependencies: - no-case "^2.2.0" - upper-case "^1.1.1" - -camelcase@^5.0.0: - version "5.3.1" - resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-5.3.1.tgz#e3c9b31569e106811df242f715725a1f4c494320" - integrity sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg== - -chalk@^2.3.0, chalk@^2.4.2: - version "2.4.2" - resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424" - integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ== - dependencies: - ansi-styles "^3.2.1" - escape-string-regexp "^1.0.5" - supports-color "^5.3.0" - -chokidar@^2.1.8: - version "2.1.8" - resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-2.1.8.tgz#804b3a7b6a99358c3c5c61e71d8728f041cff917" - integrity sha512-ZmZUazfOzf0Nve7duiCKD23PFSCs4JPoYyccjUFF3aQkQadqBhfzhjkwBH2mNOG9cTBwhamM37EIsIkZw3nRgg== - dependencies: - anymatch "^2.0.0" - async-each "^1.0.1" - braces "^2.3.2" - glob-parent "^3.1.0" - inherits "^2.0.3" - is-binary-path "^1.0.0" - is-glob "^4.0.0" - normalize-path "^3.0.0" - path-is-absolute "^1.0.0" - readdirp "^2.2.1" - upath "^1.1.1" - optionalDependencies: - fsevents "^1.2.7" - -chokidar@^3.4.1: - version "3.5.0" - resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.0.tgz#458a4816a415e9d3b3caa4faec2b96a6935a9e65" - integrity sha512-JgQM9JS92ZbFR4P90EvmzNpSGhpPBGBSj10PILeDyYFwp4h2/D9OM03wsJ4zW1fEp4ka2DGrnUeD7FuvQ2aZ2Q== - dependencies: - anymatch "~3.1.1" - braces "~3.0.2" - glob-parent "~5.1.0" - is-binary-path "~2.1.0" - is-glob "~4.0.1" - normalize-path "~3.0.0" - readdirp "~3.5.0" - optionalDependencies: - fsevents "~2.3.1" - -chownr@^1.1.1: - version "1.1.4" - resolved "https://registry.yarnpkg.com/chownr/-/chownr-1.1.4.tgz#6fc9d7b42d32a583596337666e7d08084da2cc6b" - integrity sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg== - -chrome-trace-event@^1.0.0: - version "1.0.2" - resolved "https://registry.yarnpkg.com/chrome-trace-event/-/chrome-trace-event-1.0.2.tgz#234090ee97c7d4ad1a2c4beae27505deffc608a4" - integrity sha512-9e/zx1jw7B4CO+c/RXoCsfg/x1AfUBioy4owYH0bJprEYAx5hRFLRhWBqHAG57D0ZM4H7vxbP7bPe0VwhQRYDQ== - dependencies: - tslib "^1.9.0" - -cipher-base@^1.0.0, cipher-base@^1.0.1, cipher-base@^1.0.3: - version "1.0.4" - resolved "https://registry.yarnpkg.com/cipher-base/-/cipher-base-1.0.4.tgz#8760e4ecc272f4c363532f926d874aae2c1397de" - integrity sha512-Kkht5ye6ZGmwv40uUDZztayT2ThLQGfnj/T71N/XzeZeo3nf8foyW7zGTsPYkEya3m5f3cAypH+qe7YOrM1U2Q== - dependencies: - inherits "^2.0.1" - safe-buffer "^5.0.1" - -class-utils@^0.3.5: - version "0.3.6" - resolved "https://registry.yarnpkg.com/class-utils/-/class-utils-0.3.6.tgz#f93369ae8b9a7ce02fd41faad0ca83033190c463" - integrity sha512-qOhPa/Fj7s6TY8H8esGu5QNpMMQxz79h+urzrNYN6mn+9BnxlDGf5QZ+XeCDsxSjPqsSR56XOZOJmpeurnLMeg== - dependencies: - arr-union "^3.1.0" - define-property "^0.2.5" - isobject "^3.0.0" - static-extend "^0.1.1" - -clean-css@4.2.x: - version "4.2.3" - resolved "https://registry.yarnpkg.com/clean-css/-/clean-css-4.2.3.tgz#507b5de7d97b48ee53d84adb0160ff6216380f78" - integrity sha512-VcMWDN54ZN/DS+g58HYL5/n4Zrqe8vHJpGA8KdgUXFU4fuP/aHNw8eld9SyEIyabIMJX/0RaY/fplOo5hYLSFA== - dependencies: - source-map "~0.6.0" - -cliui@^5.0.0: - version "5.0.0" - resolved "https://registry.yarnpkg.com/cliui/-/cliui-5.0.0.tgz#deefcfdb2e800784aa34f46fa08e06851c7bbbc5" - integrity sha512-PYeGSEmmHM6zvoef2w8TPzlrnNpXIjTipYK780YswmIP9vjxmd6Y2a3CB2Ks6/AU8NHjZugXvo8w3oWM2qnwXA== - dependencies: - string-width "^3.1.0" - strip-ansi "^5.2.0" - wrap-ansi "^5.1.0" - -co-body@^5.1.1: - version "5.2.0" - resolved "https://registry.yarnpkg.com/co-body/-/co-body-5.2.0.tgz#5a0a658c46029131e0e3a306f67647302f71c124" - integrity sha512-sX/LQ7LqUhgyaxzbe7IqwPeTr2yfpfUIQ/dgpKo6ZI4y4lpQA0YxAomWIY+7I7rHWcG02PG+OuPREzMW/5tszQ== - dependencies: - inflation "^2.0.0" - qs "^6.4.0" - raw-body "^2.2.0" - type-is "^1.6.14" - -co@^4.6.0: - version "4.6.0" - resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184" - integrity sha1-bqa989hTrlTMuOR7+gvz+QMfsYQ= - -collection-visit@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/collection-visit/-/collection-visit-1.0.0.tgz#4bc0373c164bc3291b4d368c829cf1a80a59dca0" - integrity sha1-S8A3PBZLwykbTTaMgpzxqApZ3KA= - dependencies: - map-visit "^1.0.0" - object-visit "^1.0.0" - -color-convert@^1.9.0: - version "1.9.3" - resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8" - integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg== - dependencies: - color-name "1.1.3" - -color-name@1.1.3: - version "1.1.3" - resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25" - integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU= - -commander@2.17.x: - version "2.17.1" - resolved "https://registry.yarnpkg.com/commander/-/commander-2.17.1.tgz#bd77ab7de6de94205ceacc72f1716d29f20a77bf" - integrity sha512-wPMUt6FnH2yzG95SA6mzjQOEKUU3aLaDEmzs1ti+1E9h+CsrZghRlqEM/EJ4KscsQVG8uNN4uVreUeT8+drlgg== - -commander@^2.20.0: - version "2.20.3" - resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.3.tgz#fd485e84c03eb4881c20722ba48035e8531aeb33" - integrity sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ== - -commander@~2.19.0: - version "2.19.0" - resolved "https://registry.yarnpkg.com/commander/-/commander-2.19.0.tgz#f6198aa84e5b83c46054b94ddedbfed5ee9ff12a" - integrity sha512-6tvAOO+D6OENvRAh524Dh9jcfKTYDQAqvqezbCW82xj5X0pSrcpxtvRKHLG0yBY6SD7PSDrJaj+0AiOcKVd1Xg== - -commondir@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/commondir/-/commondir-1.0.1.tgz#ddd800da0c66127393cca5950ea968a3aaf1253b" - integrity sha1-3dgA2gxmEnOTzKWVDqloo6rxJTs= - -component-emitter@^1.2.1: - version "1.3.0" - resolved "https://registry.yarnpkg.com/component-emitter/-/component-emitter-1.3.0.tgz#16e4070fba8ae29b679f2215853ee181ab2eabc0" - integrity sha512-Rd3se6QB+sO1TwqZjscQrurpEPIfO0/yYnSin6Q/rD3mOutHvUrCAhJub3r90uNb+SESBuE0QYoB90YdfatsRg== - -concat-map@0.0.1: - version "0.0.1" - resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" - integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s= - -concat-stream@^1.5.0: - version "1.6.2" - resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.2.tgz#904bdf194cd3122fc675c77fc4ac3d4ff0fd1a34" - integrity sha512-27HBghJxjiZtIk3Ycvn/4kbJk/1uZuJFfuPEns6LaEvpvG1f0hTea8lilrouyo9mVc2GWdcEZ8OLoGmSADlrCw== - dependencies: - buffer-from "^1.0.0" - inherits "^2.0.3" - readable-stream "^2.2.2" - typedarray "^0.0.6" - -console-browserify@^1.1.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/console-browserify/-/console-browserify-1.2.0.tgz#67063cef57ceb6cf4993a2ab3a55840ae8c49336" - integrity sha512-ZMkYO/LkF17QvCPqM0gxw8yUzigAOZOSWSHg91FH6orS7vcEj5dVZTidN2fQ14yBSdg97RqhSNwLUXInd52OTA== - -constants-browserify@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/constants-browserify/-/constants-browserify-1.0.0.tgz#c20b96d8c617748aaf1c16021760cd27fcb8cb75" - integrity sha1-wguW2MYXdIqvHBYCF2DNJ/y4y3U= - -content-disposition@~0.5.2: - version "0.5.3" - resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.3.tgz#e130caf7e7279087c5616c2007d0485698984fbd" - integrity sha512-ExO0774ikEObIAEV9kDo50o+79VCUdEB6n6lzKgGwupcVeRlhrj3qGAfwq8G6uBJjkqLrhT0qEYFcWng8z1z0g== - dependencies: - safe-buffer "5.1.2" - -content-type@^1.0.4: - version "1.0.4" - resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b" - integrity sha512-hIP3EEPs8tB9AT1L+NUqtwOAps4mk2Zob89MWXMHjHWg9milF/j4osnnQLXBCBFBk/tvIG/tUc9mOUJiPBhPXA== - -cookies@~0.8.0: - version "0.8.0" - resolved "https://registry.yarnpkg.com/cookies/-/cookies-0.8.0.tgz#1293ce4b391740a8406e3c9870e828c4b54f3f90" - integrity sha512-8aPsApQfebXnuI+537McwYsDtjVxGm8gTIzQI3FDW6t5t/DAhERxtnbEPN/8RX+uZthoz4eCOgloXaE5cYyNow== - dependencies: - depd "~2.0.0" - keygrip "~1.1.0" - -copy-concurrently@^1.0.0: - version "1.0.5" - resolved "https://registry.yarnpkg.com/copy-concurrently/-/copy-concurrently-1.0.5.tgz#92297398cae34937fcafd6ec8139c18051f0b5e0" - integrity sha512-f2domd9fsVDFtaFcbaRZuYXwtdmnzqbADSwhSWYxYB/Q8zsdUUFMXVRwXGDMWmbEzAn1kdRrtI1T/KTFOL4X2A== - dependencies: - aproba "^1.1.1" - fs-write-stream-atomic "^1.0.8" - iferr "^0.1.5" - mkdirp "^0.5.1" - rimraf "^2.5.4" - run-queue "^1.0.0" - -copy-descriptor@^0.1.0: - version "0.1.1" - resolved "https://registry.yarnpkg.com/copy-descriptor/-/copy-descriptor-0.1.1.tgz#676f6eb3c39997c2ee1ac3a924fd6124748f578d" - integrity sha1-Z29us8OZl8LuGsOpJP1hJHSPV40= - -core-util-is@~1.0.0: - version "1.0.2" - resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" - integrity sha1-tf1UIgqivFq1eqtxQMlAdUUDwac= - -create-ecdh@^4.0.0: - version "4.0.4" - resolved "https://registry.yarnpkg.com/create-ecdh/-/create-ecdh-4.0.4.tgz#d6e7f4bffa66736085a0762fd3a632684dabcc4e" - integrity sha512-mf+TCx8wWc9VpuxfP2ht0iSISLZnt0JgWlrOKZiNqyUZWnjIaCIVNQArMHnCZKfEYRg6IM7A+NeJoN8gf/Ws0A== - dependencies: - bn.js "^4.1.0" - elliptic "^6.5.3" - -create-hash@^1.1.0, create-hash@^1.1.2, create-hash@^1.2.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/create-hash/-/create-hash-1.2.0.tgz#889078af11a63756bcfb59bd221996be3a9ef196" - integrity sha512-z00bCGNHDG8mHAkP7CtT1qVu+bFQUPjYq/4Iv3C3kWjTFV10zIjfSoeqXo9Asws8gwSHDGj/hl2u4OGIjapeCg== - dependencies: - cipher-base "^1.0.1" - inherits "^2.0.1" - md5.js "^1.3.4" - ripemd160 "^2.0.1" - sha.js "^2.4.0" - -create-hmac@^1.1.0, create-hmac@^1.1.4, create-hmac@^1.1.7: - version "1.1.7" - resolved "https://registry.yarnpkg.com/create-hmac/-/create-hmac-1.1.7.tgz#69170c78b3ab957147b2b8b04572e47ead2243ff" - integrity sha512-MJG9liiZ+ogc4TzUwuvbER1JRdgvUFSB5+VR/g5h82fGaIRWMWddtKBHi7/sVhfjQZ6SehlyhvQYrcYkaUIpLg== - dependencies: - cipher-base "^1.0.3" - create-hash "^1.1.0" - inherits "^2.0.1" - ripemd160 "^2.0.0" - safe-buffer "^5.0.1" - sha.js "^2.4.8" - -cross-spawn@^6.0.5: - version "6.0.5" - resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-6.0.5.tgz#4a5ec7c64dfae22c3a14124dbacdee846d80cbc4" - integrity sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ== - dependencies: - nice-try "^1.0.4" - path-key "^2.0.1" - semver "^5.5.0" - shebang-command "^1.2.0" - which "^1.2.9" - -crypto-browserify@^3.11.0: - version "3.12.0" - resolved "https://registry.yarnpkg.com/crypto-browserify/-/crypto-browserify-3.12.0.tgz#396cf9f3137f03e4b8e532c58f698254e00f80ec" - integrity sha512-fz4spIh+znjO2VjL+IdhEpRJ3YN6sMzITSBijk6FK2UvTqruSQW+/cCZTSNsMiZNvUeq0CqurF+dAbyiGOY6Wg== - dependencies: - browserify-cipher "^1.0.0" - browserify-sign "^4.0.0" - create-ecdh "^4.0.0" - create-hash "^1.1.0" - create-hmac "^1.1.0" - diffie-hellman "^5.0.0" - inherits "^2.0.1" - pbkdf2 "^3.0.3" - public-encrypt "^4.0.0" - randombytes "^2.0.0" - randomfill "^1.0.3" - -css-select@^2.0.2: - version "2.1.0" - resolved "https://registry.yarnpkg.com/css-select/-/css-select-2.1.0.tgz#6a34653356635934a81baca68d0255432105dbef" - integrity sha512-Dqk7LQKpwLoH3VovzZnkzegqNSuAziQyNZUcrdDM401iY+R5NkGBXGmtO05/yaXQziALuPogeG0b7UAgjnTJTQ== - dependencies: - boolbase "^1.0.0" - css-what "^3.2.1" - domutils "^1.7.0" - nth-check "^1.0.2" - -css-what@^3.2.1: - version "3.4.2" - resolved "https://registry.yarnpkg.com/css-what/-/css-what-3.4.2.tgz#ea7026fcb01777edbde52124e21f327e7ae950e4" - integrity sha512-ACUm3L0/jiZTqfzRM3Hi9Q8eZqd6IK37mMWPLz9PJxkLWllYeRf+EHUSHYEtFop2Eqytaq1FizFVh7XfBnXCDQ== - -cyclist@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/cyclist/-/cyclist-1.0.1.tgz#596e9698fd0c80e12038c2b82d6eb1b35b6224d9" - integrity sha1-WW6WmP0MgOEgOMK4LW6xs1tiJNk= - -debug@^2.2.0, debug@^2.3.3: - version "2.6.9" - resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" - integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA== - dependencies: - ms "2.0.0" - -debug@^3.1.0: - version "3.2.7" - resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a" - integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ== - dependencies: - ms "^2.1.1" - -debug@~3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261" - integrity sha512-OX8XqP7/1a9cqkxYw2yXss15f26NKWBpDXQd0/uK/KPqdQhxbPa994hnzjcE2VqQpDslf55723cKPUOGSmMY3g== - dependencies: - ms "2.0.0" - -decamelize@^1.2.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290" - integrity sha1-9lNNFRSCabIDUue+4m9QH5oZEpA= - -decode-uri-component@^0.2.0: - version "0.2.0" - resolved "https://registry.yarnpkg.com/decode-uri-component/-/decode-uri-component-0.2.0.tgz#eb3913333458775cb84cd1a1fae062106bb87545" - integrity sha1-6zkTMzRYd1y4TNGh+uBiEGu4dUU= - -deep-equal@~1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/deep-equal/-/deep-equal-1.0.1.tgz#f5d260292b660e084eff4cdbc9f08ad3247448b5" - integrity sha1-9dJgKStmDghO/0zbyfCK0yR0SLU= - -define-properties@^1.1.2, define-properties@^1.1.3: - version "1.1.3" - resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.1.3.tgz#cf88da6cbee26fe6db7094f61d870cbd84cee9f1" - integrity sha512-3MqfYKj2lLzdMSf8ZIZE/V+Zuy+BgD6f164e8K2w7dgnpKArBDerGYpM46IYYcjnkdPNMjPk9A6VFB8+3SKlXQ== - dependencies: - object-keys "^1.0.12" - -define-property@^0.2.5: - version "0.2.5" - resolved "https://registry.yarnpkg.com/define-property/-/define-property-0.2.5.tgz#c35b1ef918ec3c990f9a5bc57be04aacec5c8116" - integrity sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY= - dependencies: - is-descriptor "^0.1.0" - -define-property@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/define-property/-/define-property-1.0.0.tgz#769ebaaf3f4a63aad3af9e8d304c9bbe79bfb0e6" - integrity sha1-dp66rz9KY6rTr56NMEybvnm/sOY= - dependencies: - is-descriptor "^1.0.0" - -define-property@^2.0.2: - version "2.0.2" - resolved "https://registry.yarnpkg.com/define-property/-/define-property-2.0.2.tgz#d459689e8d654ba77e02a817f8710d702cb16e9d" - integrity sha512-jwK2UV4cnPpbcG7+VRARKTZPUWowwXA8bzH5NP6ud0oeAxyYPuGZUAC7hMugpCdz4BeSZl2Dl9k66CHJ/46ZYQ== - dependencies: - is-descriptor "^1.0.2" - isobject "^3.0.1" - -delegates@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a" - integrity sha1-hMbhWbgZBP3KWaDvRM2HDTElD5o= - -depd@^2.0.0, depd@~2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/depd/-/depd-2.0.0.tgz#b696163cc757560d09cf22cc8fad1571b79e76df" - integrity sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw== - -depd@~1.1.2: - version "1.1.2" - resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9" - integrity sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak= - -des.js@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/des.js/-/des.js-1.0.1.tgz#5382142e1bdc53f85d86d53e5f4aa7deb91e0843" - integrity sha512-Q0I4pfFrv2VPd34/vfLrFOoRmlYj3OV50i7fskps1jZWK1kApMWWT9G6RRUeYedLcBDIhnSDaUvJMb3AhUlaEA== - dependencies: - inherits "^2.0.1" - minimalistic-assert "^1.0.0" - -destroy@^1.0.4: - version "1.0.4" - resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80" - integrity sha1-l4hXRCxEdJ5CBmE+N5RiBYJqvYA= - -detect-file@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/detect-file/-/detect-file-1.0.0.tgz#f0d66d03672a825cb1b73bdb3fe62310c8e552b7" - integrity sha1-8NZtA2cqglyxtzvbP+YjEMjlUrc= - -diffie-hellman@^5.0.0: - version "5.0.3" - resolved "https://registry.yarnpkg.com/diffie-hellman/-/diffie-hellman-5.0.3.tgz#40e8ee98f55a2149607146921c63e1ae5f3d2875" - integrity sha512-kqag/Nl+f3GwyK25fhUMYj81BUOrZ9IuJsjIcDE5icNM9FJHAVm3VcUDxdLPoQtTuUylWm6ZIknYJwwaPxsUzg== - dependencies: - bn.js "^4.1.0" - miller-rabin "^4.0.0" - randombytes "^2.0.0" - -dom-converter@^0.2: - version "0.2.0" - resolved "https://registry.yarnpkg.com/dom-converter/-/dom-converter-0.2.0.tgz#6721a9daee2e293682955b6afe416771627bb768" - integrity sha512-gd3ypIPfOMr9h5jIKq8E3sHOTCjeirnl0WK5ZdS1AW0Odt0b1PaWaHdJ4Qk4klv+YB9aJBS7mESXjFoDQPu6DA== - dependencies: - utila "~0.4" - -dom-serializer@0: - version "0.2.2" - resolved "https://registry.yarnpkg.com/dom-serializer/-/dom-serializer-0.2.2.tgz#1afb81f533717175d478655debc5e332d9f9bb51" - integrity sha512-2/xPb3ORsQ42nHYiSunXkDjPLBaEj/xTwUO4B7XCZQTRk7EBtTOPaygh10YAAh2OI1Qrp6NWfpAhzswj0ydt9g== - dependencies: - domelementtype "^2.0.1" - entities "^2.0.0" - -domain-browser@^1.1.1: - version "1.2.0" - resolved "https://registry.yarnpkg.com/domain-browser/-/domain-browser-1.2.0.tgz#3d31f50191a6749dd1375a7f522e823d42e54eda" - integrity sha512-jnjyiM6eRyZl2H+W8Q/zLMA481hzi0eszAaBUzIVnmYVDBbnLxVNnfu1HgEBvCbL+71FrxMl3E6lpKH7Ge3OXA== - -domelementtype@1, domelementtype@^1.3.1: - version "1.3.1" - resolved "https://registry.yarnpkg.com/domelementtype/-/domelementtype-1.3.1.tgz#d048c44b37b0d10a7f2a3d5fee3f4333d790481f" - integrity sha512-BSKB+TSpMpFI/HOxCNr1O8aMOTZ8hT3pM3GQ0w/mWRmkhEDSFJkkyzz4XQsBV44BChwGkrDfMyjVD0eA2aFV3w== - -domelementtype@^2.0.1: - version "2.1.0" - resolved "https://registry.yarnpkg.com/domelementtype/-/domelementtype-2.1.0.tgz#a851c080a6d1c3d94344aed151d99f669edf585e" - integrity sha512-LsTgx/L5VpD+Q8lmsXSHW2WpA+eBlZ9HPf3erD1IoPF00/3JKHZ3BknUVA2QGDNu69ZNmyFmCWBSO45XjYKC5w== - -domhandler@^2.3.0: - version "2.4.2" - resolved "https://registry.yarnpkg.com/domhandler/-/domhandler-2.4.2.tgz#8805097e933d65e85546f726d60f5eb88b44f803" - integrity sha512-JiK04h0Ht5u/80fdLMCEmV4zkNh2BcoMFBmZ/91WtYZ8qVXSKjiw7fXMgFPnHcSZgOo3XdinHvmnDUeMf5R4wA== - dependencies: - domelementtype "1" - -domutils@^1.5.1, domutils@^1.7.0: - version "1.7.0" - resolved "https://registry.yarnpkg.com/domutils/-/domutils-1.7.0.tgz#56ea341e834e06e6748af7a1cb25da67ea9f8c2a" - integrity sha512-Lgd2XcJ/NjEw+7tFvfKxOzCYKZsdct5lczQ2ZaQY8Djz7pfAD3Gbp8ySJWtreII/vDlMVmxwa6pHmdxIYgttDg== - dependencies: - dom-serializer "0" - domelementtype "1" - -duplexify@^3.4.2, duplexify@^3.6.0: - version "3.7.1" - resolved "https://registry.yarnpkg.com/duplexify/-/duplexify-3.7.1.tgz#2a4df5317f6ccfd91f86d6fd25d8d8a103b88309" - integrity sha512-07z8uv2wMyS51kKhD1KsdXJg5WQ6t93RneqRxUHnskXVtlYYkLqM0gqStQZ3pj073g687jPCHrqNfCzawLYh5g== - dependencies: - end-of-stream "^1.0.0" - inherits "^2.0.1" - readable-stream "^2.0.0" - stream-shift "^1.0.0" - -ee-first@1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d" - integrity sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0= - -elliptic@^6.5.3: - version "6.5.3" - resolved "https://registry.yarnpkg.com/elliptic/-/elliptic-6.5.3.tgz#cb59eb2efdaf73a0bd78ccd7015a62ad6e0f93d6" - integrity sha512-IMqzv5wNQf+E6aHeIqATs0tOLeOTwj1QKbRcS3jBbYkl5oLAserA8yJTT7/VyHUYG91PRmPyeQDObKLPpeS4dw== - dependencies: - bn.js "^4.4.0" - brorand "^1.0.1" - hash.js "^1.0.0" - hmac-drbg "^1.0.0" - inherits "^2.0.1" - minimalistic-assert "^1.0.0" - minimalistic-crypto-utils "^1.0.0" - -emoji-regex@^7.0.1: - version "7.0.3" - resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-7.0.3.tgz#933a04052860c85e83c122479c4748a8e4c72156" - integrity sha512-CwBLREIQ7LvYFB0WyRvwhq5N5qPhc6PMjD6bYggFlI5YyDgl+0vxq5VHbMOFqLg7hfWzmu8T5Z1QofhmTIhItA== - -emojis-list@^2.0.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/emojis-list/-/emojis-list-2.1.0.tgz#4daa4d9db00f9819880c79fa457ae5b09a1fd389" - integrity sha1-TapNnbAPmBmIDHn6RXrlsJof04k= - -emojis-list@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/emojis-list/-/emojis-list-3.0.0.tgz#5570662046ad29e2e916e71aae260abdff4f6a78" - integrity sha512-/kyM18EfinwXZbno9FyUGeFh87KC8HRQBQGildHZbEuRyWFOmv1U10o9BBp8XVZDVNNuQKyIGIu5ZYAAXJ0V2Q== - -encodeurl@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59" - integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k= - -end-of-stream@^1.0.0, end-of-stream@^1.1.0: - version "1.4.4" - resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.4.tgz#5ae64a5f45057baf3626ec14da0ca5e4b2431eb0" - integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q== - dependencies: - once "^1.4.0" - -enhanced-resolve@^4.0.0, enhanced-resolve@^4.1.0, enhanced-resolve@^4.1.1: - version "4.5.0" - resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-4.5.0.tgz#2f3cfd84dbe3b487f18f2db2ef1e064a571ca5ec" - integrity sha512-Nv9m36S/vxpsI+Hc4/ZGRs0n9mXqSWGGq49zxb/cJfPAQMbUtttJAlNPS4AQzaBdw/pKskw5bMbekT/Y7W/Wlg== - dependencies: - graceful-fs "^4.1.2" - memory-fs "^0.5.0" - tapable "^1.0.0" - -entities@^1.1.1: - version "1.1.2" - resolved "https://registry.yarnpkg.com/entities/-/entities-1.1.2.tgz#bdfa735299664dfafd34529ed4f8522a275fea56" - integrity sha512-f2LZMYl1Fzu7YSBKg+RoROelpOaNrcGmE9AZubeDfrCEia483oW4MI4VyFd5VNHIgQ/7qm1I0wUHK1eJnn2y2w== - -entities@^2.0.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/entities/-/entities-2.1.0.tgz#992d3129cf7df6870b96c57858c249a120f8b8b5" - integrity sha512-hCx1oky9PFrJ611mf0ifBLBRW8lUUVRlFolb5gWRfIELabBlbp9xZvrqZLZAs+NxFnbfQoeGd8wDkygjg7U85w== - -errno@^0.1.3, errno@~0.1.7: - version "0.1.8" - resolved "https://registry.yarnpkg.com/errno/-/errno-0.1.8.tgz#8bb3e9c7d463be4976ff888f76b4809ebc2e811f" - integrity sha512-dJ6oBr5SQ1VSd9qkk7ByRgb/1SH4JZjCHSW/mr63/QcXO9zLVxvJ6Oy13nio03rxpSnVDDjFor75SjVeZWPW/A== - dependencies: - prr "~1.0.1" - -es-abstract@^1.18.0-next.1: - version "1.18.0-next.1" - resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.18.0-next.1.tgz#6e3a0a4bda717e5023ab3b8e90bec36108d22c68" - integrity sha512-I4UGspA0wpZXWENrdA0uHbnhte683t3qT/1VFH9aX2dA5PPSf6QW5HHXf5HImaqPmjXaVeVk4RGWnaylmV7uAA== - dependencies: - es-to-primitive "^1.2.1" - function-bind "^1.1.1" - has "^1.0.3" - has-symbols "^1.0.1" - is-callable "^1.2.2" - is-negative-zero "^2.0.0" - is-regex "^1.1.1" - object-inspect "^1.8.0" - object-keys "^1.1.1" - object.assign "^4.1.1" - string.prototype.trimend "^1.0.1" - string.prototype.trimstart "^1.0.1" - -es-to-primitive@^1.2.1: - version "1.2.1" - resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a" - integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA== - dependencies: - is-callable "^1.1.4" - is-date-object "^1.0.1" - is-symbol "^1.0.2" - -escape-html@^1.0.3: - version "1.0.3" - resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988" - integrity sha1-Aljq5NPQwJdN4cFpGI7wBR0dGYg= - -escape-string-regexp@^1.0.5: - version "1.0.5" - resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" - integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ= - -eslint-scope@^4.0.0: - version "4.0.3" - resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-4.0.3.tgz#ca03833310f6889a3264781aa82e63eb9cfe7848" - integrity sha512-p7VutNr1O/QrxysMo3E45FjYDTeXBy0iTltPFNSqKAIfjDSXC+4dj+qfyuD8bfAXrW/y6lW3O76VaYNPKfpKrg== - dependencies: - esrecurse "^4.1.0" - estraverse "^4.1.1" - -esrecurse@^4.1.0: - version "4.3.0" - resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921" - integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag== - dependencies: - estraverse "^5.2.0" - -estraverse@^4.1.1: - version "4.3.0" - resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d" - integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw== - -estraverse@^5.2.0: - version "5.2.0" - resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.2.0.tgz#307df42547e6cc7324d3cf03c155d5cdb8c53880" - integrity sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ== - -events@^3.0.0: - version "3.2.0" - resolved "https://registry.yarnpkg.com/events/-/events-3.2.0.tgz#93b87c18f8efcd4202a461aec4dfc0556b639379" - integrity sha512-/46HWwbfCX2xTawVfkKLGxMifJYQBWMwY1mjywRtb4c9x8l5NP3KoJtnIOiL1hfdRkIuYhETxQlo62IF8tcnlg== - -evp_bytestokey@^1.0.0, evp_bytestokey@^1.0.3: - version "1.0.3" - resolved "https://registry.yarnpkg.com/evp_bytestokey/-/evp_bytestokey-1.0.3.tgz#7fcbdb198dc71959432efe13842684e0525acb02" - integrity sha512-/f2Go4TognH/KvCISP7OUsHn85hT9nUkxxA9BEWxFn+Oj9o8ZNLm/40hdlgSLyuOimsrTKLUMEorQexp/aPQeA== - dependencies: - md5.js "^1.3.4" - safe-buffer "^5.1.1" - -expand-brackets@^2.1.4: - version "2.1.4" - resolved "https://registry.yarnpkg.com/expand-brackets/-/expand-brackets-2.1.4.tgz#b77735e315ce30f6b6eff0f83b04151a22449622" - integrity sha1-t3c14xXOMPa27/D4OwQVGiJEliI= - dependencies: - debug "^2.3.3" - define-property "^0.2.5" - extend-shallow "^2.0.1" - posix-character-classes "^0.1.0" - regex-not "^1.0.0" - snapdragon "^0.8.1" - to-regex "^3.0.1" - -expand-tilde@^2.0.0, expand-tilde@^2.0.2: - version "2.0.2" - resolved "https://registry.yarnpkg.com/expand-tilde/-/expand-tilde-2.0.2.tgz#97e801aa052df02454de46b02bf621642cdc8502" - integrity sha1-l+gBqgUt8CRU3kawK/YhZCzchQI= - dependencies: - homedir-polyfill "^1.0.1" - -extend-shallow@^2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/extend-shallow/-/extend-shallow-2.0.1.tgz#51af7d614ad9a9f610ea1bafbb989d6b1c56890f" - integrity sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8= - dependencies: - is-extendable "^0.1.0" - -extend-shallow@^3.0.0, extend-shallow@^3.0.2: - version "3.0.2" - resolved "https://registry.yarnpkg.com/extend-shallow/-/extend-shallow-3.0.2.tgz#26a71aaf073b39fb2127172746131c2704028db8" - integrity sha1-Jqcarwc7OfshJxcnRhMcJwQCjbg= - dependencies: - assign-symbols "^1.0.0" - is-extendable "^1.0.1" - -extglob@^2.0.4: - version "2.0.4" - resolved "https://registry.yarnpkg.com/extglob/-/extglob-2.0.4.tgz#ad00fe4dc612a9232e8718711dc5cb5ab0285543" - integrity sha512-Nmb6QXkELsuBr24CJSkilo6UHHgbekK5UiZgfE6UHD3Eb27YC6oD+bhcT+tJ6cl8dmsgdQxnWlcry8ksBIBLpw== - dependencies: - array-unique "^0.3.2" - define-property "^1.0.0" - expand-brackets "^2.1.4" - extend-shallow "^2.0.1" - fragment-cache "^0.2.1" - regex-not "^1.0.0" - snapdragon "^0.8.1" - to-regex "^3.0.1" - -fast-deep-equal@^3.1.1: - version "3.1.3" - resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525" - integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q== - -fast-json-stable-stringify@^2.0.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633" - integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw== - -figgy-pudding@^3.5.1: - version "3.5.2" - resolved "https://registry.yarnpkg.com/figgy-pudding/-/figgy-pudding-3.5.2.tgz#b4eee8148abb01dcf1d1ac34367d59e12fa61d6e" - integrity sha512-0btnI/H8f2pavGMN8w40mlSKOfTK2SVJmBfBeVIj3kNw0swwgzyRq0d5TJVOwodFmtvpPeWPN/MCcfuWF0Ezbw== - -file-uri-to-path@1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/file-uri-to-path/-/file-uri-to-path-1.0.0.tgz#553a7b8446ff6f684359c445f1e37a05dacc33dd" - integrity sha512-0Zt+s3L7Vf1biwWZ29aARiVYLx7iMGnEUl9x33fbB/j3jR81u/O2LbqK+Bm1CDSNDKVtJ/YjwY7TUd5SkeLQLw== - -fill-range@^4.0.0: - version "4.0.0" - resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-4.0.0.tgz#d544811d428f98eb06a63dc402d2403c328c38f7" - integrity sha1-1USBHUKPmOsGpj3EAtJAPDKMOPc= - dependencies: - extend-shallow "^2.0.1" - is-number "^3.0.0" - repeat-string "^1.6.1" - to-regex-range "^2.1.0" - -fill-range@^7.0.1: - version "7.0.1" - resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40" - integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ== - dependencies: - to-regex-range "^5.0.1" - -find-cache-dir@^2.1.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/find-cache-dir/-/find-cache-dir-2.1.0.tgz#8d0f94cd13fe43c6c7c261a0d86115ca918c05f7" - integrity sha512-Tq6PixE0w/VMFfCgbONnkiQIVol/JJL7nRMi20fqzA4NRs9AfeqMGeRdPi3wIhYkxjeBaWh2rxwapn5Tu3IqOQ== - dependencies: - commondir "^1.0.1" - make-dir "^2.0.0" - pkg-dir "^3.0.0" - -find-up@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/find-up/-/find-up-3.0.0.tgz#49169f1d7993430646da61ecc5ae355c21c97b73" - integrity sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg== - dependencies: - locate-path "^3.0.0" - -findup-sync@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/findup-sync/-/findup-sync-3.0.0.tgz#17b108f9ee512dfb7a5c7f3c8b27ea9e1a9c08d1" - integrity sha512-YbffarhcicEhOrm4CtrwdKBdCuz576RLdhJDsIfvNtxUuhdRet1qZcsMjqbePtAseKdAnDyM/IyXbu7PRPRLYg== - dependencies: - detect-file "^1.0.0" - is-glob "^4.0.0" - micromatch "^3.0.4" - resolve-dir "^1.0.1" - -flush-write-stream@^1.0.0: - version "1.1.1" - resolved "https://registry.yarnpkg.com/flush-write-stream/-/flush-write-stream-1.1.1.tgz#8dd7d873a1babc207d94ead0c2e0e44276ebf2e8" - integrity sha512-3Z4XhFZ3992uIq0XOqb9AreonueSYphE6oYbpt5+3u06JWklbsPkNv3ZKkP9Bz/r+1MWCaMoSQ28P85+1Yc77w== - dependencies: - inherits "^2.0.3" - readable-stream "^2.3.6" - -for-in@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/for-in/-/for-in-1.0.2.tgz#81068d295a8142ec0ac726c6e2200c30fb6d5e80" - integrity sha1-gQaNKVqBQuwKxybG4iAMMPttXoA= - -formidable@^1.1.1: - version "1.2.2" - resolved "https://registry.yarnpkg.com/formidable/-/formidable-1.2.2.tgz#bf69aea2972982675f00865342b982986f6b8dd9" - integrity sha512-V8gLm+41I/8kguQ4/o1D3RIHRmhYFG4pnNyonvua+40rqcEmT4+V71yaZ3B457xbbgCsCfjSPi65u/W6vK1U5Q== - -fragment-cache@^0.2.1: - version "0.2.1" - resolved "https://registry.yarnpkg.com/fragment-cache/-/fragment-cache-0.2.1.tgz#4290fad27f13e89be7f33799c6bc5a0abfff0d19" - integrity sha1-QpD60n8T6Jvn8zeZxrxaCr//DRk= - dependencies: - map-cache "^0.2.2" - -fresh@~0.5.2: - version "0.5.2" - resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7" - integrity sha1-PYyt2Q2XZWn6g1qx+OSyOhBWBac= - -from2@^2.1.0: - version "2.3.0" - resolved "https://registry.yarnpkg.com/from2/-/from2-2.3.0.tgz#8bfb5502bde4a4d36cfdeea007fcca21d7e382af" - integrity sha1-i/tVAr3kpNNs/e6gB/zKIdfjgq8= - dependencies: - inherits "^2.0.1" - readable-stream "^2.0.0" - -fs-write-stream-atomic@^1.0.8: - version "1.0.10" - resolved "https://registry.yarnpkg.com/fs-write-stream-atomic/-/fs-write-stream-atomic-1.0.10.tgz#b47df53493ef911df75731e70a9ded0189db40c9" - integrity sha1-tH31NJPvkR33VzHnCp3tAYnbQMk= - dependencies: - graceful-fs "^4.1.2" - iferr "^0.1.5" - imurmurhash "^0.1.4" - readable-stream "1 || 2" - -fs.realpath@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" - integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8= - -fsevents@^1.2.7: - version "1.2.13" - resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-1.2.13.tgz#f325cb0455592428bcf11b383370ef70e3bfcc38" - integrity sha512-oWb1Z6mkHIskLzEJ/XWX0srkpkTQ7vaopMQkyaEIoq0fmtFVxOthb8cCxeT+p3ynTdkk/RZwbgG4brR5BeWECw== - dependencies: - bindings "^1.5.0" - nan "^2.12.1" - -fsevents@~2.3.1: - version "2.3.1" - resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.1.tgz#b209ab14c61012636c8863507edf7fb68cc54e9f" - integrity sha512-YR47Eg4hChJGAB1O3yEAOkGO+rlzutoICGqGo9EZ4lKWokzZRSyIW1QmTzqjtw8MJdj9srP869CuWw/hyzSiBw== - -function-bind@^1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d" - integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A== - -get-caller-file@^2.0.1: - version "2.0.5" - resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e" - integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== - -get-intrinsic@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.0.2.tgz#6820da226e50b24894e08859469dc68361545d49" - integrity sha512-aeX0vrFm21ILl3+JpFFRNe9aUvp6VFZb2/CTbgLb8j75kOhvoNYjt9d8KA/tJG4gSo8nzEDedRl0h7vDmBYRVg== - dependencies: - function-bind "^1.1.1" - has "^1.0.3" - has-symbols "^1.0.1" - -get-value@^2.0.3, get-value@^2.0.6: - version "2.0.6" - resolved "https://registry.yarnpkg.com/get-value/-/get-value-2.0.6.tgz#dc15ca1c672387ca76bd37ac0a395ba2042a2c28" - integrity sha1-3BXKHGcjh8p2vTesCjlbogQqLCg= - -glob-parent@^3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-3.1.0.tgz#9e6af6299d8d3bd2bd40430832bd113df906c5ae" - integrity sha1-nmr2KZ2NO9K9QEMIMr0RPfkGxa4= - dependencies: - is-glob "^3.1.0" - path-dirname "^1.0.0" - -glob-parent@~5.1.0: - version "5.1.1" - resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.1.tgz#b6c1ef417c4e5663ea498f1c45afac6916bbc229" - integrity sha512-FnI+VGOpnlGHWZxthPGR+QhR78fuiK0sNLkHQv+bL9fQi57lNNdquIbna/WrfROrolq8GK5Ek6BiMwqL/voRYQ== - dependencies: - is-glob "^4.0.1" - -glob@^6.0.1: - version "6.0.4" - resolved "https://registry.yarnpkg.com/glob/-/glob-6.0.4.tgz#0f08860f6a155127b2fadd4f9ce24b1aab6e4d22" - integrity sha1-DwiGD2oVUSey+t1PnOJLGqtuTSI= - dependencies: - inflight "^1.0.4" - inherits "2" - minimatch "2 || 3" - once "^1.3.0" - path-is-absolute "^1.0.0" - -glob@^7.1.3, glob@^7.1.4: - version "7.1.6" - resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.6.tgz#141f33b81a7c2492e125594307480c46679278a6" - integrity sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA== - dependencies: - fs.realpath "^1.0.0" - inflight "^1.0.4" - inherits "2" - minimatch "^3.0.4" - once "^1.3.0" - path-is-absolute "^1.0.0" - -global-modules@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/global-modules/-/global-modules-1.0.0.tgz#6d770f0eb523ac78164d72b5e71a8877265cc3ea" - integrity sha512-sKzpEkf11GpOFuw0Zzjzmt4B4UZwjOcG757PPvrfhxcLFbq0wpsgpOqxpxtxFiCG4DtG93M6XRVbF2oGdev7bg== - dependencies: - global-prefix "^1.0.1" - is-windows "^1.0.1" - resolve-dir "^1.0.0" - -global-modules@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/global-modules/-/global-modules-2.0.0.tgz#997605ad2345f27f51539bea26574421215c7780" - integrity sha512-NGbfmJBp9x8IxyJSd1P+otYK8vonoJactOogrVfFRIAEY1ukil8RSKDz2Yo7wh1oihl51l/r6W4epkeKJHqL8A== - dependencies: - global-prefix "^3.0.0" - -global-prefix@^1.0.1: - version "1.0.2" - resolved "https://registry.yarnpkg.com/global-prefix/-/global-prefix-1.0.2.tgz#dbf743c6c14992593c655568cb66ed32c0122ebe" - integrity sha1-2/dDxsFJklk8ZVVoy2btMsASLr4= - dependencies: - expand-tilde "^2.0.2" - homedir-polyfill "^1.0.1" - ini "^1.3.4" - is-windows "^1.0.1" - which "^1.2.14" - -global-prefix@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/global-prefix/-/global-prefix-3.0.0.tgz#fc85f73064df69f50421f47f883fe5b913ba9b97" - integrity sha512-awConJSVCHVGND6x3tmMaKcQvwXLhjdkmomy2W+Goaui8YPgYgXJZewhg3fWC+DlfqqQuWg8AwqjGTD2nAPVWg== - dependencies: - ini "^1.3.5" - kind-of "^6.0.2" - which "^1.3.1" - -graceful-fs@^4.1.11, graceful-fs@^4.1.15, graceful-fs@^4.1.2: - version "4.2.4" - resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.4.tgz#2256bde14d3632958c465ebc96dc467ca07a29fb" - integrity sha512-WjKPNJF79dtJAVniUlGGWHYGz2jWxT6VhN/4m1NdkbZ2nOsEF+cI1Edgql5zCRhs/VsQYRvrXctxktVXZUkixw== - -has-flag@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd" - integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0= - -has-symbols@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.1.tgz#9f5214758a44196c406d9bd76cebf81ec2dd31e8" - integrity sha512-PLcsoqu++dmEIZB+6totNFKq/7Do+Z0u4oT0zKOJNl3lYK6vGwwu2hjHs+68OEZbTjiUE9bgOABXbP/GvrS0Kg== - -has-value@^0.3.1: - version "0.3.1" - resolved "https://registry.yarnpkg.com/has-value/-/has-value-0.3.1.tgz#7b1f58bada62ca827ec0a2078025654845995e1f" - integrity sha1-ex9YutpiyoJ+wKIHgCVlSEWZXh8= - dependencies: - get-value "^2.0.3" - has-values "^0.1.4" - isobject "^2.0.0" - -has-value@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/has-value/-/has-value-1.0.0.tgz#18b281da585b1c5c51def24c930ed29a0be6b177" - integrity sha1-GLKB2lhbHFxR3vJMkw7SmgvmsXc= - dependencies: - get-value "^2.0.6" - has-values "^1.0.0" - isobject "^3.0.0" - -has-values@^0.1.4: - version "0.1.4" - resolved "https://registry.yarnpkg.com/has-values/-/has-values-0.1.4.tgz#6d61de95d91dfca9b9a02089ad384bff8f62b771" - integrity sha1-bWHeldkd/Km5oCCJrThL/49it3E= - -has-values@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/has-values/-/has-values-1.0.0.tgz#95b0b63fec2146619a6fe57fe75628d5a39efe4f" - integrity sha1-lbC2P+whRmGab+V/51Yo1aOe/k8= - dependencies: - is-number "^3.0.0" - kind-of "^4.0.0" - -has@^1.0.3: - version "1.0.3" - resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796" - integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw== - dependencies: - function-bind "^1.1.1" - -hash-base@^3.0.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/hash-base/-/hash-base-3.1.0.tgz#55c381d9e06e1d2997a883b4a3fddfe7f0d3af33" - integrity sha512-1nmYp/rhMDiE7AYkDw+lLwlAzz0AntGIe51F3RfFfEqyQ3feY2eI/NcwC6umIQVOASPMsWJLJScWKSSvzL9IVA== - dependencies: - inherits "^2.0.4" - readable-stream "^3.6.0" - safe-buffer "^5.2.0" - -hash.js@^1.0.0, hash.js@^1.0.3: - version "1.1.7" - resolved "https://registry.yarnpkg.com/hash.js/-/hash.js-1.1.7.tgz#0babca538e8d4ee4a0f8988d68866537a003cf42" - integrity sha512-taOaskGt4z4SOANNseOviYDvjEJinIkRgmp7LbKP2YTTmVxWBl87s/uzK9r+44BclBSp2X7K1hqeNfz9JbBeXA== - dependencies: - inherits "^2.0.3" - minimalistic-assert "^1.0.1" - -he@1.2.x: - version "1.2.0" - resolved "https://registry.yarnpkg.com/he/-/he-1.2.0.tgz#84ae65fa7eafb165fddb61566ae14baf05664f0f" - integrity sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw== - -hmac-drbg@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/hmac-drbg/-/hmac-drbg-1.0.1.tgz#d2745701025a6c775a6c545793ed502fc0c649a1" - integrity sha1-0nRXAQJabHdabFRXk+1QL8DGSaE= - dependencies: - hash.js "^1.0.3" - minimalistic-assert "^1.0.0" - minimalistic-crypto-utils "^1.0.1" - -homedir-polyfill@^1.0.1: - version "1.0.3" - resolved "https://registry.yarnpkg.com/homedir-polyfill/-/homedir-polyfill-1.0.3.tgz#743298cef4e5af3e194161fbadcc2151d3a058e8" - integrity sha512-eSmmWE5bZTK2Nou4g0AI3zZ9rswp7GRKoKXS1BLUkvPviOqs4YTN1djQIqrXy9k5gEtdLPy86JjRwsNM9tnDcA== - dependencies: - parse-passwd "^1.0.0" - -html-minifier@^3.2.3: - version "3.5.21" - resolved "https://registry.yarnpkg.com/html-minifier/-/html-minifier-3.5.21.tgz#d0040e054730e354db008463593194015212d20c" - integrity sha512-LKUKwuJDhxNa3uf/LPR/KVjm/l3rBqtYeCOAekvG8F1vItxMUpueGd94i/asDDr8/1u7InxzFA5EeGjhhG5mMA== - dependencies: - camel-case "3.0.x" - clean-css "4.2.x" - commander "2.17.x" - he "1.2.x" - param-case "2.1.x" - relateurl "0.2.x" - uglify-js "3.4.x" - -html-webpack-inline-source-plugin@^0.0.10: - version "0.0.10" - resolved "https://registry.yarnpkg.com/html-webpack-inline-source-plugin/-/html-webpack-inline-source-plugin-0.0.10.tgz#89bd5f761e4f16902aa76a44476eb52831c9f7f0" - integrity sha512-0ZNU57u7283vrXSF5a4VDnVOMWiSwypKIp1z/XfXWoVHLA1r3Xmyxx5+Lz+mnthz/UvxL1OAf41w5UIF68Jngw== - dependencies: - escape-string-regexp "^1.0.5" - slash "^1.0.0" - source-map-url "^0.4.0" - -html-webpack-plugin@^3.2.0: - version "3.2.0" - resolved "https://registry.yarnpkg.com/html-webpack-plugin/-/html-webpack-plugin-3.2.0.tgz#b01abbd723acaaa7b37b6af4492ebda03d9dd37b" - integrity sha1-sBq71yOsqqeze2r0SS69oD2d03s= - dependencies: - html-minifier "^3.2.3" - loader-utils "^0.2.16" - lodash "^4.17.3" - pretty-error "^2.0.2" - tapable "^1.0.0" - toposort "^1.0.0" - util.promisify "1.0.0" - -htmlparser2@^3.10.1: - version "3.10.1" - resolved "https://registry.yarnpkg.com/htmlparser2/-/htmlparser2-3.10.1.tgz#bd679dc3f59897b6a34bb10749c855bb53a9392f" - integrity sha512-IgieNijUMbkDovyoKObU1DUhm1iwNYE/fuifEoEHfd1oZKZDaONBSkal7Y01shxsM49R4XaMdGez3WnF9UfiCQ== - dependencies: - domelementtype "^1.3.1" - domhandler "^2.3.0" - domutils "^1.5.1" - entities "^1.1.1" - inherits "^2.0.1" - readable-stream "^3.1.1" - -http-assert@^1.3.0: - version "1.4.1" - resolved "https://registry.yarnpkg.com/http-assert/-/http-assert-1.4.1.tgz#c5f725d677aa7e873ef736199b89686cceb37878" - integrity sha512-rdw7q6GTlibqVVbXr0CKelfV5iY8G2HqEUkhSk297BMbSpSL8crXC+9rjKoMcZZEsksX30le6f/4ul4E28gegw== - dependencies: - deep-equal "~1.0.1" - http-errors "~1.7.2" - -http-errors@1.7.3, http-errors@~1.7.2: - version "1.7.3" - resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.3.tgz#6c619e4f9c60308c38519498c14fbb10aacebb06" - integrity sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw== - dependencies: - depd "~1.1.2" - inherits "2.0.4" - setprototypeof "1.1.1" - statuses ">= 1.5.0 < 2" - toidentifier "1.0.0" - -http-errors@^1.3.1, http-errors@^1.6.3: - version "1.8.0" - resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.8.0.tgz#75d1bbe497e1044f51e4ee9e704a62f28d336507" - integrity sha512-4I8r0C5JDhT5VkvI47QktDW75rNlGVsUf/8hzjCC/wkWI/jdTRmBb9aI7erSG82r1bjKY3F6k28WnsVxB1C73A== - dependencies: - depd "~1.1.2" - inherits "2.0.4" - setprototypeof "1.2.0" - statuses ">= 1.5.0 < 2" - toidentifier "1.0.0" - -https-browserify@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/https-browserify/-/https-browserify-1.0.0.tgz#ec06c10e0a34c0f2faf199f7fd7fc78fffd03c73" - integrity sha1-7AbBDgo0wPL68Zn3/X/Hj//QPHM= - -iconv-lite@0.4.24: - version "0.4.24" - resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b" - integrity sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA== - dependencies: - safer-buffer ">= 2.1.2 < 3" - -ieee754@^1.1.4: - version "1.2.1" - resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.2.1.tgz#8eb7a10a63fff25d15a57b001586d177d1b0d352" - integrity sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA== - -iferr@^0.1.5: - version "0.1.5" - resolved "https://registry.yarnpkg.com/iferr/-/iferr-0.1.5.tgz#c60eed69e6d8fdb6b3104a1fcbca1c192dc5b501" - integrity sha1-xg7taebY/bazEEofy8ocGS3FtQE= - -import-local@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/import-local/-/import-local-2.0.0.tgz#55070be38a5993cf18ef6db7e961f5bee5c5a09d" - integrity sha512-b6s04m3O+s3CGSbqDIyP4R6aAwAeYlVq9+WUWep6iHa8ETRf9yei1U48C5MmfJmV9AiLYYBKPMq/W+/WRpQmCQ== - dependencies: - pkg-dir "^3.0.0" - resolve-cwd "^2.0.0" - -imurmurhash@^0.1.4: - version "0.1.4" - resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" - integrity sha1-khi5srkoojixPcT7a21XbyMUU+o= - -infer-owner@^1.0.3: - version "1.0.4" - resolved "https://registry.yarnpkg.com/infer-owner/-/infer-owner-1.0.4.tgz#c4cefcaa8e51051c2a40ba2ce8a3d27295af9467" - integrity sha512-IClj+Xz94+d7irH5qRyfJonOdfTzuDaifE6ZPWfx0N0+/ATZCbuTPq2prFl526urkQd90WyUKIh1DfBQ2hMz9A== - -inflation@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/inflation/-/inflation-2.0.0.tgz#8b417e47c28f925a45133d914ca1fd389107f30f" - integrity sha1-i0F+R8KPklpFEz2RTKH9OJEH8w8= - -inflight@^1.0.4: - version "1.0.6" - resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" - integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk= - dependencies: - once "^1.3.0" - wrappy "1" - -inherits@2, inherits@2.0.4, inherits@^2.0.1, inherits@^2.0.3, inherits@^2.0.4, inherits@~2.0.1, inherits@~2.0.3: - version "2.0.4" - resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" - integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== - -inherits@2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.1.tgz#b17d08d326b4423e568eff719f91b0b1cbdf69f1" - integrity sha1-sX0I0ya0Qj5Wjv9xn5GwscvfafE= - -inherits@2.0.3: - version "2.0.3" - resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" - integrity sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4= - -ini@^1.3.4, ini@^1.3.5: - version "1.3.8" - resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.8.tgz#a29da425b48806f34767a4efce397269af28432c" - integrity sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew== - -interpret@^1.4.0: - version "1.4.0" - resolved "https://registry.yarnpkg.com/interpret/-/interpret-1.4.0.tgz#665ab8bc4da27a774a40584e812e3e0fa45b1a1e" - integrity sha512-agE4QfB2Lkp9uICn7BAqoscw4SZP9kTE2hxiFI3jBPmXJfdqiahTbUuKGsMoN2GtqL9AxhYioAcVvgsb1HvRbA== - -is-accessor-descriptor@^0.1.6: - version "0.1.6" - resolved "https://registry.yarnpkg.com/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz#a9e12cb3ae8d876727eeef3843f8a0897b5c98d6" - integrity sha1-qeEss66Nh2cn7u84Q/igiXtcmNY= - dependencies: - kind-of "^3.0.2" - -is-accessor-descriptor@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz#169c2f6d3df1f992618072365c9b0ea1f6878656" - integrity sha512-m5hnHTkcVsPfqx3AKlyttIPb7J+XykHvJP2B9bZDjlhLIoEq4XoK64Vg7boZlVWYK6LUY94dYPEE7Lh0ZkZKcQ== - dependencies: - kind-of "^6.0.0" - -is-binary-path@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-1.0.1.tgz#75f16642b480f187a711c814161fd3a4a7655898" - integrity sha1-dfFmQrSA8YenEcgUFh/TpKdlWJg= - dependencies: - binary-extensions "^1.0.0" - -is-binary-path@~2.1.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-2.1.0.tgz#ea1f7f3b80f064236e83470f86c09c254fb45b09" - integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw== - dependencies: - binary-extensions "^2.0.0" - -is-buffer@^1.1.5: - version "1.1.6" - resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-1.1.6.tgz#efaa2ea9daa0d7ab2ea13a97b2b8ad51fefbe8be" - integrity sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w== - -is-callable@^1.1.4, is-callable@^1.2.2: - version "1.2.2" - resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.2.tgz#c7c6715cd22d4ddb48d3e19970223aceabb080d9" - integrity sha512-dnMqspv5nU3LoewK2N/y7KLtxtakvTuaCsU9FU50/QDmdbHNy/4/JuRtMHqRU22o3q+W89YQndQEeCVwK+3qrA== - -is-data-descriptor@^0.1.4: - version "0.1.4" - resolved "https://registry.yarnpkg.com/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz#0b5ee648388e2c860282e793f1856fec3f301b56" - integrity sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y= - dependencies: - kind-of "^3.0.2" - -is-data-descriptor@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz#d84876321d0e7add03990406abbbbd36ba9268c7" - integrity sha512-jbRXy1FmtAoCjQkVmIVYwuuqDFUbaOeDjmed1tOGPrsMhtJA4rD9tkgA0F1qJ3gRFRXcHYVkdeaP50Q5rE/jLQ== - dependencies: - kind-of "^6.0.0" - -is-date-object@^1.0.1: - version "1.0.2" - resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.2.tgz#bda736f2cd8fd06d32844e7743bfa7494c3bfd7e" - integrity sha512-USlDT524woQ08aoZFzh3/Z6ch9Y/EWXEHQ/AaRN0SkKq4t2Jw2R2339tSXmwuVoY7LLlBCbOIlx2myP/L5zk0g== - -is-descriptor@^0.1.0: - version "0.1.6" - resolved "https://registry.yarnpkg.com/is-descriptor/-/is-descriptor-0.1.6.tgz#366d8240dde487ca51823b1ab9f07a10a78251ca" - integrity sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg== - dependencies: - is-accessor-descriptor "^0.1.6" - is-data-descriptor "^0.1.4" - kind-of "^5.0.0" - -is-descriptor@^1.0.0, is-descriptor@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/is-descriptor/-/is-descriptor-1.0.2.tgz#3b159746a66604b04f8c81524ba365c5f14d86ec" - integrity sha512-2eis5WqQGV7peooDyLmNEPUrps9+SXX5c9pL3xEB+4e9HnGuDa7mB7kHxHw4CbqS9k1T2hOH3miL8n8WtiYVtg== - dependencies: - is-accessor-descriptor "^1.0.0" - is-data-descriptor "^1.0.0" - kind-of "^6.0.2" - -is-extendable@^0.1.0, is-extendable@^0.1.1: - version "0.1.1" - resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89" - integrity sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik= - -is-extendable@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-1.0.1.tgz#a7470f9e426733d81bd81e1155264e3a3507cab4" - integrity sha512-arnXMxT1hhoKo9k1LZdmlNyJdDDfy2v0fXjFlmok4+i8ul/6WlbVge9bhM74OpNPQPMGUToDtz+KXa1PneJxOA== - dependencies: - is-plain-object "^2.0.4" - -is-extglob@^2.1.0, is-extglob@^2.1.1: - version "2.1.1" - resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2" - integrity sha1-qIwCU1eR8C7TfHahueqXc8gz+MI= - -is-fullwidth-code-point@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" - integrity sha1-o7MKXE8ZkYMWeqq5O+764937ZU8= - -is-generator-function@^1.0.7: - version "1.0.8" - resolved "https://registry.yarnpkg.com/is-generator-function/-/is-generator-function-1.0.8.tgz#dfb5c2b120e02b0a8d9d2c6806cd5621aa922f7b" - integrity sha512-2Omr/twNtufVZFr1GhxjOMFPAj2sjc/dKaIqBhvo4qciXfJmITGH6ZGd8eZYNHza8t1y0e01AuqRhJwfWp26WQ== - -is-glob@^3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-3.1.0.tgz#7ba5ae24217804ac70707b96922567486cc3e84a" - integrity sha1-e6WuJCF4BKxwcHuWkiVnSGzD6Eo= - dependencies: - is-extglob "^2.1.0" - -is-glob@^4.0.0, is-glob@^4.0.1, is-glob@~4.0.1: - version "4.0.1" - resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.1.tgz#7567dbe9f2f5e2467bc77ab83c4a29482407a5dc" - integrity sha512-5G0tKtBTFImOqDnLB2hG6Bp2qcKEFduo4tZu9MT/H6NQv/ghhy30o55ufafxJ/LdH79LLs2Kfrn85TLKyA7BUg== - dependencies: - is-extglob "^2.1.1" - -is-negative-zero@^2.0.0: - version "2.0.1" - resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.1.tgz#3de746c18dda2319241a53675908d8f766f11c24" - integrity sha512-2z6JzQvZRa9A2Y7xC6dQQm4FSTSTNWjKIYYTt4246eMTJmIo0Q+ZyOsU66X8lxK1AbB92dFeglPLrhwpeRKO6w== - -is-number@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/is-number/-/is-number-3.0.0.tgz#24fd6201a4782cf50561c810276afc7d12d71195" - integrity sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU= - dependencies: - kind-of "^3.0.2" - -is-number@^7.0.0: - version "7.0.0" - resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b" - integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng== - -is-plain-object@^2.0.3, is-plain-object@^2.0.4: - version "2.0.4" - resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-2.0.4.tgz#2c163b3fafb1b606d9d17928f05c2a1c38e07677" - integrity sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og== - dependencies: - isobject "^3.0.1" - -is-regex@^1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.1.tgz#c6f98aacc546f6cec5468a07b7b153ab564a57b9" - integrity sha512-1+QkEcxiLlB7VEyFtyBg94e08OAsvq7FUBgApTq/w2ymCLyKJgDPsybBENVtA7XCQEgEXxKPonG+mvYRxh/LIg== - dependencies: - has-symbols "^1.0.1" - -is-symbol@^1.0.2: - version "1.0.3" - resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.3.tgz#38e1014b9e6329be0de9d24a414fd7441ec61937" - integrity sha512-OwijhaRSgqvhm/0ZdAcXNZt9lYdKFpcRDT5ULUuYXPoT794UNOdU+gpT6Rzo7b4V2HUl/op6GqY894AZwv9faQ== - dependencies: - has-symbols "^1.0.1" - -is-windows@^1.0.1, is-windows@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/is-windows/-/is-windows-1.0.2.tgz#d1850eb9791ecd18e6182ce12a30f396634bb19d" - integrity sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA== - -is-wsl@^1.1.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-1.1.0.tgz#1f16e4aa22b04d1336b66188a66af3c600c3a66d" - integrity sha1-HxbkqiKwTRM2tmGIpmrzxgDDpm0= - -isarray@0.0.1: - version "0.0.1" - resolved "https://registry.yarnpkg.com/isarray/-/isarray-0.0.1.tgz#8a18acfca9a8f4177e09abfc6038939b05d1eedf" - integrity sha1-ihis/Kmo9Bd+Cav8YDiTmwXR7t8= - -isarray@1.0.0, isarray@^1.0.0, isarray@~1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" - integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE= - -isexe@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" - integrity sha1-6PvzdNxVb/iUehDcsFctYz8s+hA= - -isobject@^2.0.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/isobject/-/isobject-2.1.0.tgz#f065561096a3f1da2ef46272f815c840d87e0c89" - integrity sha1-8GVWEJaj8dou9GJy+BXIQNh+DIk= - dependencies: - isarray "1.0.0" - -isobject@^3.0.0, isobject@^3.0.1: - version "3.0.1" - resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df" - integrity sha1-TkMekrEalzFjaqH5yNHMvP2reN8= - -json-parse-better-errors@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz#bb867cfb3450e69107c131d1c514bab3dc8bcaa9" - integrity sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw== - -json-schema-traverse@^0.4.1: - version "0.4.1" - resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660" - integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg== - -json5@^0.5.0: - version "0.5.1" - resolved "https://registry.yarnpkg.com/json5/-/json5-0.5.1.tgz#1eade7acc012034ad84e2396767ead9fa5495821" - integrity sha1-Hq3nrMASA0rYTiOWdn6tn6VJWCE= - -json5@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/json5/-/json5-1.0.1.tgz#779fb0018604fa854eacbf6252180d83543e3dbe" - integrity sha512-aKS4WQjPenRxiQsC93MNfjx+nbF4PAdYzmd/1JIj8HYzqfbu86beTuNgXDzPknWk0n0uARlyewZo4s++ES36Ow== - dependencies: - minimist "^1.2.0" - -keygrip@~1.1.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/keygrip/-/keygrip-1.1.0.tgz#871b1681d5e159c62a445b0c74b615e0917e7226" - integrity sha512-iYSchDJ+liQ8iwbSI2QqsQOvqv58eJCEanyJPJi+Khyu8smkcKSFUCbPwzFcL7YVtZ6eONjqRX/38caJ7QjRAQ== - dependencies: - tsscmp "1.0.6" - -kind-of@^3.0.2, kind-of@^3.0.3, kind-of@^3.2.0: - version "3.2.2" - resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-3.2.2.tgz#31ea21a734bab9bbb0f32466d893aea51e4a3c64" - integrity sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ= - dependencies: - is-buffer "^1.1.5" - -kind-of@^4.0.0: - version "4.0.0" - resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-4.0.0.tgz#20813df3d712928b207378691a45066fae72dd57" - integrity sha1-IIE989cSkosgc3hpGkUGb65y3Vc= - dependencies: - is-buffer "^1.1.5" - -kind-of@^5.0.0: - version "5.1.0" - resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-5.1.0.tgz#729c91e2d857b7a419a1f9aa65685c4c33f5845d" - integrity sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw== - -kind-of@^6.0.0, kind-of@^6.0.2: - version "6.0.3" - resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-6.0.3.tgz#07c05034a6c349fa06e24fa35aa76db4580ce4dd" - integrity sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw== - -koa-body@^4.0.6: - version "4.2.0" - resolved "https://registry.yarnpkg.com/koa-body/-/koa-body-4.2.0.tgz#37229208b820761aca5822d14c5fc55cee31b26f" - integrity sha512-wdGu7b9amk4Fnk/ytH8GuWwfs4fsB5iNkY8kZPpgQVb04QZSv85T0M8reb+cJmvLE8cjPYvBzRikD3s6qz8OoA== - dependencies: - "@types/formidable" "^1.0.31" - co-body "^5.1.1" - formidable "^1.1.1" - -koa-compose@^3.0.0: - version "3.2.1" - resolved "https://registry.yarnpkg.com/koa-compose/-/koa-compose-3.2.1.tgz#a85ccb40b7d986d8e5a345b3a1ace8eabcf54de7" - integrity sha1-qFzLQLfZhtjlo0Wzoazo6rz1Tec= - dependencies: - any-promise "^1.1.0" - -koa-compose@^4.1.0: - version "4.1.0" - resolved "https://registry.yarnpkg.com/koa-compose/-/koa-compose-4.1.0.tgz#507306b9371901db41121c812e923d0d67d3e877" - integrity sha512-8ODW8TrDuMYvXRwra/Kh7/rJo9BtOfPc6qO8eAfC80CnCvSjSl0bkRM24X6/XBBEyj0v1nRUQ1LyOy3dbqOWXw== - -koa-convert@^1.2.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/koa-convert/-/koa-convert-1.2.0.tgz#da40875df49de0539098d1700b50820cebcd21d0" - integrity sha1-2kCHXfSd4FOQmNFwC1CCDOvNIdA= - dependencies: - co "^4.6.0" - koa-compose "^3.0.0" - -koa-router@^7.4.0: - version "7.4.0" - resolved "https://registry.yarnpkg.com/koa-router/-/koa-router-7.4.0.tgz#aee1f7adc02d5cb31d7d67465c9eacc825e8c5e0" - integrity sha512-IWhaDXeAnfDBEpWS6hkGdZ1ablgr6Q6pGdXCyK38RbzuH4LkUOpPqPw+3f8l8aTDrQmBQ7xJc0bs2yV4dzcO+g== - dependencies: - debug "^3.1.0" - http-errors "^1.3.1" - koa-compose "^3.0.0" - methods "^1.0.1" - path-to-regexp "^1.1.1" - urijs "^1.19.0" - -koa@^2.6.2: - version "2.13.1" - resolved "https://registry.yarnpkg.com/koa/-/koa-2.13.1.tgz#6275172875b27bcfe1d454356a5b6b9f5a9b1051" - integrity sha512-Lb2Dloc72auj5vK4X4qqL7B5jyDPQaZucc9sR/71byg7ryoD1NCaCm63CShk9ID9quQvDEi1bGR/iGjCG7As3w== - dependencies: - accepts "^1.3.5" - cache-content-type "^1.0.0" - content-disposition "~0.5.2" - content-type "^1.0.4" - cookies "~0.8.0" - debug "~3.1.0" - delegates "^1.0.0" - depd "^2.0.0" - destroy "^1.0.4" - encodeurl "^1.0.2" - escape-html "^1.0.3" - fresh "~0.5.2" - http-assert "^1.3.0" - http-errors "^1.6.3" - is-generator-function "^1.0.7" - koa-compose "^4.1.0" - koa-convert "^1.2.0" - on-finished "^2.3.0" - only "~0.0.2" - parseurl "^1.3.2" - statuses "^1.5.0" - type-is "^1.6.16" - vary "^1.1.2" - -loader-runner@^2.3.0: - version "2.4.0" - resolved "https://registry.yarnpkg.com/loader-runner/-/loader-runner-2.4.0.tgz#ed47066bfe534d7e84c4c7b9998c2a75607d9357" - integrity sha512-Jsmr89RcXGIwivFY21FcRrisYZfvLMTWx5kOLc+JTxtpBOG6xML0vzbc6SEQG2FO9/4Fc3wW4LVcB5DmGflaRw== - -loader-utils@^0.2.16: - version "0.2.17" - resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-0.2.17.tgz#f86e6374d43205a6e6c60e9196f17c0299bfb348" - integrity sha1-+G5jdNQyBabmxg6RlvF8Apm/s0g= - dependencies: - big.js "^3.1.3" - emojis-list "^2.0.0" - json5 "^0.5.0" - object-assign "^4.0.1" - -loader-utils@^1.0.2, loader-utils@^1.1.0, loader-utils@^1.4.0: - version "1.4.0" - resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-1.4.0.tgz#c579b5e34cb34b1a74edc6c1fb36bfa371d5a613" - integrity sha512-qH0WSMBtn/oHuwjy/NucEgbx5dbxxnxup9s4PVXJUDHZBQY+s0NWA9rJf53RBnQZxfch7euUui7hpoAPvALZdA== - dependencies: - big.js "^5.2.2" - emojis-list "^3.0.0" - json5 "^1.0.1" - -locate-path@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-3.0.0.tgz#dbec3b3ab759758071b58fe59fc41871af21400e" - integrity sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A== - dependencies: - p-locate "^3.0.0" - path-exists "^3.0.0" - -lodash@^4.17.20, lodash@^4.17.3: - version "4.17.20" - resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.20.tgz#b44a9b6297bcb698f1c51a3545a2b3b368d59c52" - integrity sha512-PlhdFcillOINfeV7Ni6oF1TAEayyZBoZ8bcshTHqOYJYlrqzRK5hagpagky5o4HfCzzd1TRkXPMFq6cKk9rGmA== - -lower-case@^1.1.1: - version "1.1.4" - resolved "https://registry.yarnpkg.com/lower-case/-/lower-case-1.1.4.tgz#9a2cabd1b9e8e0ae993a4bf7d5875c39c42e8eac" - integrity sha1-miyr0bno4K6ZOkv31YdcOcQujqw= - -lru-cache@^5.1.1: - version "5.1.1" - resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-5.1.1.tgz#1da27e6710271947695daf6848e847f01d84b920" - integrity sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w== - dependencies: - yallist "^3.0.2" - -make-dir@^2.0.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-2.1.0.tgz#5f0310e18b8be898cc07009295a30ae41e91e6f5" - integrity sha512-LS9X+dc8KLxXCb8dni79fLIIUA5VyZoyjSMCwTluaXA0o27cCK0bhXkpgw+sTXVpPy/lSO57ilRixqk0vDmtRA== - dependencies: - pify "^4.0.1" - semver "^5.6.0" - -map-cache@^0.2.2: - version "0.2.2" - resolved "https://registry.yarnpkg.com/map-cache/-/map-cache-0.2.2.tgz#c32abd0bd6525d9b051645bb4f26ac5dc98a0dbf" - integrity sha1-wyq9C9ZSXZsFFkW7TyasXcmKDb8= - -map-visit@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/map-visit/-/map-visit-1.0.0.tgz#ecdca8f13144e660f1b5bd41f12f3479d98dfb8f" - integrity sha1-7Nyo8TFE5mDxtb1B8S80edmN+48= - dependencies: - object-visit "^1.0.0" - -md5.js@^1.3.4: - version "1.3.5" - resolved "https://registry.yarnpkg.com/md5.js/-/md5.js-1.3.5.tgz#b5d07b8e3216e3e27cd728d72f70d1e6a342005f" - integrity sha512-xitP+WxNPcTTOgnTJcrhM0xvdPepipPSf3I8EIpGKeFLjt3PlJLIDG3u8EX53ZIubkb+5U2+3rELYpEhHhzdkg== - dependencies: - hash-base "^3.0.0" - inherits "^2.0.1" - safe-buffer "^5.1.2" - -media-typer@0.3.0: - version "0.3.0" - resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748" - integrity sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g= - -memory-fs@^0.5.0: - version "0.5.0" - resolved "https://registry.yarnpkg.com/memory-fs/-/memory-fs-0.5.0.tgz#324c01288b88652966d161db77838720845a8e3c" - integrity sha512-jA0rdU5KoQMC0e6ppoNRtpp6vjFq6+NY7r8hywnC7V+1Xj/MtHwGIbB1QaK/dunyjWteJzmkpd7ooeWg10T7GA== - dependencies: - errno "^0.1.3" - readable-stream "^2.0.1" - -memory-fs@~0.4.1: - version "0.4.1" - resolved "https://registry.yarnpkg.com/memory-fs/-/memory-fs-0.4.1.tgz#3a9a20b8462523e447cfbc7e8bb80ed667bfc552" - integrity sha1-OpoguEYlI+RHz7x+i7gO1me/xVI= - dependencies: - errno "^0.1.3" - readable-stream "^2.0.1" - -methods@^1.0.1: - version "1.1.2" - resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee" - integrity sha1-VSmk1nZUE07cxSZmVoNbD4Ua/O4= - -micromatch@^3.0.4, micromatch@^3.1.10, micromatch@^3.1.4, micromatch@^3.1.8: - version "3.1.10" - resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-3.1.10.tgz#70859bc95c9840952f359a068a3fc49f9ecfac23" - integrity sha512-MWikgl9n9M3w+bpsY3He8L+w9eF9338xRl8IAO5viDizwSzziFEyUzo2xrrloB64ADbTf8uA8vRqqttDTOmccg== - dependencies: - arr-diff "^4.0.0" - array-unique "^0.3.2" - braces "^2.3.1" - define-property "^2.0.2" - extend-shallow "^3.0.2" - extglob "^2.0.4" - fragment-cache "^0.2.1" - kind-of "^6.0.2" - nanomatch "^1.2.9" - object.pick "^1.3.0" - regex-not "^1.0.0" - snapdragon "^0.8.1" - to-regex "^3.0.2" - -miller-rabin@^4.0.0: - version "4.0.1" - resolved "https://registry.yarnpkg.com/miller-rabin/-/miller-rabin-4.0.1.tgz#f080351c865b0dc562a8462966daa53543c78a4d" - integrity sha512-115fLhvZVqWwHPbClyntxEVfVDfl9DLLTuJvq3g2O/Oxi8AiNouAHvDSzHS0viUJc+V5vm3eq91Xwqn9dp4jRA== - dependencies: - bn.js "^4.0.0" - brorand "^1.0.1" - -mime-db@1.45.0: - version "1.45.0" - resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.45.0.tgz#cceeda21ccd7c3a745eba2decd55d4b73e7879ea" - integrity sha512-CkqLUxUk15hofLoLyljJSrukZi8mAtgd+yE5uO4tqRZsdsAJKv0O+rFMhVDRJgozy+yG6md5KwuXhD4ocIoP+w== - -mime-types@^2.1.18, mime-types@~2.1.24: - version "2.1.28" - resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.28.tgz#1160c4757eab2c5363888e005273ecf79d2a0ecd" - integrity sha512-0TO2yJ5YHYr7M2zzT7gDU1tbwHxEUWBCLt0lscSNpcdAfFyJOVEpRYNS7EXVcTLNj/25QO8gulHC5JtTzSE2UQ== - dependencies: - mime-db "1.45.0" - -minimalistic-assert@^1.0.0, minimalistic-assert@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/minimalistic-assert/-/minimalistic-assert-1.0.1.tgz#2e194de044626d4a10e7f7fbc00ce73e83e4d5c7" - integrity sha512-UtJcAD4yEaGtjPezWuO9wC4nwUnVH/8/Im3yEHQP4b67cXlD/Qr9hdITCU1xDbSEXg2XKNaP8jsReV7vQd00/A== - -minimalistic-crypto-utils@^1.0.0, minimalistic-crypto-utils@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/minimalistic-crypto-utils/-/minimalistic-crypto-utils-1.0.1.tgz#f6c00c1c0b082246e5c4d99dfb8c7c083b2b582a" - integrity sha1-9sAMHAsIIkblxNmd+4x8CDsrWCo= - -"minimatch@2 || 3", minimatch@^3.0.4: - version "3.0.4" - resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" - integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA== - dependencies: - brace-expansion "^1.1.7" - -minimist@^1.2.0, minimist@^1.2.5: - version "1.2.5" - resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.5.tgz#67d66014b66a6a8aaa0c083c5fd58df4e4e97602" - integrity sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw== - -mississippi@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/mississippi/-/mississippi-3.0.0.tgz#ea0a3291f97e0b5e8776b363d5f0a12d94c67022" - integrity sha512-x471SsVjUtBRtcvd4BzKE9kFC+/2TeWgKCgw0bZcw1b9l2X3QX5vCWgF+KaZaYm87Ss//rHnWryupDrgLvmSkA== - dependencies: - concat-stream "^1.5.0" - duplexify "^3.4.2" - end-of-stream "^1.1.0" - flush-write-stream "^1.0.0" - from2 "^2.1.0" - parallel-transform "^1.1.0" - pump "^3.0.0" - pumpify "^1.3.3" - stream-each "^1.1.0" - through2 "^2.0.0" - -mixin-deep@^1.2.0: - version "1.3.2" - resolved "https://registry.yarnpkg.com/mixin-deep/-/mixin-deep-1.3.2.tgz#1120b43dc359a785dce65b55b82e257ccf479566" - integrity sha512-WRoDn//mXBiJ1H40rqa3vH0toePwSsGb45iInWlTySa+Uu4k3tYUSxa2v1KqAiLtvlrSzaExqS1gtk96A9zvEA== - dependencies: - for-in "^1.0.2" - is-extendable "^1.0.1" - -mkdirp@^0.5.1, mkdirp@~0.5.0, mkdirp@~0.5.1: - version "0.5.5" - resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.5.tgz#d91cefd62d1436ca0f41620e251288d420099def" - integrity sha512-NKmAlESf6jMGym1++R0Ra7wvhV+wFW63FaSOFPwRahvea0gMUcGUhVeAg/0BC0wiv9ih5NYPB1Wn1UEI1/L+xQ== - dependencies: - minimist "^1.2.5" - -move-concurrently@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/move-concurrently/-/move-concurrently-1.0.1.tgz#be2c005fda32e0b29af1f05d7c4b33214c701f92" - integrity sha1-viwAX9oy4LKa8fBdfEszIUxwH5I= - dependencies: - aproba "^1.1.1" - copy-concurrently "^1.0.0" - fs-write-stream-atomic "^1.0.8" - mkdirp "^0.5.1" - rimraf "^2.5.4" - run-queue "^1.0.3" - -ms@2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8" - integrity sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g= - -ms@^2.1.1: - version "2.1.3" - resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2" - integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA== - -mv@^2.1.1: - version "2.1.1" - resolved "https://registry.yarnpkg.com/mv/-/mv-2.1.1.tgz#ae6ce0d6f6d5e0a4f7d893798d03c1ea9559b6a2" - integrity sha1-rmzg1vbV4KT32JN5jQPB6pVZtqI= - dependencies: - mkdirp "~0.5.1" - ncp "~2.0.0" - rimraf "~2.4.0" - -nan@^2.12.1: - version "2.14.2" - resolved "https://registry.yarnpkg.com/nan/-/nan-2.14.2.tgz#f5376400695168f4cc694ac9393d0c9585eeea19" - integrity sha512-M2ufzIiINKCuDfBSAUr1vWQ+vuVcA9kqx8JJUsbQi6yf1uGRyb7HfpdfUr5qLXf3B/t8dPvcjhKMmlfnP47EzQ== - -nanomatch@^1.2.9: - version "1.2.13" - resolved "https://registry.yarnpkg.com/nanomatch/-/nanomatch-1.2.13.tgz#b87a8aa4fc0de8fe6be88895b38983ff265bd119" - integrity sha512-fpoe2T0RbHwBTBUOftAfBPaDEi06ufaUai0mE6Yn1kacc3SnTErfb/h+X94VXzI64rKFHYImXSvdwGGCmwOqCA== - dependencies: - arr-diff "^4.0.0" - array-unique "^0.3.2" - define-property "^2.0.2" - extend-shallow "^3.0.2" - fragment-cache "^0.2.1" - is-windows "^1.0.2" - kind-of "^6.0.2" - object.pick "^1.3.0" - regex-not "^1.0.0" - snapdragon "^0.8.1" - to-regex "^3.0.1" - -ncp@~2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/ncp/-/ncp-2.0.0.tgz#195a21d6c46e361d2fb1281ba38b91e9df7bdbb3" - integrity sha1-GVoh1sRuNh0vsSgbo4uR6d9727M= - -negotiator@0.6.2: - version "0.6.2" - resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.2.tgz#feacf7ccf525a77ae9634436a64883ffeca346fb" - integrity sha512-hZXc7K2e+PgeI1eDBe/10Ard4ekbfrrqG8Ep+8Jmf4JID2bNg7NvCPOZN+kfF574pFQI7mum2AUqDidoKqcTOw== - -neo-async@^2.5.0: - version "2.6.2" - resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.2.tgz#b4aafb93e3aeb2d8174ca53cf163ab7d7308305f" - integrity sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw== - -nice-try@^1.0.4: - version "1.0.5" - resolved "https://registry.yarnpkg.com/nice-try/-/nice-try-1.0.5.tgz#a3378a7696ce7d223e88fc9b764bd7ef1089e366" - integrity sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ== - -no-case@^2.2.0: - version "2.3.2" - resolved "https://registry.yarnpkg.com/no-case/-/no-case-2.3.2.tgz#60b813396be39b3f1288a4c1ed5d1e7d28b464ac" - integrity sha512-rmTZ9kz+f3rCvK2TD1Ue/oZlns7OGoIWP4fc3llxxRXlOkHKoWPPWJOfFYpITabSow43QJbRIoHQXtt10VldyQ== - dependencies: - lower-case "^1.1.1" - -node-libs-browser@^2.0.0: - version "2.2.1" - resolved "https://registry.yarnpkg.com/node-libs-browser/-/node-libs-browser-2.2.1.tgz#b64f513d18338625f90346d27b0d235e631f6425" - integrity sha512-h/zcD8H9kaDZ9ALUWwlBUDo6TKF8a7qBSCSEGfjTVIYeqsioSKaAX+BN7NgiMGp6iSIXZ3PxgCu8KS3b71YK5Q== - dependencies: - assert "^1.1.1" - browserify-zlib "^0.2.0" - buffer "^4.3.0" - console-browserify "^1.1.0" - constants-browserify "^1.0.0" - crypto-browserify "^3.11.0" - domain-browser "^1.1.1" - events "^3.0.0" - https-browserify "^1.0.0" - os-browserify "^0.3.0" - path-browserify "0.0.1" - process "^0.11.10" - punycode "^1.2.4" - querystring-es3 "^0.2.0" - readable-stream "^2.3.3" - stream-browserify "^2.0.1" - stream-http "^2.7.2" - string_decoder "^1.0.0" - timers-browserify "^2.0.4" - tty-browserify "0.0.0" - url "^0.11.0" - util "^0.11.0" - vm-browserify "^1.0.1" - -normalize-path@^2.1.1: - version "2.1.1" - resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-2.1.1.tgz#1ab28b556e198363a8c1a6f7e6fa20137fe6aed9" - integrity sha1-GrKLVW4Zg2Oowab35vogE3/mrtk= - dependencies: - remove-trailing-separator "^1.0.1" - -normalize-path@^3.0.0, normalize-path@~3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65" - integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== - -nth-check@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/nth-check/-/nth-check-1.0.2.tgz#b2bd295c37e3dd58a3bf0700376663ba4d9cf05c" - integrity sha512-WeBOdju8SnzPN5vTUJYxYUxLeXpCaVP5i5e0LF8fg7WORF2Wd7wFX/pk0tYZk7s8T+J7VLy0Da6J1+wCT0AtHg== - dependencies: - boolbase "~1.0.0" - -object-assign@^4.0.1, object-assign@^4.1.1: - version "4.1.1" - resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" - integrity sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM= - -object-copy@^0.1.0: - version "0.1.0" - resolved "https://registry.yarnpkg.com/object-copy/-/object-copy-0.1.0.tgz#7e7d858b781bd7c991a41ba975ed3812754e998c" - integrity sha1-fn2Fi3gb18mRpBupde04EnVOmYw= - dependencies: - copy-descriptor "^0.1.0" - define-property "^0.2.5" - kind-of "^3.0.3" - -object-inspect@^1.8.0: - version "1.9.0" - resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.9.0.tgz#c90521d74e1127b67266ded3394ad6116986533a" - integrity sha512-i3Bp9iTqwhaLZBxGkRfo5ZbE07BQRT7MGu8+nNgwW9ItGp1TzCTw2DLEoWwjClxBjOFI/hWljTAmYGCEwmtnOw== - -object-keys@^1.0.12, object-keys@^1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e" - integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA== - -object-visit@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/object-visit/-/object-visit-1.0.1.tgz#f79c4493af0c5377b59fe39d395e41042dd045bb" - integrity sha1-95xEk68MU3e1n+OdOV5BBC3QRbs= - dependencies: - isobject "^3.0.0" - -object.assign@^4.1.1: - version "4.1.2" - resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.2.tgz#0ed54a342eceb37b38ff76eb831a0e788cb63940" - integrity sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ== - dependencies: - call-bind "^1.0.0" - define-properties "^1.1.3" - has-symbols "^1.0.1" - object-keys "^1.1.1" - -object.getownpropertydescriptors@^2.0.3: - version "2.1.1" - resolved "https://registry.yarnpkg.com/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.1.tgz#0dfda8d108074d9c563e80490c883b6661091544" - integrity sha512-6DtXgZ/lIZ9hqx4GtZETobXLR/ZLaa0aqV0kzbn80Rf8Z2e/XFnhA0I7p07N2wH8bBBltr2xQPi6sbKWAY2Eng== - dependencies: - call-bind "^1.0.0" - define-properties "^1.1.3" - es-abstract "^1.18.0-next.1" - -object.pick@^1.3.0: - version "1.3.0" - resolved "https://registry.yarnpkg.com/object.pick/-/object.pick-1.3.0.tgz#87a10ac4c1694bd2e1cbf53591a66141fb5dd747" - integrity sha1-h6EKxMFpS9Lhy/U1kaZhQftd10c= - dependencies: - isobject "^3.0.1" - -on-finished@^2.3.0: - version "2.3.0" - resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947" - integrity sha1-IPEzZIGwg811M3mSoWlxqi2QaUc= - dependencies: - ee-first "1.1.1" - -once@^1.3.0, once@^1.3.1, once@^1.4.0: - version "1.4.0" - resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" - integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E= - dependencies: - wrappy "1" - -only@~0.0.2: - version "0.0.2" - resolved "https://registry.yarnpkg.com/only/-/only-0.0.2.tgz#2afde84d03e50b9a8edc444e30610a70295edfb4" - integrity sha1-Kv3oTQPlC5qO3EROMGEKcCle37Q= - -os-browserify@^0.3.0: - version "0.3.0" - resolved "https://registry.yarnpkg.com/os-browserify/-/os-browserify-0.3.0.tgz#854373c7f5c2315914fc9bfc6bd8238fdda1ec27" - integrity sha1-hUNzx/XCMVkU/Jv8a9gjj92h7Cc= - -p-limit@^2.0.0: - version "2.3.0" - resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.3.0.tgz#3dd33c647a214fdfffd835933eb086da0dc21db1" - integrity sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w== - dependencies: - p-try "^2.0.0" - -p-locate@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-3.0.0.tgz#322d69a05c0264b25997d9f40cd8a891ab0064a4" - integrity sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ== - dependencies: - p-limit "^2.0.0" - -p-try@^2.0.0: - version "2.2.0" - resolved "https://registry.yarnpkg.com/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6" - integrity sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ== - -pako@~1.0.5: - version "1.0.11" - resolved "https://registry.yarnpkg.com/pako/-/pako-1.0.11.tgz#6c9599d340d54dfd3946380252a35705a6b992bf" - integrity sha512-4hLB8Py4zZce5s4yd9XzopqwVv/yGNhV1Bl8NTmCq1763HeK2+EwVTv+leGeL13Dnh2wfbqowVPXCIO0z4taYw== - -parallel-transform@^1.1.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/parallel-transform/-/parallel-transform-1.2.0.tgz#9049ca37d6cb2182c3b1d2c720be94d14a5814fc" - integrity sha512-P2vSmIu38uIlvdcU7fDkyrxj33gTUy/ABO5ZUbGowxNCopBq/OoD42bP4UmMrJoPyk4Uqf0mu3mtWBhHCZD8yg== - dependencies: - cyclist "^1.0.1" - inherits "^2.0.3" - readable-stream "^2.1.5" - -param-case@2.1.x: - version "2.1.1" - resolved "https://registry.yarnpkg.com/param-case/-/param-case-2.1.1.tgz#df94fd8cf6531ecf75e6bef9a0858fbc72be2247" - integrity sha1-35T9jPZTHs915r75oIWPvHK+Ikc= - dependencies: - no-case "^2.2.0" - -parse-asn1@^5.0.0, parse-asn1@^5.1.5: - version "5.1.6" - resolved "https://registry.yarnpkg.com/parse-asn1/-/parse-asn1-5.1.6.tgz#385080a3ec13cb62a62d39409cb3e88844cdaed4" - integrity sha512-RnZRo1EPU6JBnra2vGHj0yhp6ebyjBZpmUCLHWiFhxlzvBCCpAuZ7elsBp1PVAbQN0/04VD/19rfzlBSwLstMw== - dependencies: - asn1.js "^5.2.0" - browserify-aes "^1.0.0" - evp_bytestokey "^1.0.0" - pbkdf2 "^3.0.3" - safe-buffer "^5.1.1" - -parse-passwd@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/parse-passwd/-/parse-passwd-1.0.0.tgz#6d5b934a456993b23d37f40a382d6f1666a8e5c6" - integrity sha1-bVuTSkVpk7I9N/QKOC1vFmao5cY= - -parseurl@^1.3.2: - version "1.3.3" - resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4" - integrity sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ== - -pascalcase@^0.1.1: - version "0.1.1" - resolved "https://registry.yarnpkg.com/pascalcase/-/pascalcase-0.1.1.tgz#b363e55e8006ca6fe21784d2db22bd15d7917f14" - integrity sha1-s2PlXoAGym/iF4TS2yK9FdeRfxQ= - -path-browserify@0.0.1: - version "0.0.1" - resolved "https://registry.yarnpkg.com/path-browserify/-/path-browserify-0.0.1.tgz#e6c4ddd7ed3aa27c68a20cc4e50e1a4ee83bbc4a" - integrity sha512-BapA40NHICOS+USX9SN4tyhq+A2RrN/Ws5F0Z5aMHDp98Fl86lX8Oti8B7uN93L4Ifv4fHOEA+pQw87gmMO/lQ== - -path-dirname@^1.0.0: - version "1.0.2" - resolved "https://registry.yarnpkg.com/path-dirname/-/path-dirname-1.0.2.tgz#cc33d24d525e099a5388c0336c6e32b9160609e0" - integrity sha1-zDPSTVJeCZpTiMAzbG4yuRYGCeA= - -path-exists@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-3.0.0.tgz#ce0ebeaa5f78cb18925ea7d810d7b59b010fd515" - integrity sha1-zg6+ql94yxiSXqfYENe1mwEP1RU= - -path-is-absolute@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" - integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18= - -path-key@^2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/path-key/-/path-key-2.0.1.tgz#411cadb574c5a140d3a4b1910d40d80cc9f40b40" - integrity sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A= - -path-to-regexp@^1.1.1: - version "1.8.0" - resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.8.0.tgz#887b3ba9d84393e87a0a0b9f4cb756198b53548a" - integrity sha512-n43JRhlUKUAlibEJhPeir1ncUID16QnEjNpwzNdO3Lm4ywrBpBZ5oLD0I6br9evr1Y9JTqwRtAh7JLoOzAQdVA== - dependencies: - isarray "0.0.1" - -pbkdf2@^3.0.3: - version "3.1.1" - resolved "https://registry.yarnpkg.com/pbkdf2/-/pbkdf2-3.1.1.tgz#cb8724b0fada984596856d1a6ebafd3584654b94" - integrity sha512-4Ejy1OPxi9f2tt1rRV7Go7zmfDQ+ZectEQz3VGUQhgq62HtIRPDyG/JtnwIxs6x3uNMwo2V7q1fMvKjb+Tnpqg== - dependencies: - create-hash "^1.1.2" - create-hmac "^1.1.4" - ripemd160 "^2.0.1" - safe-buffer "^5.0.1" - sha.js "^2.4.8" - -picomatch@^2.0.4, picomatch@^2.2.1: - version "2.2.2" - resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.2.2.tgz#21f333e9b6b8eaff02468f5146ea406d345f4dad" - integrity sha512-q0M/9eZHzmr0AulXyPwNfZjtwZ/RBZlbN3K3CErVrk50T2ASYI7Bye0EvekFY3IP1Nt2DHu0re+V2ZHIpMkuWg== - -pify@^4.0.1: - version "4.0.1" - resolved "https://registry.yarnpkg.com/pify/-/pify-4.0.1.tgz#4b2cd25c50d598735c50292224fd8c6df41e3231" - integrity sha512-uB80kBFb/tfd68bVleG9T5GGsGPjJrLAUpR5PZIrhBnIaRTQRjqdJSsIKkOP6OAIFbj7GOrcudc5pNjZ+geV2g== - -pkg-dir@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-3.0.0.tgz#2749020f239ed990881b1f71210d51eb6523bea3" - integrity sha512-/E57AYkoeQ25qkxMj5PBOVgF8Kiu/h7cYS30Z5+R7WaiCCBfLq58ZI/dSeaEKb9WVJV5n/03QwrN3IeWIFllvw== - dependencies: - find-up "^3.0.0" - -posix-character-classes@^0.1.0: - version "0.1.1" - resolved "https://registry.yarnpkg.com/posix-character-classes/-/posix-character-classes-0.1.1.tgz#01eac0fe3b5af71a2a6c02feabb8c1fef7e00eab" - integrity sha1-AerA/jta9xoqbAL+q7jB/vfgDqs= - -pretty-error@^2.0.2: - version "2.1.2" - resolved "https://registry.yarnpkg.com/pretty-error/-/pretty-error-2.1.2.tgz#be89f82d81b1c86ec8fdfbc385045882727f93b6" - integrity sha512-EY5oDzmsX5wvuynAByrmY0P0hcp+QpnAKbJng2A2MPjVKXCxrDSUkzghVJ4ZGPIv+JC4gX8fPUWscC0RtjsWGw== - dependencies: - lodash "^4.17.20" - renderkid "^2.0.4" - -process-nextick-args@~2.0.0: - version "2.0.1" - resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" - integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag== - -process@^0.11.10: - version "0.11.10" - resolved "https://registry.yarnpkg.com/process/-/process-0.11.10.tgz#7332300e840161bda3e69a1d1d91a7d4bc16f182" - integrity sha1-czIwDoQBYb2j5podHZGn1LwW8YI= - -promise-inflight@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/promise-inflight/-/promise-inflight-1.0.1.tgz#98472870bf228132fcbdd868129bad12c3c029e3" - integrity sha1-mEcocL8igTL8vdhoEputEsPAKeM= - -prr@~1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/prr/-/prr-1.0.1.tgz#d3fc114ba06995a45ec6893f484ceb1d78f5f476" - integrity sha1-0/wRS6BplaRexok/SEzrHXj19HY= - -public-encrypt@^4.0.0: - version "4.0.3" - resolved "https://registry.yarnpkg.com/public-encrypt/-/public-encrypt-4.0.3.tgz#4fcc9d77a07e48ba7527e7cbe0de33d0701331e0" - integrity sha512-zVpa8oKZSz5bTMTFClc1fQOnyyEzpl5ozpi1B5YcvBrdohMjH2rfsBtyXcuNuwjsDIXmBYlF2N5FlJYhR29t8Q== - dependencies: - bn.js "^4.1.0" - browserify-rsa "^4.0.0" - create-hash "^1.1.0" - parse-asn1 "^5.0.0" - randombytes "^2.0.1" - safe-buffer "^5.1.2" - -pump@^2.0.0: - version "2.0.1" - resolved "https://registry.yarnpkg.com/pump/-/pump-2.0.1.tgz#12399add6e4cf7526d973cbc8b5ce2e2908b3909" - integrity sha512-ruPMNRkN3MHP1cWJc9OWr+T/xDP0jhXYCLfJcBuX54hhfIBnaQmAUMfDcG4DM5UMWByBbJY69QSphm3jtDKIkA== - dependencies: - end-of-stream "^1.1.0" - once "^1.3.1" - -pump@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/pump/-/pump-3.0.0.tgz#b4a2116815bde2f4e1ea602354e8c75565107a64" - integrity sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww== - dependencies: - end-of-stream "^1.1.0" - once "^1.3.1" - -pumpify@^1.3.3: - version "1.5.1" - resolved "https://registry.yarnpkg.com/pumpify/-/pumpify-1.5.1.tgz#36513be246ab27570b1a374a5ce278bfd74370ce" - integrity sha512-oClZI37HvuUJJxSKKrC17bZ9Cu0ZYhEAGPsPUy9KlMUmv9dKX2o77RUmq7f3XjIxbwyGwYzbzQ1L2Ks8sIradQ== - dependencies: - duplexify "^3.6.0" - inherits "^2.0.3" - pump "^2.0.0" - -punycode@1.3.2: - version "1.3.2" - resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.3.2.tgz#9653a036fb7c1ee42342f2325cceefea3926c48d" - integrity sha1-llOgNvt8HuQjQvIyXM7v6jkmxI0= - -punycode@^1.2.4: - version "1.4.1" - resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e" - integrity sha1-wNWmOycYgArY4esPpSachN1BhF4= - -punycode@^2.1.0: - version "2.1.1" - resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec" - integrity sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A== - -qs@^6.4.0: - version "6.9.4" - resolved "https://registry.yarnpkg.com/qs/-/qs-6.9.4.tgz#9090b290d1f91728d3c22e54843ca44aea5ab687" - integrity sha512-A1kFqHekCTM7cz0udomYUoYNWjBebHm/5wzU/XqrBRBNWectVH0QIiN+NEcZ0Dte5hvzHwbr8+XQmguPhJ6WdQ== - -querystring-es3@^0.2.0: - version "0.2.1" - resolved "https://registry.yarnpkg.com/querystring-es3/-/querystring-es3-0.2.1.tgz#9ec61f79049875707d69414596fd907a4d711e73" - integrity sha1-nsYfeQSYdXB9aUFFlv2Qek1xHnM= - -querystring@0.2.0: - version "0.2.0" - resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.0.tgz#b209849203bb25df820da756e747005878521620" - integrity sha1-sgmEkgO7Jd+CDadW50cAWHhSFiA= - -randombytes@^2.0.0, randombytes@^2.0.1, randombytes@^2.0.5, randombytes@^2.1.0: - version "2.1.0" - resolved "https://registry.yarnpkg.com/randombytes/-/randombytes-2.1.0.tgz#df6f84372f0270dc65cdf6291349ab7a473d4f2a" - integrity sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ== - dependencies: - safe-buffer "^5.1.0" - -randomfill@^1.0.3: - version "1.0.4" - resolved "https://registry.yarnpkg.com/randomfill/-/randomfill-1.0.4.tgz#c92196fc86ab42be983f1bf31778224931d61458" - integrity sha512-87lcbR8+MhcWcUiQ+9e+Rwx8MyR2P7qnt15ynUlbm3TU/fjbgz4GsvfSUDTemtCCtVCqb4ZcEFlyPNTh9bBTLw== - dependencies: - randombytes "^2.0.5" - safe-buffer "^5.1.0" - -raw-body@^2.2.0: - version "2.4.1" - resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.1.tgz#30ac82f98bb5ae8c152e67149dac8d55153b168c" - integrity sha512-9WmIKF6mkvA0SLmA2Knm9+qj89e+j1zqgyn8aXGd7+nAduPoqgI9lO57SAZNn/Byzo5P7JhXTyg9PzaJbH73bA== - dependencies: - bytes "3.1.0" - http-errors "1.7.3" - iconv-lite "0.4.24" - unpipe "1.0.0" - -"readable-stream@1 || 2", readable-stream@^2.0.0, readable-stream@^2.0.1, readable-stream@^2.0.2, readable-stream@^2.1.5, readable-stream@^2.2.2, readable-stream@^2.3.3, readable-stream@^2.3.6, readable-stream@~2.3.6: - version "2.3.7" - resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57" - integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw== - dependencies: - core-util-is "~1.0.0" - inherits "~2.0.3" - isarray "~1.0.0" - process-nextick-args "~2.0.0" - safe-buffer "~5.1.1" - string_decoder "~1.1.1" - util-deprecate "~1.0.1" - -readable-stream@^3.1.1, readable-stream@^3.6.0: - version "3.6.0" - resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-3.6.0.tgz#337bbda3adc0706bd3e024426a286d4b4b2c9198" - integrity sha512-BViHy7LKeTz4oNnkcLJ+lVSL6vpiFeX6/d3oSH8zCW7UxP2onchk+vTGB143xuFjHS3deTgkKoXXymXqymiIdA== - dependencies: - inherits "^2.0.3" - string_decoder "^1.1.1" - util-deprecate "^1.0.1" - -readdirp@^2.2.1: - version "2.2.1" - resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-2.2.1.tgz#0e87622a3325aa33e892285caf8b4e846529a525" - integrity sha512-1JU/8q+VgFZyxwrJ+SVIOsh+KywWGpds3NTqikiKpDMZWScmAYyKIgqkO+ARvNWJfXeXR1zxz7aHF4u4CyH6vQ== - dependencies: - graceful-fs "^4.1.11" - micromatch "^3.1.10" - readable-stream "^2.0.2" - -readdirp@~3.5.0: - version "3.5.0" - resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-3.5.0.tgz#9ba74c019b15d365278d2e91bb8c48d7b4d42c9e" - integrity sha512-cMhu7c/8rdhkHXWsY+osBhfSy0JikwpHK/5+imo+LpeasTF8ouErHrlYkwT0++njiyuDvc7OFY5T3ukvZ8qmFQ== - dependencies: - picomatch "^2.2.1" - -regex-not@^1.0.0, regex-not@^1.0.2: - version "1.0.2" - resolved "https://registry.yarnpkg.com/regex-not/-/regex-not-1.0.2.tgz#1f4ece27e00b0b65e0247a6810e6a85d83a5752c" - integrity sha512-J6SDjUgDxQj5NusnOtdFxDwN/+HWykR8GELwctJ7mdqhcyy1xEc4SRFHUXvxTp661YaVKAjfRLZ9cCqS6tn32A== - dependencies: - extend-shallow "^3.0.2" - safe-regex "^1.1.0" - -relateurl@0.2.x: - version "0.2.7" - resolved "https://registry.yarnpkg.com/relateurl/-/relateurl-0.2.7.tgz#54dbf377e51440aca90a4cd274600d3ff2d888a9" - integrity sha1-VNvzd+UUQKypCkzSdGANP/LYiKk= - -remove-trailing-separator@^1.0.1: - version "1.1.0" - resolved "https://registry.yarnpkg.com/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz#c24bce2a283adad5bc3f58e0d48249b92379d8ef" - integrity sha1-wkvOKig62tW8P1jg1IJJuSN52O8= - -renderkid@^2.0.4: - version "2.0.5" - resolved "https://registry.yarnpkg.com/renderkid/-/renderkid-2.0.5.tgz#483b1ac59c6601ab30a7a596a5965cabccfdd0a5" - integrity sha512-ccqoLg+HLOHq1vdfYNm4TBeaCDIi1FLt3wGojTDSvdewUv65oTmI3cnT2E4hRjl1gzKZIPK+KZrXzlUYKnR+vQ== - dependencies: - css-select "^2.0.2" - dom-converter "^0.2" - htmlparser2 "^3.10.1" - lodash "^4.17.20" - strip-ansi "^3.0.0" - -repeat-element@^1.1.2: - version "1.1.3" - resolved "https://registry.yarnpkg.com/repeat-element/-/repeat-element-1.1.3.tgz#782e0d825c0c5a3bb39731f84efee6b742e6b1ce" - integrity sha512-ahGq0ZnV5m5XtZLMb+vP76kcAM5nkLqk0lpqAuojSKGgQtn4eRi4ZZGm2olo2zKFH+sMsWaqOCW1dqAnOru72g== - -repeat-string@^1.6.1: - version "1.6.1" - resolved "https://registry.yarnpkg.com/repeat-string/-/repeat-string-1.6.1.tgz#8dcae470e1c88abc2d600fff4a776286da75e637" - integrity sha1-jcrkcOHIirwtYA//Sndihtp15jc= - -require-directory@^2.1.1: - version "2.1.1" - resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42" - integrity sha1-jGStX9MNqxyXbiNE/+f3kqam30I= - -require-main-filename@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-2.0.0.tgz#d0b329ecc7cc0f61649f62215be69af54aa8989b" - integrity sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg== - -resolve-cwd@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/resolve-cwd/-/resolve-cwd-2.0.0.tgz#00a9f7387556e27038eae232caa372a6a59b665a" - integrity sha1-AKn3OHVW4nA46uIyyqNypqWbZlo= - dependencies: - resolve-from "^3.0.0" - -resolve-dir@^1.0.0, resolve-dir@^1.0.1: - version "1.0.1" - resolved "https://registry.yarnpkg.com/resolve-dir/-/resolve-dir-1.0.1.tgz#79a40644c362be82f26effe739c9bb5382046f43" - integrity sha1-eaQGRMNivoLybv/nOcm7U4IEb0M= - dependencies: - expand-tilde "^2.0.0" - global-modules "^1.0.0" - -resolve-from@^3.0.0: - version "3.0.0" - resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-3.0.0.tgz#b22c7af7d9d6881bc8b6e653335eebcb0a188748" - integrity sha1-six699nWiBvItuZTM17rywoYh0g= - -resolve-url@^0.2.1: - version "0.2.1" - resolved "https://registry.yarnpkg.com/resolve-url/-/resolve-url-0.2.1.tgz#2c637fe77c893afd2a663fe21aa9080068e2052a" - integrity sha1-LGN/53yJOv0qZj/iGqkIAGjiBSo= - -ret@~0.1.10: - version "0.1.15" - resolved "https://registry.yarnpkg.com/ret/-/ret-0.1.15.tgz#b8a4825d5bdb1fc3f6f53c2bc33f81388681c7bc" - integrity sha512-TTlYpa+OL+vMMNG24xSlQGEJ3B/RzEfUlLct7b5G/ytav+wPrplCpVMFuwzXbkecJrb6IYo1iFb0S9v37754mg== - -rimraf@^2.5.4, rimraf@^2.6.3: - version "2.7.1" - resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" - integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== - dependencies: - glob "^7.1.3" - -rimraf@~2.4.0: - version "2.4.5" - resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.4.5.tgz#ee710ce5d93a8fdb856fb5ea8ff0e2d75934b2da" - integrity sha1-7nEM5dk6j9uFb7Xqj/Di11k0sto= - dependencies: - glob "^6.0.1" - -ripemd160@^2.0.0, ripemd160@^2.0.1: - version "2.0.2" - resolved "https://registry.yarnpkg.com/ripemd160/-/ripemd160-2.0.2.tgz#a1c1a6f624751577ba5d07914cbc92850585890c" - integrity sha512-ii4iagi25WusVoiC4B4lq7pbXfAp3D9v5CwfkY33vffw2+pkDjY1D8GaN7spsxvCSx8dkPqOZCEZyfxcmJG2IA== - dependencies: - hash-base "^3.0.0" - inherits "^2.0.1" - -run-queue@^1.0.0, run-queue@^1.0.3: - version "1.0.3" - resolved "https://registry.yarnpkg.com/run-queue/-/run-queue-1.0.3.tgz#e848396f057d223f24386924618e25694161ec47" - integrity sha1-6Eg5bwV9Ij8kOGkkYY4laUFh7Ec= - dependencies: - aproba "^1.1.1" - -safe-buffer@5.1.2, safe-buffer@~5.1.0, safe-buffer@~5.1.1: - version "5.1.2" - resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" - integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== - -safe-buffer@^5.0.1, safe-buffer@^5.1.0, safe-buffer@^5.1.1, safe-buffer@^5.1.2, safe-buffer@^5.2.0, safe-buffer@~5.2.0: - version "5.2.1" - resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" - integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== - -safe-regex@^1.1.0: - version "1.1.0" - resolved "https://registry.yarnpkg.com/safe-regex/-/safe-regex-1.1.0.tgz#40a3669f3b077d1e943d44629e157dd48023bf2e" - integrity sha1-QKNmnzsHfR6UPURinhV91IAjvy4= - dependencies: - ret "~0.1.10" - -"safer-buffer@>= 2.1.2 < 3", safer-buffer@^2.1.0: - version "2.1.2" - resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a" - integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg== - -schema-utils@^0.4.4: - version "0.4.7" - resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-0.4.7.tgz#ba74f597d2be2ea880131746ee17d0a093c68187" - integrity sha512-v/iwU6wvwGK8HbU9yi3/nhGzP0yGSuhQMzL6ySiec1FSrZZDkhm4noOSWzrNFo/jEc+SJY6jRTwuwbSXJPDUnQ== - dependencies: - ajv "^6.1.0" - ajv-keywords "^3.1.0" - -schema-utils@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/schema-utils/-/schema-utils-1.0.0.tgz#0b79a93204d7b600d4b2850d1f66c2a34951c770" - integrity sha512-i27Mic4KovM/lnGsy8whRCHhc7VicJajAjTrYg11K9zfZXnYIt4k5F+kZkwjnrhKzLic/HLU4j11mjsz2G/75g== - dependencies: - ajv "^6.1.0" - ajv-errors "^1.0.0" - ajv-keywords "^3.1.0" - -semver@^5.0.1, semver@^5.5.0, semver@^5.6.0: - version "5.7.1" - resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7" - integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ== - -serialize-javascript@^4.0.0: - version "4.0.0" - resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-4.0.0.tgz#b525e1238489a5ecfc42afacc3fe99e666f4b1aa" - integrity sha512-GaNA54380uFefWghODBWEGisLZFj00nS5ACs6yHa9nLqlLpVLO8ChDGeKRjZnV4Nh4n0Qi7nhYZD/9fCPzEqkw== - dependencies: - randombytes "^2.1.0" - -set-blocking@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7" - integrity sha1-BF+XgtARrppoA93TgrJDkrPYkPc= - -set-value@^2.0.0, set-value@^2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/set-value/-/set-value-2.0.1.tgz#a18d40530e6f07de4228c7defe4227af8cad005b" - integrity sha512-JxHc1weCN68wRY0fhCoXpyK55m/XPHafOmK4UWD7m2CI14GMcFypt4w/0+NV5f/ZMby2F6S2wwA7fgynh9gWSw== - dependencies: - extend-shallow "^2.0.1" - is-extendable "^0.1.1" - is-plain-object "^2.0.3" - split-string "^3.0.1" - -setimmediate@^1.0.4: - version "1.0.5" - resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285" - integrity sha1-KQy7Iy4waULX1+qbg3Mqt4VvgoU= - -setprototypeof@1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.1.tgz#7e95acb24aa92f5885e0abef5ba131330d4ae683" - integrity sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw== - -setprototypeof@1.2.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.2.0.tgz#66c9a24a73f9fc28cbe66b09fed3d33dcaf1b424" - integrity sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw== - -sha.js@^2.4.0, sha.js@^2.4.8: - version "2.4.11" - resolved "https://registry.yarnpkg.com/sha.js/-/sha.js-2.4.11.tgz#37a5cf0b81ecbc6943de109ba2960d1b26584ae7" - integrity sha512-QMEp5B7cftE7APOjk5Y6xgrbWu+WkLVQwk8JNjZ8nKRciZaByEW6MubieAiToS7+dwvrjGhH8jRXz3MVd0AYqQ== - dependencies: - inherits "^2.0.1" - safe-buffer "^5.0.1" - -shebang-command@^1.2.0: - version "1.2.0" - resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" - integrity sha1-RKrGW2lbAzmJaMOfNj/uXer98eo= - dependencies: - shebang-regex "^1.0.0" - -shebang-regex@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" - integrity sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM= - -slash@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/slash/-/slash-1.0.0.tgz#c41f2f6c39fc16d1cd17ad4b5d896114ae470d55" - integrity sha1-xB8vbDn8FtHNF61LXYlhFK5HDVU= - -snapdragon-node@^2.0.1: - version "2.1.1" - resolved "https://registry.yarnpkg.com/snapdragon-node/-/snapdragon-node-2.1.1.tgz#6c175f86ff14bdb0724563e8f3c1b021a286853b" - integrity sha512-O27l4xaMYt/RSQ5TR3vpWCAB5Kb/czIcqUFOM/C4fYcLnbZUc1PkjTAMjof2pBWaSTwOUd6qUHcFGVGj7aIwnw== - dependencies: - define-property "^1.0.0" - isobject "^3.0.0" - snapdragon-util "^3.0.1" - -snapdragon-util@^3.0.1: - version "3.0.1" - resolved "https://registry.yarnpkg.com/snapdragon-util/-/snapdragon-util-3.0.1.tgz#f956479486f2acd79700693f6f7b805e45ab56e2" - integrity sha512-mbKkMdQKsjX4BAL4bRYTj21edOf8cN7XHdYUJEe+Zn99hVEYcMvKPct1IqNe7+AZPirn8BCDOQBHQZknqmKlZQ== - dependencies: - kind-of "^3.2.0" - -snapdragon@^0.8.1: - version "0.8.2" - resolved "https://registry.yarnpkg.com/snapdragon/-/snapdragon-0.8.2.tgz#64922e7c565b0e14204ba1aa7d6964278d25182d" - integrity sha512-FtyOnWN/wCHTVXOMwvSv26d+ko5vWlIDD6zoUJ7LW8vh+ZBC8QdljveRP+crNrtBwioEUWy/4dMtbBjA4ioNlg== - dependencies: - base "^0.11.1" - debug "^2.2.0" - define-property "^0.2.5" - extend-shallow "^2.0.1" - map-cache "^0.2.2" - source-map "^0.5.6" - source-map-resolve "^0.5.0" - use "^3.1.0" - -source-list-map@^2.0.0: - version "2.0.1" - resolved "https://registry.yarnpkg.com/source-list-map/-/source-list-map-2.0.1.tgz#3993bd873bfc48479cca9ea3a547835c7c154b34" - integrity sha512-qnQ7gVMxGNxsiL4lEuJwe/To8UnK7fAnmbGEEH8RpLouuKbeEm0lhbQVFIrNSuB+G7tVrAlVsZgETT5nljf+Iw== - -source-map-resolve@^0.5.0: - version "0.5.3" - resolved "https://registry.yarnpkg.com/source-map-resolve/-/source-map-resolve-0.5.3.tgz#190866bece7553e1f8f267a2ee82c606b5509a1a" - integrity sha512-Htz+RnsXWk5+P2slx5Jh3Q66vhQj1Cllm0zvnaY98+NFx+Dv2CF/f5O/t8x+KaNdrdIAsruNzoh/KpialbqAnw== - dependencies: - atob "^2.1.2" - decode-uri-component "^0.2.0" - resolve-url "^0.2.1" - source-map-url "^0.4.0" - urix "^0.1.0" - -source-map-support@~0.5.12: - version "0.5.19" - resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.19.tgz#a98b62f86dcaf4f67399648c085291ab9e8fed61" - integrity sha512-Wonm7zOCIJzBGQdB+thsPar0kYuCIzYvxZwlBa87yi/Mdjv7Tip2cyVbLj5o0cFPN4EVkuTwb3GDDyUx2DGnGw== - dependencies: - buffer-from "^1.0.0" - source-map "^0.6.0" - -source-map-url@^0.4.0: - version "0.4.0" - resolved "https://registry.yarnpkg.com/source-map-url/-/source-map-url-0.4.0.tgz#3e935d7ddd73631b97659956d55128e87b5084a3" - integrity sha1-PpNdfd1zYxuXZZlW1VEo6HtQhKM= - -source-map@^0.5.6: - version "0.5.7" - resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc" - integrity sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w= - -source-map@^0.6.0, source-map@^0.6.1, source-map@~0.6.0, source-map@~0.6.1: - version "0.6.1" - resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263" - integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g== - -split-string@^3.0.1, split-string@^3.0.2: - version "3.1.0" - resolved "https://registry.yarnpkg.com/split-string/-/split-string-3.1.0.tgz#7cb09dda3a86585705c64b39a6466038682e8fe2" - integrity sha512-NzNVhJDYpwceVVii8/Hu6DKfD2G+NrQHlS/V/qgv763EYudVwEcMQNxd2lh+0VrUByXN/oJkl5grOhYWvQUYiw== - dependencies: - extend-shallow "^3.0.0" - -ssri@^6.0.1: - version "6.0.1" - resolved "https://registry.yarnpkg.com/ssri/-/ssri-6.0.1.tgz#2a3c41b28dd45b62b63676ecb74001265ae9edd8" - integrity sha512-3Wge10hNcT1Kur4PDFwEieXSCMCJs/7WvSACcrMYrNp+b8kDL1/0wJch5Ni2WrtwEa2IO8OsVfeKIciKCDx/QA== - dependencies: - figgy-pudding "^3.5.1" - -static-extend@^0.1.1: - version "0.1.2" - resolved "https://registry.yarnpkg.com/static-extend/-/static-extend-0.1.2.tgz#60809c39cbff55337226fd5e0b520f341f1fb5c6" - integrity sha1-YICcOcv/VTNyJv1eC1IPNB8ftcY= - dependencies: - define-property "^0.2.5" - object-copy "^0.1.0" - -"statuses@>= 1.5.0 < 2", statuses@^1.5.0: - version "1.5.0" - resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c" - integrity sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow= - -stream-browserify@^2.0.1: - version "2.0.2" - resolved "https://registry.yarnpkg.com/stream-browserify/-/stream-browserify-2.0.2.tgz#87521d38a44aa7ee91ce1cd2a47df0cb49dd660b" - integrity sha512-nX6hmklHs/gr2FuxYDltq8fJA1GDlxKQCz8O/IM4atRqBH8OORmBNgfvW5gG10GT/qQ9u0CzIvr2X5Pkt6ntqg== - dependencies: - inherits "~2.0.1" - readable-stream "^2.0.2" - -stream-each@^1.1.0: - version "1.2.3" - resolved "https://registry.yarnpkg.com/stream-each/-/stream-each-1.2.3.tgz#ebe27a0c389b04fbcc233642952e10731afa9bae" - integrity sha512-vlMC2f8I2u/bZGqkdfLQW/13Zihpej/7PmSiMQsbYddxuTsJp8vRe2x2FvVExZg7FaOds43ROAuFJwPR4MTZLw== - dependencies: - end-of-stream "^1.1.0" - stream-shift "^1.0.0" - -stream-http@^2.7.2: - version "2.8.3" - resolved "https://registry.yarnpkg.com/stream-http/-/stream-http-2.8.3.tgz#b2d242469288a5a27ec4fe8933acf623de6514fc" - integrity sha512-+TSkfINHDo4J+ZobQLWiMouQYB+UVYFttRA94FpEzzJ7ZdqcL4uUUQ7WkdkI4DSozGmgBUE/a47L+38PenXhUw== - dependencies: - builtin-status-codes "^3.0.0" - inherits "^2.0.1" - readable-stream "^2.3.6" - to-arraybuffer "^1.0.0" - xtend "^4.0.0" - -stream-shift@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/stream-shift/-/stream-shift-1.0.1.tgz#d7088281559ab2778424279b0877da3c392d5a3d" - integrity sha512-AiisoFqQ0vbGcZgQPY1cdP2I76glaVA/RauYR4G4thNFgkTqr90yXTo4LYX60Jl+sIlPNHHdGSwo01AvbKUSVQ== - -string-width@^3.0.0, string-width@^3.1.0: - version "3.1.0" - resolved "https://registry.yarnpkg.com/string-width/-/string-width-3.1.0.tgz#22767be21b62af1081574306f69ac51b62203961" - integrity sha512-vafcv6KjVZKSgz06oM/H6GDBrAtz8vdhQakGjFIvNrHA6y3HCF1CInLy+QLq8dTJPQ1b+KDUqDFctkdRW44e1w== - dependencies: - emoji-regex "^7.0.1" - is-fullwidth-code-point "^2.0.0" - strip-ansi "^5.1.0" - -string.prototype.trimend@^1.0.1: - version "1.0.3" - resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.3.tgz#a22bd53cca5c7cf44d7c9d5c732118873d6cd18b" - integrity sha512-ayH0pB+uf0U28CtjlLvL7NaohvR1amUvVZk+y3DYb0Ey2PUV5zPkkKy9+U1ndVEIXO8hNg18eIv9Jntbii+dKw== - dependencies: - call-bind "^1.0.0" - define-properties "^1.1.3" - -string.prototype.trimstart@^1.0.1: - version "1.0.3" - resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.3.tgz#9b4cb590e123bb36564401d59824298de50fd5aa" - integrity sha512-oBIBUy5lea5tt0ovtOFiEQaBkoBBkyJhZXzJYrSmDo5IUUqbOPvVezuRs/agBIdZ2p2Eo1FD6bD9USyBLfl3xg== - dependencies: - call-bind "^1.0.0" - define-properties "^1.1.3" - -string_decoder@^1.0.0, string_decoder@^1.1.1: - version "1.3.0" - resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.3.0.tgz#42f114594a46cf1a8e30b0a84f56c78c3edac21e" - integrity sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA== - dependencies: - safe-buffer "~5.2.0" - -string_decoder@~1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8" - integrity sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg== - dependencies: - safe-buffer "~5.1.0" - -strip-ansi@^3.0.0: - version "3.0.1" - resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" - integrity sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8= - dependencies: - ansi-regex "^2.0.0" - -strip-ansi@^5.0.0, strip-ansi@^5.1.0, strip-ansi@^5.2.0: - version "5.2.0" - resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-5.2.0.tgz#8c9a536feb6afc962bdfa5b104a5091c1ad9c0ae" - integrity sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA== - dependencies: - ansi-regex "^4.1.0" - -supports-color@^5.3.0: - version "5.5.0" - resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f" - integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow== - dependencies: - has-flag "^3.0.0" - -supports-color@^6.1.0: - version "6.1.0" - resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-6.1.0.tgz#0764abc69c63d5ac842dd4867e8d025e880df8f3" - integrity sha512-qe1jfm1Mg7Nq/NSh6XE24gPXROEVsWHxC1LIx//XNlD9iw7YZQGjZNjYN7xGaEG6iKdA8EtNFW6R0gjnVXp+wQ== - dependencies: - has-flag "^3.0.0" - -tapable@^1.0.0, tapable@^1.1.0: - version "1.1.3" - resolved "https://registry.yarnpkg.com/tapable/-/tapable-1.1.3.tgz#a1fccc06b58db61fd7a45da2da44f5f3a3e67ba2" - integrity sha512-4WK/bYZmj8xLr+HUCODHGF1ZFzsYffasLUgEiMBY4fgtltdO6B4WJtlSbPaDTLpYTcGVwM2qLnFTICEcNxs3kA== - -terser-webpack-plugin@^1.1.0: - version "1.4.5" - resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-1.4.5.tgz#a217aefaea330e734ffacb6120ec1fa312d6040b" - integrity sha512-04Rfe496lN8EYruwi6oPQkG0vo8C+HT49X687FZnpPF0qMAIHONI6HEXYPKDOE8e5HjXTyKfqRd/agHtH0kOtw== - dependencies: - cacache "^12.0.2" - find-cache-dir "^2.1.0" - is-wsl "^1.1.0" - schema-utils "^1.0.0" - serialize-javascript "^4.0.0" - source-map "^0.6.1" - terser "^4.1.2" - webpack-sources "^1.4.0" - worker-farm "^1.7.0" - -terser@^4.1.2: - version "4.8.0" - resolved "https://registry.yarnpkg.com/terser/-/terser-4.8.0.tgz#63056343d7c70bb29f3af665865a46fe03a0df17" - integrity sha512-EAPipTNeWsb/3wLPeup1tVPaXfIaU68xMnVdPafIL1TV05OhASArYyIfFvnvJCNrR2NIOvDVNNTFRa+Re2MWyw== - dependencies: - commander "^2.20.0" - source-map "~0.6.1" - source-map-support "~0.5.12" - -through2@^2.0.0: - version "2.0.5" - resolved "https://registry.yarnpkg.com/through2/-/through2-2.0.5.tgz#01c1e39eb31d07cb7d03a96a70823260b23132cd" - integrity sha512-/mrRod8xqpA+IHSLyGCQ2s8SPHiCDEeQJSep1jqLYeEUClOFG2Qsh+4FU6G9VeqpZnGW/Su8LQGc4YKni5rYSQ== - dependencies: - readable-stream "~2.3.6" - xtend "~4.0.1" - -timers-browserify@^2.0.4: - version "2.0.12" - resolved "https://registry.yarnpkg.com/timers-browserify/-/timers-browserify-2.0.12.tgz#44a45c11fbf407f34f97bccd1577c652361b00ee" - integrity sha512-9phl76Cqm6FhSX9Xe1ZUAMLtm1BLkKj2Qd5ApyWkXzsMRaA7dgr81kf4wJmQf/hAvg8EEyJxDo3du/0KlhPiKQ== - dependencies: - setimmediate "^1.0.4" - -to-arraybuffer@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/to-arraybuffer/-/to-arraybuffer-1.0.1.tgz#7d229b1fcc637e466ca081180836a7aabff83f43" - integrity sha1-fSKbH8xjfkZsoIEYCDanqr/4P0M= - -to-object-path@^0.3.0: - version "0.3.0" - resolved "https://registry.yarnpkg.com/to-object-path/-/to-object-path-0.3.0.tgz#297588b7b0e7e0ac08e04e672f85c1f4999e17af" - integrity sha1-KXWIt7Dn4KwI4E5nL4XB9JmeF68= - dependencies: - kind-of "^3.0.2" - -to-regex-range@^2.1.0: - version "2.1.1" - resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-2.1.1.tgz#7c80c17b9dfebe599e27367e0d4dd5590141db38" - integrity sha1-fIDBe53+vlmeJzZ+DU3VWQFB2zg= - dependencies: - is-number "^3.0.0" - repeat-string "^1.6.1" - -to-regex-range@^5.0.1: - version "5.0.1" - resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4" - integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ== - dependencies: - is-number "^7.0.0" - -to-regex@^3.0.1, to-regex@^3.0.2: - version "3.0.2" - resolved "https://registry.yarnpkg.com/to-regex/-/to-regex-3.0.2.tgz#13cfdd9b336552f30b51f33a8ae1b42a7a7599ce" - integrity sha512-FWtleNAtZ/Ki2qtqej2CXTOayOH9bHDQF+Q48VpWyDXjbYxA4Yz8iDB31zXOBUlOHHKidDbqGVrTUvQMPmBGBw== - dependencies: - define-property "^2.0.2" - extend-shallow "^3.0.2" - regex-not "^1.0.2" - safe-regex "^1.1.0" - -toidentifier@1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.0.tgz#7e1be3470f1e77948bc43d94a3c8f4d7752ba553" - integrity sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw== - -toposort@^1.0.0: - version "1.0.7" - resolved "https://registry.yarnpkg.com/toposort/-/toposort-1.0.7.tgz#2e68442d9f64ec720b8cc89e6443ac6caa950029" - integrity sha1-LmhELZ9k7HILjMieZEOsbKqVACk= - -ts-loader@^5.3.3: - version "5.4.5" - resolved "https://registry.yarnpkg.com/ts-loader/-/ts-loader-5.4.5.tgz#a0c1f034b017a9344cef0961bfd97cc192492b8b" - integrity sha512-XYsjfnRQCBum9AMRZpk2rTYSVpdZBpZK+kDh0TeT3kxmQNBDVIeUjdPjY5RZry4eIAb8XHc4gYSUiUWPYvzSRw== - dependencies: - chalk "^2.3.0" - enhanced-resolve "^4.0.0" - loader-utils "^1.0.2" - micromatch "^3.1.4" - semver "^5.0.1" - -tslib@^1.9.0: - version "1.14.1" - resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00" - integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg== - -tsscmp@1.0.6: - version "1.0.6" - resolved "https://registry.yarnpkg.com/tsscmp/-/tsscmp-1.0.6.tgz#85b99583ac3589ec4bfef825b5000aa911d605eb" - integrity sha512-LxhtAkPDTkVCMQjt2h6eBVY28KCjikZqZfMcC15YBeNjkgUpdCfBu5HoiOTDu86v6smE8yOjyEktJ8hlbANHQA== - -tty-browserify@0.0.0: - version "0.0.0" - resolved "https://registry.yarnpkg.com/tty-browserify/-/tty-browserify-0.0.0.tgz#a157ba402da24e9bf957f9aa69d524eed42901a6" - integrity sha1-oVe6QC2iTpv5V/mqadUk7tQpAaY= - -type-is@^1.6.14, type-is@^1.6.16: - version "1.6.18" - resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.18.tgz#4e552cd05df09467dcbc4ef739de89f2cf37c131" - integrity sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g== - dependencies: - media-typer "0.3.0" - mime-types "~2.1.24" - -typedarray@^0.0.6: - version "0.0.6" - resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777" - integrity sha1-hnrHTjhkGHsdPUfZlqeOxciDB3c= - -typescript@3.2.2: - version "3.2.2" - resolved "https://registry.yarnpkg.com/typescript/-/typescript-3.2.2.tgz#fe8101c46aa123f8353523ebdcf5730c2ae493e5" - integrity sha512-VCj5UiSyHBjwfYacmDuc/NOk4QQixbE+Wn7MFJuS0nRuPQbof132Pw4u53dm264O8LPc2MVsc7RJNml5szurkg== - -uglify-js@3.4.x: - version "3.4.10" - resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-3.4.10.tgz#9ad9563d8eb3acdfb8d38597d2af1d815f6a755f" - integrity sha512-Y2VsbPVs0FIshJztycsO2SfPk7/KAF/T72qzv9u5EpQ4kB2hQoHlhNQTsNyy6ul7lQtqJN/AoWeS23OzEiEFxw== - dependencies: - commander "~2.19.0" - source-map "~0.6.1" - -union-value@^1.0.0: - version "1.0.1" - resolved "https://registry.yarnpkg.com/union-value/-/union-value-1.0.1.tgz#0b6fe7b835aecda61c6ea4d4f02c14221e109847" - integrity sha512-tJfXmxMeWYnczCVs7XAEvIV7ieppALdyepWMkHkwciRpZraG/xwT+s2JN8+pr1+8jCRf80FFzvr+MpQeeoF4Xg== - dependencies: - arr-union "^3.1.0" - get-value "^2.0.6" - is-extendable "^0.1.1" - set-value "^2.0.1" - -unique-filename@^1.1.1: - version "1.1.1" - resolved "https://registry.yarnpkg.com/unique-filename/-/unique-filename-1.1.1.tgz#1d69769369ada0583103a1e6ae87681b56573230" - integrity sha512-Vmp0jIp2ln35UTXuryvjzkjGdRyf9b2lTXuSYUiPmzRcl3FDtYqAwOnTJkAngD9SWhnoJzDbTKwaOrZ+STtxNQ== - dependencies: - unique-slug "^2.0.0" - -unique-slug@^2.0.0: - version "2.0.2" - resolved "https://registry.yarnpkg.com/unique-slug/-/unique-slug-2.0.2.tgz#baabce91083fc64e945b0f3ad613e264f7cd4e6c" - integrity sha512-zoWr9ObaxALD3DOPfjPSqxt4fnZiWblxHIgeWqW8x7UqDzEtHEQLzji2cuJYQFCU6KmoJikOYAZlrTHHebjx2w== - dependencies: - imurmurhash "^0.1.4" - -unpipe@1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec" - integrity sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw= - -unset-value@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/unset-value/-/unset-value-1.0.0.tgz#8376873f7d2335179ffb1e6fc3a8ed0dfc8ab559" - integrity sha1-g3aHP30jNRef+x5vw6jtDfyKtVk= - dependencies: - has-value "^0.3.1" - isobject "^3.0.0" - -upath@^1.1.1: - version "1.2.0" - resolved "https://registry.yarnpkg.com/upath/-/upath-1.2.0.tgz#8f66dbcd55a883acdae4408af8b035a5044c1894" - integrity sha512-aZwGpamFO61g3OlfT7OQCHqhGnW43ieH9WZeP7QxN/G/jS4jfqUkZxoryvJgVPEcrl5NL/ggHsSmLMHuH64Lhg== - -upper-case@^1.1.1: - version "1.1.3" - resolved "https://registry.yarnpkg.com/upper-case/-/upper-case-1.1.3.tgz#f6b4501c2ec4cdd26ba78be7222961de77621598" - integrity sha1-9rRQHC7EzdJrp4vnIilh3ndiFZg= - -uri-js@^4.2.2: - version "4.4.1" - resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e" - integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg== - dependencies: - punycode "^2.1.0" - -urijs@^1.19.0: - version "1.19.5" - resolved "https://registry.yarnpkg.com/urijs/-/urijs-1.19.5.tgz#119683ab4b2fb0bd637e5ea6dd9117bcac68d3e4" - integrity sha512-48z9VGWwdCV5KfizHsE05DWS5fhK6gFlx5MjO7xu0Krc5FGPWzjlXEVV0nPMrdVuP7xmMHiPZ2HoYZwKOFTZOg== - -urix@^0.1.0: - version "0.1.0" - resolved "https://registry.yarnpkg.com/urix/-/urix-0.1.0.tgz#da937f7a62e21fec1fd18d49b35c2935067a6c72" - integrity sha1-2pN/emLiH+wf0Y1Js1wpNQZ6bHI= - -url@^0.11.0: - version "0.11.0" - resolved "https://registry.yarnpkg.com/url/-/url-0.11.0.tgz#3838e97cfc60521eb73c525a8e55bfdd9e2e28f1" - integrity sha1-ODjpfPxgUh63PFJajlW/3Z4uKPE= - dependencies: - punycode "1.3.2" - querystring "0.2.0" - -use@^3.1.0: - version "3.1.1" - resolved "https://registry.yarnpkg.com/use/-/use-3.1.1.tgz#d50c8cac79a19fbc20f2911f56eb973f4e10070f" - integrity sha512-cwESVXlO3url9YWlFW/TA9cshCEhtu7IKJ/p5soJ/gGpj7vbvFrAY/eIioQ6Dw23KjZhYgiIo8HOs1nQ2vr/oQ== - -util-deprecate@^1.0.1, util-deprecate@~1.0.1: - version "1.0.2" - resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" - integrity sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8= - -util.promisify@1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/util.promisify/-/util.promisify-1.0.0.tgz#440f7165a459c9a16dc145eb8e72f35687097030" - integrity sha512-i+6qA2MPhvoKLuxnJNpXAGhg7HphQOSUq2LKMZD0m15EiskXUkMvKdF4Uui0WYeCUGea+o2cw/ZuwehtfsrNkA== - dependencies: - define-properties "^1.1.2" - object.getownpropertydescriptors "^2.0.3" - -util@0.10.3: - version "0.10.3" - resolved "https://registry.yarnpkg.com/util/-/util-0.10.3.tgz#7afb1afe50805246489e3db7fe0ed379336ac0f9" - integrity sha1-evsa/lCAUkZInj23/g7TeTNqwPk= - dependencies: - inherits "2.0.1" - -util@^0.11.0: - version "0.11.1" - resolved "https://registry.yarnpkg.com/util/-/util-0.11.1.tgz#3236733720ec64bb27f6e26f421aaa2e1b588d61" - integrity sha512-HShAsny+zS2TZfaXxD9tYj4HQGlBezXZMZuM/S5PKLLoZkShZiGk9o5CzukI1LVHZvjdvZ2Sj1aW/Ndn2NB/HQ== - dependencies: - inherits "2.0.3" - -utila@~0.4: - version "0.4.0" - resolved "https://registry.yarnpkg.com/utila/-/utila-0.4.0.tgz#8a16a05d445657a3aea5eecc5b12a4fa5379772c" - integrity sha1-ihagXURWV6Oupe7MWxKk+lN5dyw= - -uuid@^3.3.2: - version "3.4.0" - resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.4.0.tgz#b23e4358afa8a202fe7a100af1f5f883f02007ee" - integrity sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A== - -v8-compile-cache@^2.1.1: - version "2.3.0" - resolved "https://registry.yarnpkg.com/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz#2de19618c66dc247dcfb6f99338035d8245a2cee" - integrity sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA== - -vary@^1.1.2: - version "1.1.2" - resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc" - integrity sha1-IpnwLG3tMNSllhsLn3RSShj2NPw= - -vm-browserify@^1.0.1: - version "1.1.2" - resolved "https://registry.yarnpkg.com/vm-browserify/-/vm-browserify-1.1.2.tgz#78641c488b8e6ca91a75f511e7a3b32a86e5dda0" - integrity sha512-2ham8XPWTONajOR0ohOKOHXkm3+gaBmGut3SRuu75xLd/RRaY6vqgh8NBYYk7+RW3u5AtzPQZG8F10LHkl0lAQ== - -watchpack-chokidar2@^2.0.1: - version "2.0.1" - resolved "https://registry.yarnpkg.com/watchpack-chokidar2/-/watchpack-chokidar2-2.0.1.tgz#38500072ee6ece66f3769936950ea1771be1c957" - integrity sha512-nCFfBIPKr5Sh61s4LPpy1Wtfi0HE8isJ3d2Yb5/Ppw2P2B/3eVSEBjKfN0fmHJSK14+31KwMKmcrzs2GM4P0Ww== - dependencies: - chokidar "^2.1.8" - -watchpack@^1.5.0: - version "1.7.5" - resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-1.7.5.tgz#1267e6c55e0b9b5be44c2023aed5437a2c26c453" - integrity sha512-9P3MWk6SrKjHsGkLT2KHXdQ/9SNkyoJbabxnKOoJepsvJjJG8uYTR3yTPxPQvNDI3w4Nz1xnE0TLHK4RIVe/MQ== - dependencies: - graceful-fs "^4.1.2" - neo-async "^2.5.0" - optionalDependencies: - chokidar "^3.4.1" - watchpack-chokidar2 "^2.0.1" - -webpack-cli@^3.3.11: - version "3.3.12" - resolved "https://registry.yarnpkg.com/webpack-cli/-/webpack-cli-3.3.12.tgz#94e9ada081453cd0aa609c99e500012fd3ad2d4a" - integrity sha512-NVWBaz9k839ZH/sinurM+HcDvJOTXwSjYp1ku+5XKeOC03z8v5QitnK/x+lAxGXFyhdayoIf/GOpv85z3/xPag== - dependencies: - chalk "^2.4.2" - cross-spawn "^6.0.5" - enhanced-resolve "^4.1.1" - findup-sync "^3.0.0" - global-modules "^2.0.0" - import-local "^2.0.0" - interpret "^1.4.0" - loader-utils "^1.4.0" - supports-color "^6.1.0" - v8-compile-cache "^2.1.1" - yargs "^13.3.2" - -webpack-sources@^1.3.0, webpack-sources@^1.4.0: - version "1.4.3" - resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-1.4.3.tgz#eedd8ec0b928fbf1cbfe994e22d2d890f330a933" - integrity sha512-lgTS3Xhv1lCOKo7SA5TjKXMjpSM4sBjNV5+q2bqesbSPs5FjGmU6jjtBSkX9b4qW87vDIsCIlUPOEhbZrMdjeQ== - dependencies: - source-list-map "^2.0.0" - source-map "~0.6.1" - -webpack@4.28.4: - version "4.28.4" - resolved "https://registry.yarnpkg.com/webpack/-/webpack-4.28.4.tgz#1ddae6c89887d7efb752adf0c3cd32b9b07eacd0" - integrity sha512-NxjD61WsK/a3JIdwWjtIpimmvE6UrRi3yG54/74Hk9rwNj5FPkA4DJCf1z4ByDWLkvZhTZE+P3C/eh6UD5lDcw== - dependencies: - "@webassemblyjs/ast" "1.7.11" - "@webassemblyjs/helper-module-context" "1.7.11" - "@webassemblyjs/wasm-edit" "1.7.11" - "@webassemblyjs/wasm-parser" "1.7.11" - acorn "^5.6.2" - acorn-dynamic-import "^3.0.0" - ajv "^6.1.0" - ajv-keywords "^3.1.0" - chrome-trace-event "^1.0.0" - enhanced-resolve "^4.1.0" - eslint-scope "^4.0.0" - json-parse-better-errors "^1.0.2" - loader-runner "^2.3.0" - loader-utils "^1.1.0" - memory-fs "~0.4.1" - micromatch "^3.1.8" - mkdirp "~0.5.0" - neo-async "^2.5.0" - node-libs-browser "^2.0.0" - schema-utils "^0.4.4" - tapable "^1.1.0" - terser-webpack-plugin "^1.1.0" - watchpack "^1.5.0" - webpack-sources "^1.3.0" - -which-module@^2.0.0: - version "2.0.0" - resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.0.tgz#d9ef07dce77b9902b8a3a8fa4b31c3e3f7e6e87a" - integrity sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho= - -which@^1.2.14, which@^1.2.9, which@^1.3.1: - version "1.3.1" - resolved "https://registry.yarnpkg.com/which/-/which-1.3.1.tgz#a45043d54f5805316da8d62f9f50918d3da70b0a" - integrity sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ== - dependencies: - isexe "^2.0.0" - -worker-farm@^1.7.0: - version "1.7.0" - resolved "https://registry.yarnpkg.com/worker-farm/-/worker-farm-1.7.0.tgz#26a94c5391bbca926152002f69b84a4bf772e5a8" - integrity sha512-rvw3QTZc8lAxyVrqcSGVm5yP/IJ2UcB3U0graE3LCFoZ0Yn2x4EoVSqJKdB/T5M+FLcRPjz4TDacRf3OCfNUzw== - dependencies: - errno "~0.1.7" - -wrap-ansi@^5.1.0: - version "5.1.0" - resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-5.1.0.tgz#1fd1f67235d5b6d0fee781056001bfb694c03b09" - integrity sha512-QC1/iN/2/RPVJ5jYK8BGttj5z83LmSKmvbvrXPNCLZSEb32KKVDJDl/MOt2N01qU2H/FkzEa9PKto1BqDjtd7Q== - dependencies: - ansi-styles "^3.2.0" - string-width "^3.0.0" - strip-ansi "^5.0.0" - -wrappy@1: - version "1.0.2" - resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" - integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8= - -xtend@^4.0.0, xtend@~4.0.1: - version "4.0.2" - resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.2.tgz#bb72779f5fa465186b1f438f674fa347fdb5db54" - integrity sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ== - -y18n@^4.0.0: - version "4.0.1" - resolved "https://registry.yarnpkg.com/y18n/-/y18n-4.0.1.tgz#8db2b83c31c5d75099bb890b23f3094891e247d4" - integrity sha512-wNcy4NvjMYL8gogWWYAO7ZFWFfHcbdbE57tZO8e4cbpj8tfUcwrwqSl3ad8HxpYWCdXcJUCeKKZS62Av1affwQ== - -yallist@^3.0.2: - version "3.1.1" - resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd" - integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g== - -yargs-parser@^13.1.2: - version "13.1.2" - resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-13.1.2.tgz#130f09702ebaeef2650d54ce6e3e5706f7a4fb38" - integrity sha512-3lbsNRf/j+A4QuSZfDRA7HRSfWrzO0YjqTJd5kjAq37Zep1CEgaYmrH9Q3GwPiB9cHyd1Y1UwggGhJGoxipbzg== - dependencies: - camelcase "^5.0.0" - decamelize "^1.2.0" - -yargs@^13.3.2: - version "13.3.2" - resolved "https://registry.yarnpkg.com/yargs/-/yargs-13.3.2.tgz#ad7ffefec1aa59565ac915f82dccb38a9c31a2dd" - integrity sha512-AX3Zw5iPruN5ie6xGRIDgqkT+ZhnRlZMLMHAs8tg7nRruy2Nb+i5o9bwghAogtM08q1dpr2LVoS8KSTMYpWXUw== - dependencies: - cliui "^5.0.0" - find-up "^3.0.0" - get-caller-file "^2.0.1" - require-directory "^2.1.1" - require-main-filename "^2.0.0" - set-blocking "^2.0.0" - string-width "^3.0.0" - which-module "^2.0.0" - y18n "^4.0.0" - yargs-parser "^13.1.2" - -ylru@^1.2.0: - version "1.2.1" - resolved "https://registry.yarnpkg.com/ylru/-/ylru-1.2.1.tgz#f576b63341547989c1de7ba288760923b27fe84f" - integrity sha512-faQrqNMzcPCHGVC2aaOINk13K+aaBDUPjGWl0teOXywElLjyVAB6Oe2jj62jHYtwsU49jXhScYbvPENK+6zAvQ== diff --git a/resources/[mapping]/[mapping-prod]/fxmanifest.lua b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/fxmanifest.lua similarity index 100% rename from resources/[mapping]/[mapping-prod]/fxmanifest.lua rename to resources/[mapping]/[mapping-disabled]/soz-4thJuly/fxmanifest.lua diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/_manifest.ymf b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/_manifest.ymf new file mode 100644 index 0000000000..73f2128c64 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_prop_ba_dj4_emis_rig_04.ytd b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_prop_ba_dj4_emis_rig_04.ytd new file mode 100644 index 0000000000..383f60ae62 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_prop_ba_dj4_emis_rig_04.ytd differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_prop_battle_lights_05.ycd b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_prop_battle_lights_05.ycd new file mode 100644 index 0000000000..7ef78d8e16 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_prop_battle_lights_05.ycd differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_rig_dj_04_lights_04_a.ydr b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_rig_dj_04_lights_04_a.ydr new file mode 100644 index 0000000000..a7712d0f70 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_rig_dj_04_lights_04_a.ydr differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_rig_dj_04_lights_04_b.ydr b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_rig_dj_04_lights_04_b.ydr new file mode 100644 index 0000000000..7f590979c9 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/ba_rig_dj_04_lights_04_b.ydr differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/prop_spot_clamp_02.ydr b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/prop_spot_clamp_02.ydr new file mode 100644 index 0000000000..946538342b Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/prop_spot_clamp_02.ydr differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_distantlights.ymap b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_distantlights.ymap new file mode 100644 index 0000000000..d6b88e5542 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_distantlights.ymap differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_lodlights.ymap b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_lodlights.ymap new file mode 100644 index 0000000000..3d90fc5718 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_lodlights.ymap differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_stage.ymap b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_stage.ymap new file mode 100644 index 0000000000..bc4e16e873 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-4thJuly/stream/soz_golf_stage.ymap differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/fxmanifest.lua b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/fxmanifest.lua new file mode 100644 index 0000000000..683761adda --- /dev/null +++ b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/fxmanifest.lua @@ -0,0 +1,5 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' + +data_file 'DLC_ITYP_REQUEST' 'stream/soz_big_screenbenny.ytyp' diff --git a/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/_manifest.ymf b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/_manifest.ymf new file mode 100644 index 0000000000..582be5fc7e Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/lr_sc1_02_long_0.ymap b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/lr_sc1_02_long_0.ymap new file mode 100644 index 0000000000..0df4e17c88 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/lr_sc1_02_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_big_screenbenny.ydr b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_big_screenbenny.ydr new file mode 100644 index 0000000000..eb905c1447 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_big_screenbenny.ydr differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_big_screenbenny.ytyp b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_big_screenbenny.ytyp new file mode 100644 index 0000000000..e625d02432 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_big_screenbenny.ytyp differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_screen_benny.ymap b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_screen_benny.ymap new file mode 100644 index 0000000000..b16544bd0f Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-bennysscreen/stream/soz_screen_benny.ymap differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-easterChicken/fxmanifest.lua b/resources/[mapping]/[mapping-disabled]/soz-easterChicken/fxmanifest.lua new file mode 100644 index 0000000000..f7f6ec08b0 --- /dev/null +++ b/resources/[mapping]/[mapping-disabled]/soz-easterChicken/fxmanifest.lua @@ -0,0 +1,4 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' + diff --git a/resources/[mapping]/[mapping-disabled]/soz-easterChicken/stream/Chicken Sandy.ymap b/resources/[mapping]/[mapping-disabled]/soz-easterChicken/stream/Chicken Sandy.ymap new file mode 100644 index 0000000000..7461406a61 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-easterChicken/stream/Chicken Sandy.ymap differ diff --git a/resources/[mapping]/[mapping-disabled]/soz-easterChicken/stream/_manifest.ymf b/resources/[mapping]/[mapping-disabled]/soz-easterChicken/stream/_manifest.ymf new file mode 100644 index 0000000000..945ca57569 Binary files /dev/null and b/resources/[mapping]/[mapping-disabled]/soz-easterChicken/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/fxmanifest.lua b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/fxmanifest.lua similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/fxmanifest.lua rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/fxmanifest.lua diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_ice.ymap b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_ice.ymap similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_ice.ymap rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_ice.ymap diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_manifest.ymf b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_manifest.ymf similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_manifest.ymf rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_manifest.ymf diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ymt b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ymt similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ymt rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ymt diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ytyp b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ytyp similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ytyp rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/alamo_sea.ytyp diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/dam_ice.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/dam_ice.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/dam_ice.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/dam_ice.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/lake_ice.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/lake_ice.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_alamo/lake_ice.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_alamo/lake_ice.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_1.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_1.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_1.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_1.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_10.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_10.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_10.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_10.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_12.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_12.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_12.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_12.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_13.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_13.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_13.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_13.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_2.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_2.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_2.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_2.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_lod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_lod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_rivdetail_test.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_rivdetail_test.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_rivdetail_test.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_rivdetail_test.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water004.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water004.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water004.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water004.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water006.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water006.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water006.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water006.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water03.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water03.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water03.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water03.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water_slod_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water_slod_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_43_water_slod_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_43_water_slod_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_43_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_s2.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_s2.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_s2.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_s2.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_s3.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_s3.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/bh1_lod_s3.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/bh1_lod_s3.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_01_29.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_01_29.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_01_29.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_01_29.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_01_30.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_01_30.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_01_30.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_01_30.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_01_water_01.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_01_water_01.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_01_water_01.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_01_water_01.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_1.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_1.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_1.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_1.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_lod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_lod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_slod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_slod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_slod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_river_slod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_04b_water_pool_slod_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_lod_0106_slod2_children.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_lod_0106_slod2_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_lod_0106_slod2_children.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_lod_0106_slod2_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3a_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3a_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3a_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch1_lod_slod3a_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_0.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_0.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_0.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_0.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_2.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_2.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_2.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_2.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_3.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_3.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_3.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_3.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_lod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_lod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_slod_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_slod_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_slod_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_slod_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_slodb_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_slodb_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_slodb_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_slodb_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_water.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_water.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_water.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_water.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_water_a.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_water_a.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_water_a.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_water_a.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_water_b.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_water_b.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_12_water_b.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_12_water_b.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_lod_12_slod2_children.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_lod_12_slod2_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_lod_12_slod2_children.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_lod_12_slod2_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_lod_789_12_slod3_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_lod_789_12_slod3_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_lod_789_12_slod3_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_lod_789_12_slod3_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_lod_slod3.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_lod_slod3.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/ch3_lod_slod3.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/ch3_lod_slod3.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_25.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_25.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_25.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_25.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_49.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_49.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_49.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_49.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_50.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_50.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_50.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_50.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_lod.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_lod.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_lod.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_lod.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_water.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_water.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_water.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_corrielake_water.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_pool001.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_pool001.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_pool001.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_pool001.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_pool01_lod.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_pool01_lod.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_pool01_lod.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_pool01_lod.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_strm_3.ymap b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_strm_3.ymap similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_strm_3.ymap rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_strm_3.ymap diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_water.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_water.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_water.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_water.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_water_lod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_water_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_10_water_lod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_10_water_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_11_28.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_11_28.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_11_28.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_11_28.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_11_corrierock.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_11_corrierock.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/cs2_11_corrierock.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/cs2_11_corrierock.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_0.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_0.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_0.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_0.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_fountainwater.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_fountainwater.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_fountainwater.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_fountainwater.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_lod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_lod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_superlod_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_superlod_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_13_superlod_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_13_superlod_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_lod_12_13_22_23_children.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_lod_12_13_22_23_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_lod_12_13_22_23_children.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_lod_12_13_22_23_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod2.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod2.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod2.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod2.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod4.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod4.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod4.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/dt1_lod_slod4.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_1.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_1.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_1.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_1.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_10.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_10.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_10.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_10.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_12.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_12.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_12.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_12.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_13.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_13.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_13.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_13.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_2.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_2.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_2.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/hei_bh1_43_2.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_0.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_0.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_0.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_0.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_1.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_1.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_1.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_1.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_2.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_2.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_2.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_2.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_3.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_3.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_3.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_3.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_lod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_lod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_slod1_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_slod1_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_slod1_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_slod1_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_water.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_water.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_21_e_water.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_21_e_water.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_21_21d_21e_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_slod2.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_slod2.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_slod2.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_slod2.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/id2_lod_slod4_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/others_frozen_manifest.ymf b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/others_frozen_manifest.ymf similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/others_frozen_manifest.ymf rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/others_frozen_manifest.ymf diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/soz_golf_lake_col.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/soz_golf_lake_col.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/soz_golf_lake_col.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/soz_golf_lake_col.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_0.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_0.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_0.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_0.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_1.ybn b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_1.ybn similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_1.ybn rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_1.ybn diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_critical_0.ymap b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_critical_0.ymap similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_critical_0.ymap rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_critical_0.ymap diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_long_0.ymap b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_long_0.ymap similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_long_0.ymap rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_long_0.ymap diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_river.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_river.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_river.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_river.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_river_lod.ydr b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_river_lod.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_river_lod.ydr rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_river_lod.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_strm_2.ymap b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_strm_2.ymap similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_strm_2.ymap rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_strm_2.ymap diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_waterlod.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_waterlod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_35_waterlod.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_35_waterlod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_lod_35_children.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_lod_35_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_lod_35_children.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_lod_35_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4.ytd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4.ytd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4_children.ydd b/resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4_children.ydd rename to resources/[mapping]/[mapping-disabled]/soz-frozen-lake/stream/frozen_other/vb_lod_slod4_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/lafitness/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/lafitness/fxmanifest.lua deleted file mode 100644 index d5cba04dfc..0000000000 --- a/resources/[mapping]/[mapping-prod]/lafitness/fxmanifest.lua +++ /dev/null @@ -1,12 +0,0 @@ -fx_version "bodacious" - -games { "gta5" } - -this_is_a_map "yes" - -files { - 'interiorproxies.meta', -} - - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_diving.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_diving.ydr deleted file mode 100644 index 0e6ee657a1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_diving.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_frames.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_frames.ydr deleted file mode 100644 index 560408ebae..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_frames.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_highchair.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_highchair.ydr deleted file mode 100644 index b21de4b599..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_highchair.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_lanerope.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_lanerope.ydr deleted file mode 100644 index 7133cda721..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_lanerope.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_lanespool.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_lanespool.ydr deleted file mode 100644 index a5f6957d23..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_lanespool.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_poolladder.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_poolladder.ydr deleted file mode 100644 index 4b4f7c67b5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimingpool_poolladder.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_bench.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_bench.ydr deleted file mode 100644 index 825eb853e2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_bench.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_chair_01.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_chair_01.ydr deleted file mode 100644 index 885511be7c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_chair_01.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_chair_02.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_chair_02.ydr deleted file mode 100644 index feabab8c8f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_chair_02.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_clothingroom_01.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_clothingroom_01.ydr deleted file mode 100644 index dee8f13379..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_clothingroom_01.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_clothingroom_02.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_clothingroom_02.ydr deleted file mode 100644 index 9a834cf9c3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_clothingroom_02.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_col.ybn b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_col.ybn deleted file mode 100644 index da8d761d8c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_col.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_door.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_door.ydr deleted file mode 100644 index 59bd2a2018..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_door.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_fence.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_fence.ydr deleted file mode 100644 index 8e741cadcf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_fence.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_frames_01.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_frames_01.ydr deleted file mode 100644 index c2c403097f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_frames_01.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_frames_02.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_frames_02.ydr deleted file mode 100644 index 64141cf7a8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_frames_02.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_gendersigns.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_gendersigns.ydr deleted file mode 100644 index ff26b72bad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_gendersigns.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_gymlights.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_gymlights.ydr deleted file mode 100644 index 04e5c670ef..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_gymlights.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_hanger.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_hanger.ydr deleted file mode 100644 index 37e860cae1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_hanger.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_lights.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_lights.ydr deleted file mode 100644 index 83d49c127f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_lights.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_01.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_01.ydr deleted file mode 100644 index 5069dc7129..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_01.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_02.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_02.ydr deleted file mode 100644 index f0266532dd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_02.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_03.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_03.ydr deleted file mode 100644 index ba9ec87183..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_03.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_04.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_04.ydr deleted file mode 100644 index 299e854cb9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_locker_04.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_logo.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_logo.ydr deleted file mode 100644 index f8035d563f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_logo.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_mirror.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_mirror.ydr deleted file mode 100644 index 8580a5c010..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_mirror.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_monitor.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_monitor.ydr deleted file mode 100644 index 22fea497b7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_monitor.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_03.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_03.ydr deleted file mode 100644 index e0a7ec9462..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_03.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_04.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_04.ydr deleted file mode 100644 index ff53862f5c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_04.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_05.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_05.ydr deleted file mode 100644 index f72bc4cc5e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_05.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_06.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_06.ydr deleted file mode 100644 index 63188fbf63..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_muscle_bench_06.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_plantstand.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_plantstand.ydr deleted file mode 100644 index 2d7e6286b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_plantstand.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_receplights.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_receplights.ydr deleted file mode 100644 index b90a9f979c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_receplights.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_reception.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_reception.ydr deleted file mode 100644 index 6fd391cd08..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_reception.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_rooflights.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_rooflights.ydr deleted file mode 100644 index 409504132e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_rooflights.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_shell.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_shell.ydr deleted file mode 100644 index 7100d9a475..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_shell.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_shower.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_shower.ydr deleted file mode 100644 index b149e39175..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_shower.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_stairs.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_stairs.ydr deleted file mode 100644 index 4ae861464a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_stairs.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_towel.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_towel.ydr deleted file mode 100644 index 0aa13d63a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_towel.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_tower.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_tower.ydr deleted file mode 100644 index 94e779d273..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_tower.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_tv.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_tv.ydr deleted file mode 100644 index 9891d63014..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_tv.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_water.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_water.ydr deleted file mode 100644 index 6c5d69c96c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_water.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_weight_rack.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_weight_rack.ydr deleted file mode 100644 index 10196d9f29..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/breze_swimmingpool_weight_rack.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/exte_hw1_24.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/exte_hw1_24.ymap deleted file mode 100644 index 4f3c78e870..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/exte_hw1_24.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hei_hw1_24_0.ybn b/resources/[mapping]/[mapping-prod]/lafitness/stream/hei_hw1_24_0.ybn deleted file mode 100644 index 834a7da909..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hei_hw1_24_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hei_hw1_24_build2.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/hei_hw1_24_build2.ydr deleted file mode 100644 index aac98bc5a4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hei_hw1_24_build2.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hi@hei_hw1_24_0.ybn b/resources/[mapping]/[mapping-prod]/lafitness/stream/hi@hei_hw1_24_0.ybn deleted file mode 100644 index 0c1f4f42ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hi@hei_hw1_24_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hi@hw1_24_0.ybn b/resources/[mapping]/[mapping-prod]/lafitness/stream/hi@hw1_24_0.ybn deleted file mode 100644 index 41d05b17ee..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hi@hw1_24_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_0.ybn b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_0.ybn deleted file mode 100644 index c3b3f2cb3f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_bld_02_signs.yft b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_bld_02_signs.yft deleted file mode 100644 index fdb5e1b128..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_bld_02_signs.yft and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_build2.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_build2.ydr deleted file mode 100644 index 1270fa96cd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_build2.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_emissive.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_emissive.ydr deleted file mode 100644 index e5fa598c88..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_emissive.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_ground1.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_ground1.ydr deleted file mode 100644 index 262c953af2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_ground1.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_ov00.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_ov00.ydr deleted file mode 100644 index 3c3997cc51..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_ov00.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_slod1_children.ydd b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_slod1_children.ydd deleted file mode 100644 index 947ec1d6ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_slod1_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_strm_0.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_strm_0.ymap deleted file mode 100644 index 240a4ae900..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_24_strm_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_lod_24_25_28_29_children.ydd b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_lod_24_25_28_29_children.ydd deleted file mode 100644 index 7a3e6ec5a7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_lod_24_25_28_29_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_lod_24_25_28_29_children.ytd b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_lod_24_25_28_29_children.ytd deleted file mode 100644 index fbbaec986a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_lod_24_25_28_29_children.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_occl_01.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_occl_01.ymap deleted file mode 100644 index f4455bc222..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_occl_01.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_rd_strm_1.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_rd_strm_1.ymap deleted file mode 100644 index 4181cb4264..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/hw1_rd_strm_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/la_fitness_extelight.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/la_fitness_extelight.ydr deleted file mode 100644 index fe38ec967f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/la_fitness_extelight.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/_manifest.ymf b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/_manifest.ymf deleted file mode 100644 index 19c2f97e79..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/_manifest2.ymf b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/_manifest2.ymf deleted file mode 100644 index 2f48fac949..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/_manifest2.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/breze_swimminghall.ytyp b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/breze_swimminghall.ytyp deleted file mode 100644 index db05e29042..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/breze_swimminghall.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/breze_swimminghall_milo_.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/breze_swimminghall_milo_.ymap deleted file mode 100644 index 6926620bf8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/breze_swimminghall_milo_.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/hei_hw1_24_strm_0.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/hei_hw1_24_strm_0.ymap deleted file mode 100644 index c852f2a593..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/hei_hw1_24_strm_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/hw1_occl_00.ymap b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/hw1_occl_00.ymap deleted file mode 100644 index 0ade8c3459..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/hw1_occl_00.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/la_fitness_extelight.ytyp b/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/la_fitness_extelight.ytyp deleted file mode 100644 index 8fed020374..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/meta/la_fitness_extelight.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/muscle_peach_txt.ytd b/resources/[mapping]/[mapping-prod]/lafitness/stream/muscle_peach_txt.ytd deleted file mode 100644 index 68194bec5d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/muscle_peach_txt.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/muscle_props.ytd b/resources/[mapping]/[mapping-prod]/lafitness/stream/muscle_props.ytd deleted file mode 100644 index 874b858a93..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/muscle_props.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_01.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_01.ydr deleted file mode 100644 index 348334536e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_01.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_02.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_02.ydr deleted file mode 100644 index f0c674e679..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_02.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_03.ydr b/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_03.ydr deleted file mode 100644 index 1c6e32719e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/lafitness/stream/soz_muscle_art_03.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_0.ybn index 1538f4a43c..c9266459d8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_1.ybn index 2f8d230e2f..5c99e709f1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_2.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_2.ybn index 295e1208c6..b9dcd0c5c3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_2.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09b_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09c_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09c_1.ybn index dc4c00c65d..cc737052d5 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09c_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_09c_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_11_5.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_11_5.ybn index d6acf52902..a0bca90cb5 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_11_5.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ch2_11_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_02_0.ybn index 61a5fdbdc5..8a3530c5b3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_02_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_09_long_0.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_09_long_0.ymap new file mode 100644 index 0000000000..e1eb88b75f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_09_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_09_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_09_strm_0.ymap new file mode 100644 index 0000000000..c40dc45bdf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_ss1_09_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_v_mp_stilts_a.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_v_mp_stilts_a.ybn new file mode 100644 index 0000000000..bdae1f01df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/apa_v_mp_stilts_a.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ch2_12_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ch2_12_1.ybn index 6bead67066..4e544018fc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ch2_12_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ch2_12_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_1.ybn index d0450ad92f..778e5a39d8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_4.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_4.ybn index 7eee31b32b..f897e560a0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_4.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_8.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_8.ybn new file mode 100644 index 0000000000..0cb1e4266f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs1_07_8.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_4.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_4.ybn index 0df3cb3175..810b99699b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_4.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_5.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_5.ybn index 56f3325b44..3e4719aa09 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_5.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs2_01_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs4_13_19.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs4_13_19.ybn index ceff4ec69a..4d54a9c7a2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs4_13_19.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs4_13_19.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_1.ybn index 41f8d6164f..bade99293b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_2.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_2.ybn new file mode 100644 index 0000000000..658b39e45f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/cs6_10_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_06_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_06_0.ybn new file mode 100644 index 0000000000..3951e61543 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_06_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_09_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_09_0.ybn index f5e355d118..79acd3ed45 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_09_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_09_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_10_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_10_0.ybn index 21917f1cbb..5d01f71f49 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_10_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_10_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_14_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_14_0.ybn index 30b07a18f7..574d49765c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_14_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_14_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_16_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_16_0.ybn index dd15e303e8..4fb61618ad 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_16_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_16_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_17_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_17_0.ybn new file mode 100644 index 0000000000..ccb9add8cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_17_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_24_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_24_0.ybn deleted file mode 100644 index bcf49dbc7e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_24_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_25_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_25_0.ybn new file mode 100644 index 0000000000..222659aab6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/dt1_25_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_bh1_40_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_bh1_40_0.ybn new file mode 100644 index 0000000000..da2125cd1b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_bh1_40_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_bh1_occl_03.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_bh1_occl_03.ymap new file mode 100644 index 0000000000..1e12f43a7b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_bh1_occl_03.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_12_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_12_0.ybn index 2d4d633555..291672430d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_12_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_12_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_02.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_02.ymap index cd3e1e0e42..d801f03d68 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_02.ymap and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_02.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_03.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_03.ymap index 165842706b..3092882a11 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_03.ymap and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_03.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_04.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_04.ymap new file mode 100644 index 0000000000..f4da0b239d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_04.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_05.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_05.ymap new file mode 100644 index 0000000000..32f76ff000 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_05.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_07.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_07.ymap new file mode 100644 index 0000000000..6c7872d85e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_dt1_occl_07.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_08_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_08_0.ybn index 5a82af3bff..c2bac4f43b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_08_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_08_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_14_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_14_0.ybn new file mode 100644 index 0000000000..8fea44954a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_14_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_24_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_24_0.ybn deleted file mode 100644 index 834a7da909..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_24_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_occl_00.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_occl_00.ymap new file mode 100644 index 0000000000..760a632816 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_occl_00.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_occl_01.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_occl_01.ymap new file mode 100644 index 0000000000..11957b7e63 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_hw1_occl_01.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_sm_occl_00.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_sm_occl_00.ymap new file mode 100644 index 0000000000..17d94e723a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_sm_occl_00.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_sm_occl_02.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_sm_occl_02.ymap new file mode 100644 index 0000000000..149910eea5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hei_sm_occl_02.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ch2_09b_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ch2_09b_1.ybn index 3ddccd1055..30ce61c0f8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ch2_09b_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ch2_09b_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ss1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ss1_02_0.ybn index f40a8fdf38..d18f7c6f13 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ss1_02_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@apa_ss1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_14_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_14_0.ybn new file mode 100644 index 0000000000..6f770a7b1c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_14_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_24_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_24_0.ybn index 0c1f4f42ac..94ac1e03f1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_24_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_hw1_24_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_sm_13_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_sm_13_0.ybn new file mode 100644 index 0000000000..a96fa74583 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hei_sm_13_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hw1_01_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hw1_01_0.ybn new file mode 100644 index 0000000000..8f1cbabfd3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@hw1_01_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@kt1_06_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@kt1_06_0.ybn index 0539b88260..972322842a 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@kt1_06_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@kt1_06_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@vb_05_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@vb_05_1.ybn new file mode 100644 index 0000000000..aa1b7df52b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hi@vb_05_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hw1_01_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hw1_01_0.ybn new file mode 100644 index 0000000000..8fc59aee94 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/hw1_01_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/kt1_06_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/kt1_06_0.ybn index c0c3c57248..42798a4470 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/kt1_06_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/kt1_06_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ss1_09_slod1_children.ydd b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ss1_09_slod1_children.ydd new file mode 100644 index 0000000000..09b61e1205 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ss1_09_slod1_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ss1_lod_01_02_08_09_10_11_children.ydd b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ss1_lod_01_02_08_09_10_11_children.ydd new file mode 100644 index 0000000000..7ff7929e45 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/ss1_lod_01_02_08_09_10_11_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_apart_midspaz.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_apart_midspaz.ybn index 50b1cd741b..c2eb955aba 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_apart_midspaz.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_apart_midspaz.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_studio_lo.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_studio_lo.ybn index 1b00edd28e..c3bbc79ea8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_studio_lo.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/v_studio_lo.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_1.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_1.ybn new file mode 100644 index 0000000000..be76c85a0a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_2.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_2.ybn new file mode 100644 index 0000000000..8c06779bfd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_3.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_3.ybn index e66dcaf8f6..f401a915ad 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_3.ybn and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_05_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_08_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_08_0.ybn new file mode 100644 index 0000000000..4a66e7b7e4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_08_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_17_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_17_0.ybn new file mode 100644 index 0000000000..e81a84053e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_17_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_20_0.ybn b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_20_0.ybn new file mode 100644 index 0000000000..0a142ce33f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_20_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_occl_00.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_occl_00.ymap new file mode 100644 index 0000000000..75d4b96fe9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_occl_00.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_occl_01.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_occl_01.ymap new file mode 100644 index 0000000000..93c5464189 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Assets/vb_occl_01.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_16.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_16.ymap new file mode 100644 index 0000000000..78a110e456 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_16.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_17.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_17.ymap new file mode 100644 index 0000000000..6ff0753abb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_17.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_18.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_18.ymap new file mode 100644 index 0000000000..e9eea20b54 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_18.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_19.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_19.ymap new file mode 100644 index 0000000000..cd6f2b4b33 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_19.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_20.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_20.ymap new file mode 100644 index 0000000000..0ecbb0b696 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_20.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_21.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_21.ymap new file mode 100644 index 0000000000..d157c6b3a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_21.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_22.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_22.ymap new file mode 100644 index 0000000000..4fdd35e41c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_22.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_23.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_23.ymap new file mode 100644 index 0000000000..f7090c7bbb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_23.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_24.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_24.ymap new file mode 100644 index 0000000000..f49534d581 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_24.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_25.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_25.ymap new file mode 100644 index 0000000000..7009c35b3d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_25.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_26.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_26.ymap new file mode 100644 index 0000000000..468af6cf35 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_26.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_27.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_27.ymap new file mode 100644 index 0000000000..5aecbe36dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_27.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_28.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_28.ymap new file mode 100644 index 0000000000..b0579dbe4d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_28.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_29.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_29.ymap new file mode 100644 index 0000000000..0e25b46325 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_29.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_30.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_30.ymap new file mode 100644 index 0000000000..5d37c0dbaa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_30.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_31.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_31.ymap new file mode 100644 index 0000000000..ad3344c4b7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_31.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_32.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_32.ymap new file mode 100644 index 0000000000..abb450b267 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_32.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_33.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_33.ymap new file mode 100644 index 0000000000..27bfc1ae25 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_33.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_34.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_34.ymap new file mode 100644 index 0000000000..3b786c6c60 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_34.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_35.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_35.ymap new file mode 100644 index 0000000000..34192793a7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_35.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_36.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_36.ymap new file mode 100644 index 0000000000..b04b842cd8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_36.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_37.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_37.ymap new file mode 100644 index 0000000000..1380772af6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Nord/Caravane/v_trailer_37.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_100.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_100.ymap new file mode 100644 index 0000000000..4753c200dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_100.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_101.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_101.ymap new file mode 100644 index 0000000000..dce1f44ace Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_101.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_102.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_102.ymap new file mode 100644 index 0000000000..b584f96e41 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_102.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_103.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_103.ymap new file mode 100644 index 0000000000..45db31c94d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_103.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_104.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_104.ymap new file mode 100644 index 0000000000..fe18652f32 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_104.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_105.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_105.ymap new file mode 100644 index 0000000000..b5efae3b12 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_105.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_106.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_106.ymap new file mode 100644 index 0000000000..1daa108bf0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_106.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_107.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_107.ymap new file mode 100644 index 0000000000..2d1c8d794c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_107.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_108.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_108.ymap new file mode 100644 index 0000000000..306bc04e33 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_108.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_109.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_109.ymap new file mode 100644 index 0000000000..a61ad2a062 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_109.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_110.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_110.ymap new file mode 100644 index 0000000000..60183bdc07 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_110.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_111.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_111.ymap new file mode 100644 index 0000000000..334a6b406c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_111.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_112.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_112.ymap new file mode 100644 index 0000000000..4f83678e3e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_112.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_113.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_113.ymap new file mode 100644 index 0000000000..77a3b0f68a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_113.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_114.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_114.ymap new file mode 100644 index 0000000000..bab79e6976 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_114.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_115.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_115.ymap new file mode 100644 index 0000000000..5c0b598f21 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_115.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_116.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_116.ymap new file mode 100644 index 0000000000..b41cfdb19a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_116.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_117.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_117.ymap new file mode 100644 index 0000000000..9ea2204f3b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_117.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_118.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_118.ymap new file mode 100644 index 0000000000..217620135b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_118.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_73.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_73.ymap new file mode 100644 index 0000000000..b110eebe33 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_73.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_74.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_74.ymap new file mode 100644 index 0000000000..de8291c896 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_74.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_75.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_75.ymap new file mode 100644 index 0000000000..fce6f2da97 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_75.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_76.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_76.ymap new file mode 100644 index 0000000000..d52f935cfd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_76.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_77.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_77.ymap new file mode 100644 index 0000000000..cf703bdb2a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_77.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_78.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_78.ymap new file mode 100644 index 0000000000..928f07ff91 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_78.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_79.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_79.ymap new file mode 100644 index 0000000000..5c15a1033a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_79.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_80.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_80.ymap new file mode 100644 index 0000000000..907e6cbd4d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_80.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_81.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_81.ymap new file mode 100644 index 0000000000..a3c49146eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_81.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_82.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_82.ymap new file mode 100644 index 0000000000..3302840e24 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_82.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_83.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_83.ymap new file mode 100644 index 0000000000..7b1ad338b4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_83.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_84.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_84.ymap new file mode 100644 index 0000000000..5ce5b6d0f2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_84.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_85.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_85.ymap new file mode 100644 index 0000000000..cbedca693c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_85.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_86.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_86.ymap new file mode 100644 index 0000000000..2e7770ecb5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_86.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_87.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_87.ymap new file mode 100644 index 0000000000..f724aa8e73 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_87.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_88.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_88.ymap new file mode 100644 index 0000000000..69f14b121a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_88.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_89.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_89.ymap new file mode 100644 index 0000000000..f83faa8aec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_89.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_90.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_90.ymap new file mode 100644 index 0000000000..4f8e02e9c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_90.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_91.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_91.ymap new file mode 100644 index 0000000000..9e97b2f02d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_91.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_92.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_92.ymap new file mode 100644 index 0000000000..b84bfbf3cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_92.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_93.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_93.ymap new file mode 100644 index 0000000000..1eb4b285f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_93.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_94.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_94.ymap new file mode 100644 index 0000000000..e518d66390 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_94.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_95.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_95.ymap new file mode 100644 index 0000000000..f24ba95026 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_95.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_96.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_96.ymap new file mode 100644 index 0000000000..b1b470dfa5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_96.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_97.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_97.ymap new file mode 100644 index 0000000000..26eb5364d4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_97.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_98.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_98.ymap new file mode 100644 index 0000000000..b0c63535ad Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_98.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_99.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_99.ymap new file mode 100644 index 0000000000..44e8e5a021 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Appartement/soz_appartements_99.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_08.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_08.ymap new file mode 100644 index 0000000000..69d391cedf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_08.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_09.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_09.ymap new file mode 100644 index 0000000000..da4be2f586 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_09.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_10.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_10.ymap new file mode 100644 index 0000000000..bd6befea5e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_10.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_11.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_11.ymap new file mode 100644 index 0000000000..7cd4dd3761 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_11.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_12.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_12.ymap new file mode 100644 index 0000000000..c384e1b03c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_12.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_13.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_13.ymap new file mode 100644 index 0000000000..5e35ad524a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_13.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_14.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_14.ymap new file mode 100644 index 0000000000..6e7a546944 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_14.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_15.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_15.ymap new file mode 100644 index 0000000000..58792fda78 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_15.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_16.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_16.ymap new file mode 100644 index 0000000000..72b65c8fd9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_16.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_17.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_17.ymap new file mode 100644 index 0000000000..15f6c1f99a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_17.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_18.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_18.ymap new file mode 100644 index 0000000000..38b1f498ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_18.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_19.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_19.ymap new file mode 100644 index 0000000000..191855611d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_19.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_20.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_20.ymap new file mode 100644 index 0000000000..45728b6f8e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_20.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_21.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_21.ymap new file mode 100644 index 0000000000..59938f66bf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_21.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_22.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_22.ymap new file mode 100644 index 0000000000..a363d2cd56 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_22.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_23.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_23.ymap new file mode 100644 index 0000000000..78f635dd0a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_23.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_24.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_24.ymap new file mode 100644 index 0000000000..4ce42d5218 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_24.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_25.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_25.ymap new file mode 100644 index 0000000000..73a057010f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Low/south_house_low_25.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_09.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_09.ymap new file mode 100644 index 0000000000..43a63ea8de Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_09.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_10.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_10.ymap new file mode 100644 index 0000000000..cb181256ab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_10.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_100.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_100.ymap new file mode 100644 index 0000000000..01c16ef3ab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_100.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_101.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_101.ymap new file mode 100644 index 0000000000..8fdaa6ab9f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_101.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_102.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_102.ymap new file mode 100644 index 0000000000..967a712e9a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_102.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_103.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_103.ymap new file mode 100644 index 0000000000..abd5f1c4b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_103.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_104.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_104.ymap new file mode 100644 index 0000000000..0585f1c729 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_104.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_105.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_105.ymap new file mode 100644 index 0000000000..964fcb7354 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_105.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_106.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_106.ymap new file mode 100644 index 0000000000..dab840e56a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_106.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_107.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_107.ymap new file mode 100644 index 0000000000..09a1d8073a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_107.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_108.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_108.ymap new file mode 100644 index 0000000000..4752e91166 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_108.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_109.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_109.ymap new file mode 100644 index 0000000000..2e2d221c24 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_109.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_11.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_11.ymap new file mode 100644 index 0000000000..4ad199e27d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_11.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_110.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_110.ymap new file mode 100644 index 0000000000..bb4376fd9a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_110.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_111.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_111.ymap new file mode 100644 index 0000000000..a3c7546881 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_111.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_112.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_112.ymap new file mode 100644 index 0000000000..3aba015161 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_112.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_113.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_113.ymap new file mode 100644 index 0000000000..a3308b7704 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_113.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_114.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_114.ymap new file mode 100644 index 0000000000..1093ad1a4c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_114.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_115.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_115.ymap new file mode 100644 index 0000000000..99d7d609f4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_115.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_116.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_116.ymap new file mode 100644 index 0000000000..8f8db73adb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_116.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_117.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_117.ymap new file mode 100644 index 0000000000..5e39c70738 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_117.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_118.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_118.ymap new file mode 100644 index 0000000000..0d4c7d9d82 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_118.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_119.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_119.ymap new file mode 100644 index 0000000000..bce8b08a34 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_119.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_12.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_12.ymap new file mode 100644 index 0000000000..930a40c405 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_12.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_120.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_120.ymap new file mode 100644 index 0000000000..cd8c2acca6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_120.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_121.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_121.ymap new file mode 100644 index 0000000000..c4cb9318cd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_121.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_122.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_122.ymap new file mode 100644 index 0000000000..6db460cf93 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_122.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_123.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_123.ymap new file mode 100644 index 0000000000..2673b1d839 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_123.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_124.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_124.ymap new file mode 100644 index 0000000000..040035f879 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_124.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_125.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_125.ymap new file mode 100644 index 0000000000..1868882547 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_125.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_126.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_126.ymap new file mode 100644 index 0000000000..2ce3e04b02 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_126.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_127.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_127.ymap new file mode 100644 index 0000000000..17d0a83e46 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_127.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_128.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_128.ymap new file mode 100644 index 0000000000..131f2280c8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_128.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_129.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_129.ymap new file mode 100644 index 0000000000..e9a0bcc5f4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_129.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_13.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_13.ymap new file mode 100644 index 0000000000..3ecd3994ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_13.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_130.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_130.ymap new file mode 100644 index 0000000000..7f376ef3c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_130.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_131.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_131.ymap new file mode 100644 index 0000000000..e39ab2ba3d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_131.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_14.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_14.ymap new file mode 100644 index 0000000000..15668667d6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_14.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_15.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_15.ymap new file mode 100644 index 0000000000..2efae02c01 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_15.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_16.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_16.ymap new file mode 100644 index 0000000000..a59f8c5415 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_16.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_17.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_17.ymap new file mode 100644 index 0000000000..2229aee981 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_17.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_18.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_18.ymap new file mode 100644 index 0000000000..99a466e016 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_18.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_19.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_19.ymap new file mode 100644 index 0000000000..d8133fd0c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_19.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_20.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_20.ymap new file mode 100644 index 0000000000..41d6e173b4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_20.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_21.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_21.ymap new file mode 100644 index 0000000000..bdea0682eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_21.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_22.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_22.ymap new file mode 100644 index 0000000000..f30b1858f5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_22.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_23.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_23.ymap new file mode 100644 index 0000000000..d3d30fea50 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_23.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_24.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_24.ymap new file mode 100644 index 0000000000..644fbfc1ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_24.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_25.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_25.ymap new file mode 100644 index 0000000000..c0ceeb6153 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_25.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_26.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_26.ymap new file mode 100644 index 0000000000..c47e36f3f5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_26.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_27.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_27.ymap new file mode 100644 index 0000000000..6c3204b002 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_27.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_28.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_28.ymap new file mode 100644 index 0000000000..b570e4bc6e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_28.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_29.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_29.ymap new file mode 100644 index 0000000000..4e09eca4fd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_29.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_30.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_30.ymap new file mode 100644 index 0000000000..68a3726843 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_30.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_31.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_31.ymap new file mode 100644 index 0000000000..6ad037d221 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_31.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_32.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_32.ymap new file mode 100644 index 0000000000..9f51baabbd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_32.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_33.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_33.ymap new file mode 100644 index 0000000000..2966f09e39 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_33.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_34.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_34.ymap new file mode 100644 index 0000000000..f122071eb1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_34.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_35.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_35.ymap new file mode 100644 index 0000000000..a06fab8763 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_35.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_36.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_36.ymap new file mode 100644 index 0000000000..19444a1a37 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_36.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_37.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_37.ymap new file mode 100644 index 0000000000..7f41f8ffcf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_37.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_38.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_38.ymap new file mode 100644 index 0000000000..9aca835031 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_38.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_39.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_39.ymap new file mode 100644 index 0000000000..6fa87fc0d9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_39.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_40.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_40.ymap new file mode 100644 index 0000000000..20c52ccafd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_40.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_41.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_41.ymap new file mode 100644 index 0000000000..1cc4696c7c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_41.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_42.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_42.ymap new file mode 100644 index 0000000000..c4f7f54de9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_42.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_43.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_43.ymap new file mode 100644 index 0000000000..c48977fe6a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_43.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_44.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_44.ymap new file mode 100644 index 0000000000..08305a2004 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_44.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_45.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_45.ymap new file mode 100644 index 0000000000..a63cc90601 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_45.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_46.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_46.ymap new file mode 100644 index 0000000000..cff93e81d0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_46.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_47.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_47.ymap new file mode 100644 index 0000000000..0c1b409082 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_47.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_48.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_48.ymap new file mode 100644 index 0000000000..7bf12bf648 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_48.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_49.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_49.ymap new file mode 100644 index 0000000000..75244abbe7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_49.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_50.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_50.ymap new file mode 100644 index 0000000000..75e4b45d6e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_50.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_51.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_51.ymap new file mode 100644 index 0000000000..135df2d45b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_51.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_52.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_52.ymap new file mode 100644 index 0000000000..9dd133e268 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_52.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_53.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_53.ymap new file mode 100644 index 0000000000..f588bca6ba Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_53.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_54.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_54.ymap new file mode 100644 index 0000000000..d687306cb5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_54.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_55.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_55.ymap new file mode 100644 index 0000000000..721704c1d2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_55.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_56.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_56.ymap new file mode 100644 index 0000000000..34f58db3a3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_56.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_57.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_57.ymap new file mode 100644 index 0000000000..dfcb6ca080 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_57.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_58.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_58.ymap new file mode 100644 index 0000000000..96259cff46 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_58.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_59.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_59.ymap new file mode 100644 index 0000000000..83f64bc56d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_59.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_60.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_60.ymap new file mode 100644 index 0000000000..9f10a02bdb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_60.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_61.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_61.ymap new file mode 100644 index 0000000000..740dbe5058 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_61.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_62.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_62.ymap new file mode 100644 index 0000000000..d0f844aa4d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_62.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_63.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_63.ymap new file mode 100644 index 0000000000..ececfcf2ec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_63.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_64.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_64.ymap new file mode 100644 index 0000000000..60ec6e93d8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_64.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_65.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_65.ymap new file mode 100644 index 0000000000..df922bf5de Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_65.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_66.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_66.ymap new file mode 100644 index 0000000000..7c5972c96f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_66.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_67.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_67.ymap new file mode 100644 index 0000000000..c701f0ad5c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_67.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_68.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_68.ymap new file mode 100644 index 0000000000..772706a417 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_68.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_69.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_69.ymap new file mode 100644 index 0000000000..a2e98b009b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_69.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_70.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_70.ymap new file mode 100644 index 0000000000..1127a341fd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_70.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_71.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_71.ymap new file mode 100644 index 0000000000..8817b76e35 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_71.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_72.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_72.ymap new file mode 100644 index 0000000000..eab4b731e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_72.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_73.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_73.ymap new file mode 100644 index 0000000000..8b47569250 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_73.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_74.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_74.ymap new file mode 100644 index 0000000000..8ebb97d36e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_74.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_75.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_75.ymap new file mode 100644 index 0000000000..fc0be4448b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_75.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_76.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_76.ymap new file mode 100644 index 0000000000..d069ad1570 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_76.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_77.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_77.ymap new file mode 100644 index 0000000000..64683c24f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_77.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_78.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_78.ymap new file mode 100644 index 0000000000..b194c895ec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_78.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_79.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_79.ymap new file mode 100644 index 0000000000..4f379c4d95 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_79.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_80.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_80.ymap new file mode 100644 index 0000000000..a6e4803e2e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_80.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_81.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_81.ymap new file mode 100644 index 0000000000..25c24d33b5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_81.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_82.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_82.ymap new file mode 100644 index 0000000000..8b0077c3e6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_82.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_83.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_83.ymap new file mode 100644 index 0000000000..52d9349e9d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_83.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_84.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_84.ymap new file mode 100644 index 0000000000..06c6fdc2d1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_84.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_85.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_85.ymap new file mode 100644 index 0000000000..0a9ed6df67 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_85.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_86.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_86.ymap new file mode 100644 index 0000000000..87ac168117 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_86.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_87.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_87.ymap new file mode 100644 index 0000000000..a24231dae2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_87.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_88.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_88.ymap new file mode 100644 index 0000000000..fa4d8930fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_88.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_89.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_89.ymap new file mode 100644 index 0000000000..d093b5a586 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_89.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_90.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_90.ymap new file mode 100644 index 0000000000..3fb0259df7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_90.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_91.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_91.ymap new file mode 100644 index 0000000000..f3f34e5dbc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_91.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_92.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_92.ymap new file mode 100644 index 0000000000..3150f33c89 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_92.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_93.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_93.ymap new file mode 100644 index 0000000000..318b114190 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_93.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_94.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_94.ymap new file mode 100644 index 0000000000..ac63e89f1c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_94.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_95.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_95.ymap new file mode 100644 index 0000000000..0f7c2d07f3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_95.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_96.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_96.ymap new file mode 100644 index 0000000000..6b3211d119 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_96.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_97.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_97.ymap new file mode 100644 index 0000000000..dc692d9f99 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_97.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_98.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_98.ymap new file mode 100644 index 0000000000..92a679f1c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_98.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_99.ymap b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_99.ymap new file mode 100644 index 0000000000..a85abb7d8a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/Sud/Mid/south_house_mid_99.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/_manifest.ymf deleted file mode 100644 index 1b9bce6929..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-appartement/stream/_manifestHOUSING.ymf b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/_manifestHOUSING.ymf new file mode 100644 index 0000000000..7992f3b254 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-appartement/stream/_manifestHOUSING.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-cayo/fxmanifest.lua new file mode 100644 index 0000000000..6d88659951 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-cayo/fxmanifest.lua @@ -0,0 +1,3 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/.gitkeep b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/.gitkeep new file mode 100644 index 0000000000..a16902fc8f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/.gitkeep differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/_manifestCAYO.ymf b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/_manifestCAYO.ymf new file mode 100644 index 0000000000..809a1e9c1b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/_manifestCAYO.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandairstrip.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandairstrip.ymap new file mode 100644 index 0000000000..5b331c2fca Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandairstrip.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandairstrip_hangar_props.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandairstrip_hangar_props.ymap new file mode 100644 index 0000000000..d7b285ae4a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandairstrip_hangar_props.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_maindock_props_2.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_maindock_props_2.ymap new file mode 100644 index 0000000000..edbfe55e6a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_maindock_props_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_maindock_props_2_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_maindock_props_2_lod.ymap new file mode 100644 index 0000000000..3974860fa8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_maindock_props_2_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_props.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_props.ymap new file mode 100644 index 0000000000..a03fa9c7ee Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_props.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_terrain_props_06_c.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_terrain_props_06_c.ymap new file mode 100644 index 0000000000..fc56988606 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandx_terrain_props_06_c.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxcanal_props.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxcanal_props.ymap new file mode 100644 index 0000000000..571af3b77f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxcanal_props.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxcanal_props_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxcanal_props_lod.ymap new file mode 100644 index 0000000000..0a36be0106 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxcanal_props_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxtower.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxtower.ymap new file mode 100644 index 0000000000..772aba4426 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_islandxtower.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_airp_veg_e_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_airp_veg_e_slod_children.ydd new file mode 100644 index 0000000000..bd18aae5df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_airp_veg_e_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_dockp_combo20_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_dockp_combo20_slod_children.ydd new file mode 100644 index 0000000000..f4d2550786 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_dockp_combo20_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_dockp_combo34_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_dockp_combo34_slod_children.ydd new file mode 100644 index 0000000000..f58344acb6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_dockp_combo34_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod2_children.ydd new file mode 100644 index 0000000000..aaa7203420 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod3_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod3_children.ydd new file mode 100644 index 0000000000..3b45182e30 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod3_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod4_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod4_children.ydd new file mode 100644 index 0000000000..0d522ff711 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_isl_lod_airstripp_hangar_props_slod4_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ne_p_combo05_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ne_p_combo05_slod_children.ydd new file mode 100644 index 0000000000..66aaf9678c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ne_p_combo05_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_13.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_13.ydr new file mode 100644 index 0000000000..daae4e1ae1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_13.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_13a_ds_d.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_13a_ds_d.ydr new file mode 100644 index 0000000000..c15a548f6a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_13a_ds_d.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_19.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_19.ydr new file mode 100644 index 0000000000..122a5ee4b2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_19.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_19_d.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_19_d.ydr new file mode 100644 index 0000000000..90a57379fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_ter04_mp4_ter04_19_d.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_04_grass_0.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_04_grass_0.ymap new file mode 100644 index 0000000000..80dba795a5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_04_grass_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_04_grass_1.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_04_grass_1.ymap new file mode 100644 index 0000000000..631467c250 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_04_grass_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_05_grass_0.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_05_grass_0.ymap new file mode 100644 index 0000000000..72989e23de Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_05_grass_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_06_grass_0.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_06_grass_0.ymap new file mode 100644 index 0000000000..a182b6e341 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_mph4_terrain_06_grass_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07.ymap new file mode 100644 index 0000000000..655978a7be Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_1.ybn b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_1.ybn new file mode 100644 index 0000000000..9cacf87521 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_5.ybn b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_5.ybn new file mode 100644 index 0000000000..dd41af7b5f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_lod.ymap new file mode 100644 index 0000000000..6fec96d396 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/h4_ne_ipl_07_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_ground.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_ground.ydr new file mode 100644 index 0000000000..dd58fb8fd9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_ground.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_milo_.ymap new file mode 100644 index 0000000000..efb3f87750 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_strm0.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_strm0.ymap new file mode 100644 index 0000000000..41ac97f7bd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247_strm0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247b.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247b.ydr new file mode 100644 index 0000000000..06f645be05 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247b.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247d.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247d.ydr new file mode 100644 index 0000000000..2ebca0d061 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_247d.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank.ydr new file mode 100644 index 0000000000..a858f99cdf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_decal1.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_decal1.ydr new file mode 100644 index 0000000000..0270d6ae44 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_decal1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_details1.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_details1.ydr new file mode 100644 index 0000000000..a767dd3c00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_details1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_details2.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_details2.ydr new file mode 100644 index 0000000000..e1b72c82cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_details2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_milo_.ymap new file mode 100644 index 0000000000..fdf3f180f3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_strm0.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_strm0.ymap new file mode 100644 index 0000000000..98a55e4502 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bank_strm0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_lod.ymap new file mode 100644 index 0000000000..c3e5cf137e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_metadata_001.ytyp b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_metadata_001.ytyp new file mode 100644 index 0000000000..a8d84e4faf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_metadata_001.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_slod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_slod.ymap new file mode 100644 index 0000000000..eb2af7d77b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_bldg_slod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_decal1.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_decal1.ydr new file mode 100644 index 0000000000..0d57b6de56 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_decal1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_milo_.ymap new file mode 100644 index 0000000000..185e0c1f3e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_strm0.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_strm0.ymap new file mode 100644 index 0000000000..a0eb5787b9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslo_strm0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslob.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslob.ydr new file mode 100644 index 0000000000..f6937a8d09 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_clotheslob.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ydr b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ydr new file mode 100644 index 0000000000..46dba06dbe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ymap new file mode 100644 index 0000000000..c85b7700c9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ytyp b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ytyp new file mode 100644 index 0000000000..13965c2e5e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_helipad.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_props.ytyp b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_props.ytyp new file mode 100644 index 0000000000..17a1c35ac2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_props.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_stores_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_stores_lod.ymap new file mode 100644 index 0000000000..ab72e9831e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_stores_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_stores_slod.ymap b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_stores_slod.ymap new file mode 100644 index 0000000000..233177aed8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_cayo_stores_slod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod2_cayo_bldg_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod2_cayo_bldg_children.ydd new file mode 100644 index 0000000000..c055c51057 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod2_cayo_bldg_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod_cayo_bldg_children.ydd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod_cayo_bldg_children.ydd new file mode 100644 index 0000000000..d788be2a5a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod_cayo_bldg_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod_cayo_bldg_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod_cayo_bldg_txd.ytd new file mode 100644 index 0000000000..a8f8b185a3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cayo/stream/soz_slod_cayo_bldg_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-cinema/fxmanifest.lua new file mode 100644 index 0000000000..556a5e5511 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-cinema/fxmanifest.lua @@ -0,0 +1,3 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/_cinemavine.ymf b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/_cinemavine.ymf new file mode 100644 index 0000000000..ba64e3dc5a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/_cinemavine.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/cinemastreet.ymap b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/cinemastreet.ymap new file mode 100644 index 0000000000..c49224cefa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/cinemastreet.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hei_hw1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hei_hw1_02_0.ybn new file mode 100644 index 0000000000..ebc83a9a6c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hei_hw1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hei_hw1_occl_01.ymap b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hei_hw1_occl_01.ymap new file mode 100644 index 0000000000..bcde4c85ef Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hei_hw1_occl_01.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hi@hei_hw1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hi@hei_hw1_02_0.ybn new file mode 100644 index 0000000000..70267e0210 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hi@hei_hw1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hw1_02_bld3x.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hw1_02_bld3x.ydr new file mode 100644 index 0000000000..10da6ea4a7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/hw1_02_bld3x.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_cinemabar.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_cinemabar.ydr new file mode 100644 index 0000000000..a87f62173e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_cinemabar.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_cinemabath.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_cinemabath.ydr new file mode 100644 index 0000000000..1b120ec797 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_cinemabath.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_chairs4.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_chairs4.ydr new file mode 100644 index 0000000000..4e10358843 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_chairs4.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_curtains.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_curtains.ydr new file mode 100644 index 0000000000..e3c3687e0d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_curtains.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_floornwalls.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_floornwalls.ydr new file mode 100644 index 0000000000..785b75ddc6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_floornwalls.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_rails01.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_rails01.ydr new file mode 100644 index 0000000000..015dcc0662 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_rails01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_rails02.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_rails02.ydr new file mode 100644 index 0000000000..c13623b7bc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_rails02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_speakrsdetails.ydr b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_speakrsdetails.ydr new file mode 100644 index 0000000000..df92be3508 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_50_speakrsdetails.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_cinemavine.ybn b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_cinemavine.ybn new file mode 100644 index 0000000000..593a3eeb7c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/soz_v_cinemavine.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/v_cinemavine_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/v_cinemavine_milo_.ymap new file mode 100644 index 0000000000..a4025e89be Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/v_cinemavine_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-cinema/stream/v_int_50vine.ytyp b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/v_int_50vine.ytyp new file mode 100644 index 0000000000..171fc605ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-cinema/stream/v_int_50vine.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/fxmanifest.lua index 182275e783..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/fxmanifest.lua @@ -1,10 +1,3 @@ fx_version 'cerulean' game 'gta5' this_is_a_map 'yes' - -files { - "interiorproxies.meta" -} - - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' diff --git a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/hi@vb_38_2.ybn b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/hi@vb_38_2.ybn index 58b71955e0..833d63fa85 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/hi@vb_38_2.ybn and b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/hi@vb_38_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/marina_col.ybn b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/marina_col.ybn index 01e2906403..42534a5932 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/marina_col.ybn and b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/marina_col.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/vb_38_1.ybn b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/vb_38_1.ybn index 1bbd65a0a9..2aefc72732 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/vb_38_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-drivingmarina/stream/vb_38_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-drugs/fxmanifest.lua new file mode 100644 index 0000000000..8366ba9d30 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-drugs/fxmanifest.lua @@ -0,0 +1,9 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' + +data_file 'DLC_ITYP_REQUEST' 'stream/soz_mushroom_pot.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/soz_props_ciguatoxine.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/soz_props_pandoxine.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/soz_props_krakenine.ytyp' + diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom.ytd b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom.ytd new file mode 100644 index 0000000000..38a11e116e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot.ytyp b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot.ytyp new file mode 100644 index 0000000000..8e2ede7ac8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_1.ydr b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_1.ydr new file mode 100644 index 0000000000..536b0ef37d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_2.ydr b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_2.ydr new file mode 100644 index 0000000000..1c0109d560 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_3.ydr b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_3.ydr new file mode 100644 index 0000000000..742f3c714e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_mushroom_pot_3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ydr b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ydr new file mode 100644 index 0000000000..00cb130b10 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ytd b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ytd new file mode 100644 index 0000000000..dd678ccdbc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ytyp b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ytyp new file mode 100644 index 0000000000..56652f0fc9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_ciguatoxine.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_krakenine.ydr b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_krakenine.ydr new file mode 100644 index 0000000000..5b26b4e7aa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_krakenine.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_krakenine.ytyp b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_krakenine.ytyp new file mode 100644 index 0000000000..e4f5b0437d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_krakenine.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ydr b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ydr new file mode 100644 index 0000000000..564b39380b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ytd b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ytd new file mode 100644 index 0000000000..9a8df4e131 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ytyp b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ytyp new file mode 100644 index 0000000000..c0c8a1147b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-drugs/stream/soz_props_pandoxine.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-electric-conc/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-electric-conc/fxmanifest.lua index 71e2f410c2..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-electric-conc/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-electric-conc/fxmanifest.lua @@ -1,4 +1,3 @@ fx_version 'cerulean' game 'gta5' - -this_is_a_map 'yes' \ No newline at end of file +this_is_a_map 'yes' diff --git a/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/hi@ss1_06b_0.ybn b/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/hi@ss1_06b_0.ybn new file mode 100644 index 0000000000..a84cf8b6cf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/hi@ss1_06b_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/ss1_06b_0.ybn b/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/ss1_06b_0.ybn index ccd45a4411..e4050291ff 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/ss1_06b_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/ss1_06b_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/v_soz_conc.ybn b/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/v_soz_conc.ybn index 3ed5b1cdba..5f870b1c5e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/v_soz_conc.ybn and b/resources/[mapping]/[mapping-prod]/soz-electric-conc/stream/v_soz_conc.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/audio/v_sweat_game.dat151.rel b/resources/[mapping]/[mapping-prod]/soz-ffs/audio/v_sweat_game.dat151.rel deleted file mode 100644 index 0d20a61694..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/audio/v_sweat_game.dat151.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-ffs/fxmanifest.lua index ae5d7181a5..556a5e5511 100644 --- a/resources/[mapping]/[mapping-prod]/soz-ffs/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-ffs/fxmanifest.lua @@ -1,10 +1,3 @@ fx_version 'cerulean' game 'gta5' -this_is_a_map 'yes' - -files { - "audio/v_sweat_game.dat151.rel", -} - -data_file 'DLC_ITYP_REQUEST' 'stream/soz_ffs_logo.ytyp' -data_file 'AUDIO_GAMEDATA' 'audio/v_sweat_game.dat' +this_is_a_map 'yes' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/_manifest.ymf deleted file mode 100644 index 82f380d302..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/_manifestFFS.ymf b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/_manifestFFS.ymf new file mode 100644 index 0000000000..b60708ba67 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/_manifestFFS.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/soz_ffs_logo.ydr b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/soz_ffs_logo.ydr index d1d642dc3c..2972344652 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/soz_ffs_logo.ydr and b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/soz_ffs_logo.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_19.ytyp b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_19.ytyp deleted file mode 100644 index 85dac957f0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_19.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_35.ytyp b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_35.ytyp index b31e43765a..090d92a5c0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_35.ytyp and b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_int_35.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_strip3.ybn b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_strip3.ybn deleted file mode 100644 index 9ae62c151c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_strip3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweat.ybn b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweat.ybn index 79ecb71edd..bc89e21a56 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweat.ybn and b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweat.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweatempty.ybn b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweatempty.ybn index a74b910388..a009658bf2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweatempty.ybn and b/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_sweatempty.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ydd/hw1_09_billboards.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ydd/hw1_09_billboards.ydr new file mode 100644 index 0000000000..fd80d5d956 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ydd/hw1_09_billboards.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_distlodlights_medium001.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_distlodlights_medium001.ymap index 32464a0751..1ff1d22ea2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_distlodlights_medium001.ymap and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_distlodlights_medium001.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_lodlights_medium001.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_lodlights_medium001.ymap index 6d844b4cf6..646b04ab9e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_lodlights_medium001.ymap and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ymap/vw_lodlights_medium001.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_09_billboards+hidr.ytd b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_09_billboards+hidr.ytd new file mode 100644 index 0000000000..064b6c600f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_09_billboards+hidr.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_09_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_09_lod.ytd new file mode 100644 index 0000000000..6146a54123 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_09_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_lod_08_09_16_17_18_children.ytd b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_lod_08_09_16_17_18_children.ytd new file mode 100644 index 0000000000..0ff98198b5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/LODs/ytd/hw1_lod_08_09_16_17_18_children.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/_manifest.ymf new file mode 100644 index 0000000000..60c7744b77 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/_manifestCLO.ymf b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/_manifestCLO.ymf new file mode 100644 index 0000000000..fe476efa1e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/_manifestCLO.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_02_strm_1.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_02_strm_1.ymap new file mode 100644 index 0000000000..eb165b5f6c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_02_strm_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_02_strm_2.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_02_strm_2.ymap new file mode 100644 index 0000000000..3188bdbab9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_02_strm_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_03_long_0.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_03_long_0.ymap new file mode 100644 index 0000000000..c7fe916b6e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/hei_cs2_03_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_001.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_001.ydr new file mode 100644 index 0000000000..40bde5f972 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_001.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_002.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_002.ydr new file mode 100644 index 0000000000..c6e991bf5e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_002.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_003.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_003.ydr new file mode 100644 index 0000000000..2f195b34c5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_003.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_004.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_004.ydr new file mode 100644 index 0000000000..5ec04a30fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_004.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_005.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_005.ydr new file mode 100644 index 0000000000..b857ea46cd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_005.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_006.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_006.ydr new file mode 100644 index 0000000000..6b01f9a84c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_006.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_007.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_007.ydr new file mode 100644 index 0000000000..765e0c7168 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_007.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_008.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_008.ydr new file mode 100644 index 0000000000..d9bd8a1f28 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_008.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_009.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_009.ydr new file mode 100644 index 0000000000..c5d499c878 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_009.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_010.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_010.ydr new file mode 100644 index 0000000000..caedb6571e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_010.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_011.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_011.ydr new file mode 100644 index 0000000000..156173e082 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_011.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_012.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_012.ydr new file mode 100644 index 0000000000..c8d0078a98 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_012.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_013.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_013.ydr new file mode 100644 index 0000000000..3028f1d030 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_013.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_014.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_014.ydr new file mode 100644 index 0000000000..63ba23bf05 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_014.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_015.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_015.ydr new file mode 100644 index 0000000000..cfad294422 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_015.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_016.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_016.ydr new file mode 100644 index 0000000000..64887c0956 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_016.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_017.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_017.ydr new file mode 100644 index 0000000000..e6efaac9fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_017.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_018.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_018.ydr new file mode 100644 index 0000000000..cd99b30265 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_018.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_1.ybn new file mode 100644 index 0000000000..64796b95f8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_2.ybn new file mode 100644 index 0000000000..8f15305da7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_3.ybn new file mode 100644 index 0000000000..16de852ea5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_4.ybn new file mode 100644 index 0000000000..3fe1d36918 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_5.ybn new file mode 100644 index 0000000000..143d24163f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_6.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_6.ybn new file mode 100644 index 0000000000..ce757f0fcc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_0_6.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_placement.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_placement.ymap new file mode 100644 index 0000000000..adee49b395 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_placement.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_props.ytyp b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_props.ytyp new file mode 100644 index 0000000000..35173cb5bb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/drainage_water/soz_clo_props.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/_manifestTRAINING.ymf b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/_manifestTRAINING.ymf new file mode 100644 index 0000000000..3fb1f58906 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/_manifestTRAINING.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_glue_26.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_glue_26.ydr new file mode 100644 index 0000000000..a68f9d982e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_glue_26.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_mil_runway12.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_mil_runway12.ydr new file mode 100644 index 0000000000..d0e3b0c5c8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_mil_runway12.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_props_combo31_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_props_combo31_slod_children.ydd new file mode 100644 index 0000000000..c27ab848e6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_props_combo31_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_pub38.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_pub38.ydr new file mode 100644 index 0000000000..236936026c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/cs3_07_pub38.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07.ymap new file mode 100644 index 0000000000..2b09188423 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_10.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_10.ybn new file mode 100644 index 0000000000..760aa5b82a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_10.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_7.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_7.ybn new file mode 100644 index 0000000000..c0a94927d1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_7.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_long_1.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_long_1.ymap new file mode 100644 index 0000000000..a7e86571fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_long_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_10.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_10.ymap new file mode 100644 index 0000000000..fdf8fbabf5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_10.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_11.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_11.ymap new file mode 100644 index 0000000000..d5eeed5111 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_11.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_12.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_12.ymap new file mode 100644 index 0000000000..8cc8cd8504 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/hei_cs3_07_strm_12.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/soz_military_props.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/soz_military_props.ymap new file mode 100644 index 0000000000..de7bd3ab97 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/military_map_training/soz_military_props.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/weed_plant/_manifestWEEDZONE.ymf b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/weed_plant/_manifestWEEDZONE.ymf new file mode 100644 index 0000000000..1170969a94 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/weed_plant/_manifestWEEDZONE.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/weed_plant/soz_weed_little_farm_strm.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/weed_plant/soz_weed_little_farm_strm.ymap new file mode 100644 index 0000000000..18fa85fc7d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/weed_plant/soz_weed_little_farm_strm.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/hei_sm_13_0.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/hei_sm_13_0.ybn new file mode 100644 index 0000000000..78347cae42 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/hei_sm_13_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/lr_cs4_04_0.ybn b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/lr_cs4_04_0.ybn index 9ac0e6d7ce..16e784b20c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/lr_cs4_04_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ybn/lr_cs4_04_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/hei_sm_13_newgrd.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/hei_sm_13_newgrd.ydr new file mode 100644 index 0000000000..e4afd5f840 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/hei_sm_13_newgrd.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/sm_13_bld2.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/sm_13_bld2.ydr new file mode 100644 index 0000000000..fe537dd72f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/sm_13_bld2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/soz_prop_veg_crop_orange.ydr b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/soz_prop_veg_crop_orange.ydr new file mode 100644 index 0000000000..e38fc33cab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ydr/soz_prop_veg_crop_orange.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_cs2_03_long_0.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_cs2_03_long_0.ymap new file mode 100644 index 0000000000..3ac301aa60 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_cs2_03_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_hw1_06_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_hw1_06_strm_0.ymap new file mode 100644 index 0000000000..ff0c3eb398 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_hw1_06_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_sm_14_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_sm_14_strm_0.ymap new file mode 100644 index 0000000000..81250955b7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ymap/hei_sm_14_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ytyp/soz_fdf_assets.ytyp b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ytyp/soz_fdf_assets.ytyp new file mode 100644 index 0000000000..69aa2614b3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-globalmap/stream/ytyp/soz_fdf_assets.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-hammerplace/fxmanifest.lua new file mode 100644 index 0000000000..556a5e5511 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-hammerplace/fxmanifest.lua @@ -0,0 +1,3 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/_manifest.ymf new file mode 100644 index 0000000000..8c7b95ef97 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_0.ybn b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_0.ybn new file mode 100644 index 0000000000..632d829d3c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build1.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build1.ydr new file mode 100644 index 0000000000..4790456fba Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build1.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build1.ytyp new file mode 100644 index 0000000000..443025d35c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build1.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build2.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build2.ydr new file mode 100644 index 0000000000..2565c07f11 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build2.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build2.ytyp new file mode 100644 index 0000000000..5cb31334fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_build2.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dt_13_ems.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dt_13_ems.ydr new file mode 100644 index 0000000000..354e6c64ca Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dt_13_ems.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dt_13_ems.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dt_13_ems.ytyp new file mode 100644 index 0000000000..2aeea6afe0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dt_13_ems.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtla.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtla.ydr new file mode 100644 index 0000000000..b9195cbaaf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtla.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtla.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtla.ytyp new file mode 100644 index 0000000000..0b1ad2a324 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtla.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtlb.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtlb.ydr new file mode 100644 index 0000000000..d8567dba09 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtlb.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtlb.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtlb.ytyp new file mode 100644 index 0000000000..bd50a1d352 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_dtlb.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_superlod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_superlod_children.ydd new file mode 100644 index 0000000000..00fc7df2a3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_13_superlod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_lod_slod3_children.ydd b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_lod_slod3_children.ydd new file mode 100644 index 0000000000..4a81f5ba71 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_lod_slod3_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_4.ybn new file mode 100644 index 0000000000..f9e0f5c086 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_r1_28.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_r1_28.ydr new file mode 100644 index 0000000000..d758c85b06 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_r1_28.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_r1_28.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_r1_28.ytyp new file mode 100644 index 0000000000..d6c3a4cb0e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/dt1_rd1_r1_28.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13.ymap new file mode 100644 index 0000000000..8a83913065 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13_long_0.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13_long_0.ymap new file mode 100644 index 0000000000..c5642462f4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13_strm_0.ymap new file mode 100644 index 0000000000..b6935527b9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hei_dt1_13_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hi@dt1_13_0.ybn b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hi@dt1_13_0.ybn new file mode 100644 index 0000000000..8dbdbd4eae Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/hi@dt1_13_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_lproxy.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_lproxy.ydr new file mode 100644 index 0000000000..4188510f78 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_lproxy.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ydr b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ydr new file mode 100644 index 0000000000..6f4b481626 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ymap new file mode 100644 index 0000000000..31c85a342d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ytyp b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ytyp new file mode 100644 index 0000000000..def4057e35 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_props.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_txd.ytd new file mode 100644 index 0000000000..304f073624 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/soz_hammer_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium015.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium015.ymap new file mode 100644 index 0000000000..1bb7c6a65b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium015.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium019.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium019.ymap new file mode 100644 index 0000000000..725a551f54 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium019.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium022.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium022.ymap new file mode 100644 index 0000000000..c6edc9919e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_medium022.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_small029.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_small029.ymap new file mode 100644 index 0000000000..66c8748551 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_small029.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_small037.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_small037.ymap new file mode 100644 index 0000000000..aa21b9c86e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_distlodlights_small037.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium015.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium015.ymap new file mode 100644 index 0000000000..fabfdf6950 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium015.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium019.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium019.ymap new file mode 100644 index 0000000000..47dc02d677 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium019.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium022.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium022.ymap new file mode 100644 index 0000000000..d14ed8d181 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_medium022.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_small029.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_small029.ymap new file mode 100644 index 0000000000..3e270b8359 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_small029.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_small037.ymap b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_small037.ymap new file mode 100644 index 0000000000..295a13255a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-hammerplace/stream/vw_lodlights_small037.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-lsmc/fxmanifest.lua index c5d9dd56a8..556a5e5511 100644 --- a/resources/[mapping]/[mapping-prod]/soz-lsmc/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-lsmc/fxmanifest.lua @@ -1,12 +1,3 @@ fx_version 'cerulean' game 'gta5' -this_is_a_map 'yes' - - -files { - - "interiorproxies.meta" - -} - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' \ No newline at end of file +this_is_a_map 'yes' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/hi@sc1_08_0.ybn b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/hi@sc1_08_0.ybn index 68af41ba34..13538c397d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/hi@sc1_08_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/hi@sc1_08_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/sc1_08_0.ybn b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/sc1_08_0.ybn index 147b5e14dd..96925a15e0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/sc1_08_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/sc1_08_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/v_lsmc_int.ybn b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/v_lsmc_int.ybn index 9b5eb63086..2eb8ea05f0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/v_lsmc_int.ybn and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ybn/v_lsmc_int.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_det_03.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_det_03.ydr index fef9f37fa5..c8377e871b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_det_03.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_det_03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_hosp.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_hosp.ydr index 4b04b386e3..ec17257a07 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_hosp.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/sc1_08_hosp.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_custom_ex_office2b_sinks.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_custom_ex_office2b_sinks.ydr index 63f4d1c752..28fe4bdc45 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_custom_ex_office2b_sinks.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_custom_ex_office2b_sinks.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_cubicle01.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_cubicle01.ydr index 2b7976a431..da7bf007bf 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_cubicle01.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_cubicle01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_down.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_down.ydr index bfad67513a..43d7a54851 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_down.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_down.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_up.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_up.ydr index 6c9a9aefb6..71423c0042 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_up.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_elevator_up.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_entrancemat.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_entrancemat.ydr index c38a347be2..4ea5bc38c9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_entrancemat.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_entrancemat.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_fence.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_fence.ydr index 7c4cefe9a5..3adcdf3895 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_fence.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_fence.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_001.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_001.ydr new file mode 100644 index 0000000000..972837d3af Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_001.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_002.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_002.ydr new file mode 100644 index 0000000000..0d17ca2593 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_002.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_003.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_003.ydr new file mode 100644 index 0000000000..0fb53c9fc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_003.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_004.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_004.ydr new file mode 100644 index 0000000000..53222fc46c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_004.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_005.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_005.ydr new file mode 100644 index 0000000000..81c3a54e10 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_005.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_006.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_006.ydr new file mode 100644 index 0000000000..71d26eee89 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_int_glass_006.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_lobby.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_lobby.ydr index 27417bd014..3467d0d9d3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_lobby.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_lobby.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_shell.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_shell.ydr index 178fab9d45..83f3b650cc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_shell.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_shell.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_stairs1.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_stairs1.ydr index c22c15487f..ea8af68d1c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_stairs1.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_stairs1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_01.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_01.ydr index a26c520edb..c9cfcf9fb2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_02.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_02.ydr index 78053f2c2d..8a48a0748f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_02.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_03.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_03.ydr index 29c4fdf0a2..d6a0bf3a9b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_03.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_04.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_04.ydr index f8c9930b8c..3eacfe0681 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_04.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_toilet_04.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_urinal.ydr b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_urinal.ydr index 67e763113f..5de097e6fc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_urinal.ydr and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ydr/soz_lsmc_urinal.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/lr_sc1_occl_03.ymap b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/lr_sc1_occl_03.ymap index 04226a297d..6165d64aeb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/lr_sc1_occl_03.ymap and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/lr_sc1_occl_03.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/soz_lsmc_location.ymap b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/soz_lsmc_location.ymap index f2583fa14b..18763e23fd 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/soz_lsmc_location.ymap and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ymap/soz_lsmc_location.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/lsmc_props.ytyp b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/lsmc_props.ytyp index 3ffdb8cae1..484e457147 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/lsmc_props.ytyp and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/lsmc_props.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/v_lsmc_int.ytyp b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/v_lsmc_int.ytyp index a3eff41bf3..5a697786a4 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/v_lsmc_int.ytyp and b/resources/[mapping]/[mapping-prod]/soz-lsmc/stream/ytyp/v_lsmc_int.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/audio/v_bahama_game.dat151.rel b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/audio/v_bahama_game.dat151.rel deleted file mode 100644 index 5c2fb917d5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/audio/v_bahama_game.dat151.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/audio/v_bahama_mix.dat15.rel b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/audio/v_bahama_mix.dat15.rel deleted file mode 100644 index 2d9583fe46..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/audio/v_bahama_mix.dat15.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/fxmanifest.lua deleted file mode 100644 index d8172e36c7..0000000000 --- a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/fxmanifest.lua +++ /dev/null @@ -1,11 +0,0 @@ -fx_version 'bodacious' -games { 'gta5' } -this_is_a_map 'yes' - -files { - "audio/v_bahama_game.dat151.rel", - "audio/v_bahama_mix.dat15.rel", -} - -data_file 'AUDIO_GAMEDATA' 'audio/v_bahama_game.dat' -data_file 'AUDIO_DYNAMIXDATA' 'audio/v_bahama_mix.dat' diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/3728417233.ymt b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/3728417233.ymt deleted file mode 100644 index d59086709d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/3728417233.ymt and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/_manifest.ymf deleted file mode 100644 index 448f05fca8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_0.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_0.ybn deleted file mode 100644 index ac9a42e421..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_interior_v_bahama_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_interior_v_bahama_milo_.ymap deleted file mode 100644 index 6d569786a0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_interior_v_bahama_milo_.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_strm_0.ymap deleted file mode 100644 index 426e1f0df9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_16_strm_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_occl_03.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_occl_03.ymap deleted file mode 100644 index 4cf89990ba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_occl_03.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd.ymap deleted file mode 100644 index 95ba20a2c8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd_long_1.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd_long_1.ymap deleted file mode 100644 index aabf8e49cd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd_long_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd_strm_1.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd_strm_1.ymap deleted file mode 100644 index 4552a2907b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hei_sm_rd_strm_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hi@hei_sm_16_0.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hi@hei_sm_16_0.ybn deleted file mode 100644 index cedcc64a9b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/hi@hei_sm_16_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01.ydr deleted file mode 100644 index fa5c4528f3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_glue_weed.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_glue_weed.ydr deleted file mode 100644 index 9379743919..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_glue_weed.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_strm_0.ymap deleted file mode 100644 index e490dd0f24..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_strm_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas.ytyp deleted file mode 100644 index d074af4b85..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamasdoor.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamasdoor.ydr deleted file mode 100644 index fbfc720df7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamasdoor.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_4_changing.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_4_changing.ydr deleted file mode 100644 index 433fba34e8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_4_changing.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_club_baham_bckt_chr.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_club_baham_bckt_chr.ydr deleted file mode 100644 index cbcb0c68fb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_club_baham_bckt_chr.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_club_bahbarstool.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_club_bahbarstool.ydr deleted file mode 100644 index 0f0e010404..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_v_club_bahbarstool.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bah2_bar_trim.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bah2_bar_trim.ydr deleted file mode 100644 index 4e2ee101e3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bah2_bar_trim.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahfrntbar.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahfrntbar.ydr deleted file mode 100644 index f05f6ca71d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahfrntbar.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahtouchtables.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahtouchtables.ydr deleted file mode 100644 index f7701f7c80..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahtouchtables.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bohamas.ytd b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bohamas.ytd deleted file mode 100644 index 7104fb6aed..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bohamas.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bohamasshell.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bohamasshell.ydr deleted file mode 100644 index b75fb17326..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bohamasshell.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybarlitebox.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybarlitebox.ydr deleted file mode 100644 index d19a7da2fe..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybarlitebox.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaycylights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaycylights.ydr deleted file mode 100644 index ef90ebe796..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaycylights.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaytouchtables.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaytouchtables.ydr deleted file mode 100644 index f8eda5371f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaytouchtables.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_gaydancelights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_gaydancelights.ydr deleted file mode 100644 index 314b270eba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_gaydancelights.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_payboothglass.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_payboothglass.ydr deleted file mode 100644 index 7ea3090716..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_payboothglass.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_toilet.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_toilet.ydr deleted file mode 100644 index d2865e10cc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_toilet.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_bahama.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_bahama.ybn deleted file mode 100644 index 0cfd7740cd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_bahama.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_cabinet.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_cabinet.ydr deleted file mode 100644 index 2c4b184855..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_cabinet.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_desk.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_desk.ydr deleted file mode 100644 index d7c5e83137..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_desk.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_desk001.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_desk001.ydr deleted file mode 100644 index 726aaa2460..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_desk001.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_library.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_library.ydr deleted file mode 100644 index b34dea1c7e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_library.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_library001.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_library001.ydr deleted file mode 100644 index 8863811f44..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_library001.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_trash.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_trash.ydr deleted file mode 100644 index 6464de09c0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_club_officeset_trash.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_int_4.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_int_4.ytyp deleted file mode 100644 index 922a7cf8a5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_int_4.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/client.lua b/resources/[mapping]/[mapping-prod]/soz-map-baun/client.lua new file mode 100644 index 0000000000..7d483c987b --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-map-baun/client.lua @@ -0,0 +1,10 @@ +Citizen.CreateThread(function() + RequestIpl("soz_hei_sm_16_interior_v_bahama_milo_") + + local interiorID = GetInteriorAtCoords(-1395.68066, -600.0405, 29.7488689) + + if IsValidInterior(interiorID) then + RemoveIpl("hei_sm_16_interior_v_bahama_milo_") + RefreshInterior(interiorID) + end +end) diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-map-baun/fxmanifest.lua new file mode 100644 index 0000000000..27fc0da2be --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-map-baun/fxmanifest.lua @@ -0,0 +1,7 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' + +client_scripts { + "client.lua", +} diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/_manifestBAHAMA.ymf b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/_manifestBAHAMA.ymf new file mode 100644 index 0000000000..d80165a187 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/_manifestBAHAMA.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_16_0.ybn b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_16_0.ybn new file mode 100644 index 0000000000..1d412514fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_16_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_16_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_16_strm_0.ymap new file mode 100644 index 0000000000..9d94c9191a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_16_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_occl_03.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_occl_03.ymap new file mode 100644 index 0000000000..04b1f0c386 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_occl_03.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd.ymap new file mode 100644 index 0000000000..87ee26b1f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd_long_1.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd_long_1.ymap new file mode 100644 index 0000000000..7b67d084da Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd_long_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd_strm_1.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd_strm_1.ymap new file mode 100644 index 0000000000..7fe268c79a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hei_sm_rd_strm_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hi@hei_sm_16_0.ybn b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hi@hei_sm_16_0.ybn new file mode 100644 index 0000000000..2509278381 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/hi@hei_sm_16_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/santamon_metadata_009_strm.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/santamon_metadata_009_strm.ytyp similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/santamon_metadata_009_strm.ytyp rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/santamon_metadata_009_strm.ytyp diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_allefireerails.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_allefireerails.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_allefireerails.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_allefireerails.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01.ydr new file mode 100644 index 0000000000..3e78fd2ba3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_lod.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_lod.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_lod.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_lod.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_slod1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_slod1.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_slod1.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_slod1.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_slod2.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_slod2.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_slod2.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_slod2.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_slod3.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_slod3.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleyg002_01_slod3.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleyg002_01_slod3.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleystuff1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleystuff1.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_alleystuff1.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_alleystuff1.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_emissive_b.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_emissive_b.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_emissive_b.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_emissive_b.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_glue_weed.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_glue_weed.ydr new file mode 100644 index 0000000000..6ede066e08 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_glue_weed.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_lod.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_lod.ytd rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_lod.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_slod1_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_slod1_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_slod1_children.ydd rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_slod1_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_alfizzlad1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_alfizzlad1.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_alfizzlad1.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_alfizzlad1.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_alfizzlad1f.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_alfizzlad1f.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_alfizzlad1f.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_alfizzlad1f.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_cablesnw1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_cablesnw1.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_cablesnw1.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_cablesnw1.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_smov2.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_smov2.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_sm16_smov2.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_sm16_smov2.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_smbuild2.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_smbuild2.ydr similarity index 99% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_smbuild2.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_smbuild2.ydr index f4e4d234d0..4c34a8ec54 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_16_smbuild2.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_smbuild2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_strm_0.ymap new file mode 100644 index 0000000000..45555d5b04 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_16_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_lod_slod2_13_14_15_16_17_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_lod_slod2_13_14_15_16_17_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_lod_slod2_13_14_15_16_17_children.ydd rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_lod_slod2_13_14_15_16_17_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_lod_slod2_13_14_15_16_17_children.ytd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_lod_slod2_13_14_15_16_17_children.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_lod_slod2_13_14_15_16_17_children.ytd rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_lod_slod2_13_14_15_16_17_children.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_props_combo25_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_props_combo25_slod_children.ydd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_props_combo25_slod_children.ydd rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_props_combo25_slod_children.ydd diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_rd_01_r3d.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_rd_01_r3d.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/sm_rd_01_r3d.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/sm_rd_01_r3d.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas.ytyp new file mode 100644 index 0000000000..22eb98217b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior.ymap similarity index 96% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior.ymap rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior.ymap index 165b606912..5e8428f016 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior_lod.ymap similarity index 94% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior_lod.ymap rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior_lod.ymap index c00d42f9eb..8d99c5c6ea 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior_lod.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior_slod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior_slod.ymap similarity index 96% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior_slod.ymap rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior_slod.ymap index 9563920d5f..4ad3909f54 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_exterior_slod.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_exterior_slod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_lod.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_lod.ytyp similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_lod.ytyp rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_lod.ytyp diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_txd.ytd similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/soz_bahamas_txd.ytd rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamas_txd.ytd diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamasdoor.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamasdoor.ydr new file mode 100644 index 0000000000..53d7992b7b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_bahamasdoor.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_hei_sm_16_interior_v_bahama_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_hei_sm_16_interior_v_bahama_milo_.ymap new file mode 100644 index 0000000000..28f7ffee9e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_hei_sm_16_interior_v_bahama_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_4_changing.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_4_changing.ydr new file mode 100644 index 0000000000..fe1a80efe3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_4_changing.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_4_room02_lightproxy.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_4_room02_lightproxy.ydr new file mode 100644 index 0000000000..a202890c93 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_4_room02_lightproxy.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_bahama.ybn b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_bahama.ybn new file mode 100644 index 0000000000..291efac5cd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_bahama.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_bahama_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_bahama_milo_.ymap new file mode 100644 index 0000000000..f75d955148 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_bahama_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_club_baham_bckt_chr.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_club_baham_bckt_chr.ydr new file mode 100644 index 0000000000..698c8653a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_club_baham_bckt_chr.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_club_bahbarstool.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_club_bahbarstool.ydr new file mode 100644 index 0000000000..8b37364e83 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_club_bahbarstool.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_int_4.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_int_4.ytyp new file mode 100644 index 0000000000..b12b054957 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/soz_v_int_4.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bah2_bar_trim.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bah2_bar_trim.ydr new file mode 100644 index 0000000000..1d33fbf3ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bah2_bar_trim.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bah_ent_decs.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bah_ent_decs.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bah_ent_decs.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bah_ent_decs.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdancelights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdancelights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdancelights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdancelights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdjbits.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdjbits.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdjbits.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdjbits.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdjbooth.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdjbooth.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdjbooth.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdjbooth.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdoorlight.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdoorlight.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahdoorlight.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahdoorlight.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahentrybits.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahentrybits.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahentrybits.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahentrybits.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahfrntbar.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahfrntbar.ydr new file mode 100644 index 0000000000..00df0ff0a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahfrntbar.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlightovers.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlightovers.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlightovers.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlightovers.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlightwall2.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlightwall2.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlightwall2.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlightwall2.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlightwallbig.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlightwallbig.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlightwallbig.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlightwallbig.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlobbybits.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlobbybits.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahlobbybits.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahlobbybits.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahloblights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahloblights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahloblights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahloblights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahnewboothseat1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahnewboothseat1.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahnewboothseat1.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahnewboothseat1.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahshelldrway.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahshelldrway.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahshelldrway.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahshelldrway.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahstageducts.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahstageducts.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahstageducts.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahstageducts.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahtoiletbits.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahtoiletbits.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bahtoiletbits.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahtoiletbits.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahtouchtables.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahtouchtables.ydr new file mode 100644 index 0000000000..67822965a0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bahtouchtables.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bar_neonstrips.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bar_neonstrips.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_bar_neonstrips.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bar_neonstrips.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bohamas.ytd b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bohamas.ytd new file mode 100644 index 0000000000..c1d98a6a6d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bohamas.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bohamasshell.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bohamasshell.ydr new file mode 100644 index 0000000000..7257f7fa39 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_bohamasshell.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_ceiling_rig.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_ceiling_rig.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_ceiling_rig.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_ceiling_rig.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_changing_trim.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_changing_trim.ydr new file mode 100644 index 0000000000..c4dd039569 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_changing_trim.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_changingroom_lights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_changingroom_lights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_changingroom_lights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_changingroom_lights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_corrlights1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_corrlights1.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_corrlights1.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_corrlights1.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_director_lights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_director_lights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_director_lights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_director_lights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_backbarbox.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_backbarbox.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_backbarbox.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_backbarbox.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_bahexits2.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_bahexits2.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_bahexits2.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_bahexits2.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_bahmainposts.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_bahmainposts.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_bahmainposts.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_bahmainposts.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_bohamweestrs.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_bohamweestrs.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_bohamweestrs.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_bohamweestrs.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_danceover.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_danceover.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_danceover.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_danceover.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybackbar.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybackbar.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybackbar.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybackbar.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybarlitebox.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybarlitebox.ydr new file mode 100644 index 0000000000..61ca3dfb1e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybarlitebox.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybulbs.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybulbs.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybulbs.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybulbs.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybulbs001.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybulbs001.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaybulbs001.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaybulbs001.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gayclubcurts.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gayclubcurts.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gayclubcurts.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gayclubcurts.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaycylights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaycylights.ydr new file mode 100644 index 0000000000..e6a210d9df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaycylights.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaydancebiglights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaydancebiglights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaydancebiglights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaydancebiglights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gayfrontables.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gayfrontables.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gayfrontables.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gayfrontables.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gayleatherseating.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gayleatherseating.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gayleatherseating.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gayleatherseating.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaylightsfrnt.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaylightsfrnt.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaylightsfrnt.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaylightsfrnt.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaylightstructr.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaylightstructr.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_e2_gaylightstructr.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaylightstructr.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaytouchtables.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaytouchtables.ydr new file mode 100644 index 0000000000..400edee84d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_e2_gaytouchtables.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_gaydancelights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_gaydancelights.ydr new file mode 100644 index 0000000000..8cd1f4d43c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_gaydancelights.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_glass.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_glass.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_glass.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_glass.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_lobbysigns.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_lobbysigns.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_lobbysigns.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_lobbysigns.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_loo_doors.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_loo_doors.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_loo_doors.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_loo_doors.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_loosigns.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_loosigns.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_loosigns.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_loosigns.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_neon_tubes.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_neon_tubes.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_neon_tubes.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_neon_tubes.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_payboothglass.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_payboothglass.ydr new file mode 100644 index 0000000000..70fb678928 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_payboothglass.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_spotlights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_spotlights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_spotlights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_spotlights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toilet.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toilet.ydr new file mode 100644 index 0000000000..e1e2f76d84 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toilet.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toilet_mirror.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toilet_mirror.ydr new file mode 100644 index 0000000000..ad77d723b5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toilet_mirror.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_toiletroom_lights.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toiletroom_lights.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-bahamas/stream/v_4_toiletroom_lights.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_4_toiletroom_lights.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_bahama.ybn b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_bahama.ybn new file mode 100644 index 0000000000..94f4bb7c80 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_bahama.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_cabinet.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_cabinet.ydr new file mode 100644 index 0000000000..31a1cea616 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_cabinet.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_desk.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_desk.ydr new file mode 100644 index 0000000000..3baa0a270a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_desk.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_desk001.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_desk001.ydr new file mode 100644 index 0000000000..bd927d5c33 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_desk001.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_library.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_library.ydr new file mode 100644 index 0000000000..68286a8cc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_library.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_library001.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_library001.ydr new file mode 100644 index 0000000000..bdb26c8ce5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_library001.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_trash.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_trash.ydr new file mode 100644 index 0000000000..f1cf8fd817 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/bahama/v_club_officeset_trash.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/_manifestUNICORN.ymf b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/_manifestUNICORN.ymf new file mode 100644 index 0000000000..c718f747e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/_manifestUNICORN.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/lr_sc1_04_interior_v_strip3_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/lr_sc1_04_interior_v_strip3_milo_.ymap new file mode 100644 index 0000000000..368de299b1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/lr_sc1_04_interior_v_strip3_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/lr_sc1_04_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/lr_sc1_04_strm_0.ymap new file mode 100644 index 0000000000..b6def7322d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/lr_sc1_04_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_strpbar.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_strpbar.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_strpbar.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_strpbar.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_strpshell.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_strpshell.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_strpshell.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_strpshell.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_strpshellref.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_strpshellref.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_strpshellref.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_strpshellref.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_vangroundover.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_vangroundover.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_vangroundover.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_vangroundover.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_vanmainsectdirt.ydr b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_vanmainsectdirt.ydr similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-ffs/stream/v_19_vanmainsectdirt.ydr rename to resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_19_vanmainsectdirt.ydr diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_int_19.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_int_19.ytyp new file mode 100644 index 0000000000..7e87db406a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_int_19.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_strip3.ybn b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_strip3.ybn new file mode 100644 index 0000000000..48f7185a21 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-baun/stream/unicorn/v_strip3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-map-bcso/fxmanifest.lua index 30e9c2adaf..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-map-bcso/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-map-bcso/fxmanifest.lua @@ -1,3 +1,3 @@ -fx_version 'bodacious' -games { 'gta5' } -this_is_a_map 'yes' \ No newline at end of file +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/_manifest.ymf index 8698f5c00e..b65e2997b7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/_manifest.ymf and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_ext_distantlights.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_ext_distantlights.ymap new file mode 100644 index 0000000000..3c0663a605 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_ext_distantlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_ext_lodlights.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_ext_lodlights.ymap new file mode 100644 index 0000000000..ad547209e6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_ext_lodlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior.ymap index ea4b1769e6..426aa5cb19 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior_lod.ymap new file mode 100644 index 0000000000..e6b92a6cb7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior_slod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior_slod.ymap new file mode 100644 index 0000000000..1ade936ae2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/bcso_exterior_slod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_09_grass_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_09_grass_0.ymap new file mode 100644 index 0000000000..5250f033d0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_09_grass_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_grass_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_grass_0.ymap new file mode 100644 index 0000000000..95ba4a253b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_grass_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_sh_rls03.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_sh_rls03.ydr new file mode 100644 index 0000000000..42c78b6b4e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_sh_rls03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic.ydr new file mode 100644 index 0000000000..5e03f29429 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic_ovly.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic_ovly.ydr index 7a1def082d..62a0ee66d4 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic_ovly.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_10_terrain_medic_ovly.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_lod_02_slod3_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_lod_02_slod3_children.ydd new file mode 100644 index 0000000000..9455c015ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_lod_02_slod3_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_roads_4.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_roads_4.ybn new file mode 100644 index 0000000000..56e45a20bb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_roads_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_roadsb17.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_roadsb17.ydr new file mode 100644 index 0000000000..97dfc6665d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/cs4_roadsb17.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/hi@cs4_roads_6.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/hi@cs4_roads_6.ybn new file mode 100644 index 0000000000..d0c1a216a5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/hi@cs4_roads_6.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_long_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_long_0.ymap index 89a6c5012a..a352ac4c22 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_long_0.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_strm_0.ymap new file mode 100644 index 0000000000..b80c444814 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_10_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads.ymap new file mode 100644 index 0000000000..d57cb6ceae Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_1.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_1.ymap index e74c8ee5c1..2e083f16fc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_1.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_4.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_4.ymap new file mode 100644 index 0000000000..12fe1c03f3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/lr_cs4_roads_critical_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/prop_flag_sheriff_s.yft b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/prop_flag_sheriff_s.yft index fe331e3bda..3c034b4ff0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/prop_flag_sheriff_s.yft and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/prop_flag_sheriff_s.yft differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext.ytyp index 15795f2910..5203a02fd8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext.ytyp and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext_details01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext_details01.ydr new file mode 100644 index 0000000000..884aa4c0eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_ext_details01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01.ydr index e20bbffe3b..f39617809a 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01_slod3.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01_slod3.ydr new file mode 100644 index 0000000000..e6fe675242 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall01_slod3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_a.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_a.ydr new file mode 100644 index 0000000000..6ea5aa2bc7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_a.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod1_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod1_children.ydd new file mode 100644 index 0000000000..ab7550801d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod1_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod2_children.ydd new file mode 100644 index 0000000000..bc4e10d729 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod3_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod3_children.ydd new file mode 100644 index 0000000000..ca341a70b6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_slod3_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_txd.ytd new file mode 100644 index 0000000000..a0f8277f5d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_extwall_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_lod_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_lod_txd.ytd new file mode 100644 index 0000000000..46eae7283e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_lod_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_text.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_text.ydr deleted file mode 100644 index e7ca3e6ced..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_bcso_text.ydr and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_extwall_strm.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_extwall_strm.ytyp new file mode 100644 index 0000000000..74d78bef9e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_extwall_strm.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_prop_fncsec_01a.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_prop_fncsec_01a.ydr new file mode 100644 index 0000000000..afb478f976 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/soz_prop_fncsec_01a.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/vw_distlodlights_medium028.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/vw_distlodlights_medium028.ymap new file mode 100644 index 0000000000..cdf7bdef37 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/vw_distlodlights_medium028.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/vw_lodlights_medium028.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/vw_lodlights_medium028.ymap new file mode 100644 index 0000000000..810a345088 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bcso/stream/vw_lodlights_medium028.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/_manifest.ymf deleted file mode 100755 index ad76286e9a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/_manifestNGNORD.ymf b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/_manifestNGNORD.ymf new file mode 100644 index 0000000000..9ad67bd306 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/_manifestNGNORD.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_0.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_0.ybn index 2ea0341792..e6128e5022 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_2.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_2.ybn index 1a9a459fe5..0855b0321b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_2.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_5.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_5.ybn index 3e8bd6aeb8..aa298c21c6 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_5.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/cs4_14_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/hi@cs4_14_0.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/hi@cs4_14_0.ybn index 7d3f2d813a..6905cca4c1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/hi@cs4_14_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/hi@cs4_14_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/soz_bennys_north_int_01.ybn b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/soz_bennys_north_int_01.ybn index 832aa7911b..06c6796b98 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/soz_bennys_north_int_01.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ybn/soz_bennys_north_int_01.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydd/cs4_14_props_combo02_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydd/cs4_14_props_combo02_slod_children.ydd deleted file mode 100644 index 18c94a164b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydd/cs4_14_props_combo02_slod_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_build01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_build01.ydr index a44fabd884..b601a19700 100755 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_build01.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_build01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expo.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expo.ydr index b3395e3316..40cd8393ee 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expo.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expo.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expowide.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expowide.ydr index 9df5faa53b..081ec0d899 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expowide.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_expowide.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd01.ydr index fc920190d1..8678e6f74a 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd01.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd02.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd02.ydr index 4488d8d444..3e83ade17e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd02.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_gnd02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_milo_lod.ydr b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_milo_lod.ydr index 5fd64c6db9..7318957f0b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_milo_lod.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ydr/soz_bennys_north_milo_lod.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14.ymap index e8a01006a3..ce9752da0f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14_critical_5.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14_critical_5.ymap index a8d9edd44c..4ec67fe930 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14_critical_5.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/lr_cs4_14_critical_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_distantlights.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_distantlights.ymap new file mode 100644 index 0000000000..bba057c139 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_distantlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_lodlights.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_lodlights.ymap new file mode 100644 index 0000000000..f4ecd1f26c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_lodlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_strm01.ymap b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_strm01.ymap index ad960202d9..0f36157275 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_strm01.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ymap/soz_bennys_north_strm01.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ytyp/soz_bennys_north_int_01.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ytyp/soz_bennys_north_int_01.ytyp index 3e05cbb2a0..ab38ab417f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ytyp/soz_bennys_north_int_01.ytyp and b/resources/[mapping]/[mapping-prod]/soz-map-bennys-north/stream/ytyp/soz_bennys_north_int_01.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/bkr_id1_17_interior_v_foundry_milo_.ymap b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/bkr_id1_17_interior_v_foundry_milo_.ymap new file mode 100644 index 0000000000..018446dab0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/bkr_id1_17_interior_v_foundry_milo_.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_29_founsmlrrmbench.ydr b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_29_founsmlrrmbench.ydr new file mode 100644 index 0000000000..f0eaa7e9cd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_29_founsmlrrmbench.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_foundry.ybn b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_foundry.ybn new file mode 100644 index 0000000000..9225bcbaa1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_foundry.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_int_29.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_int_29.ytyp new file mode 100644 index 0000000000..7b83a28e65 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-demetal/stream/v_int_29.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/fxmanifest.lua index e91c8c98bb..556a5e5511 100644 --- a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/fxmanifest.lua @@ -1,10 +1,3 @@ fx_version 'cerulean' game 'gta5' -this_is_a_map 'yes' - -files { - -"interiorproxies.meta" -} - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' +this_is_a_map 'yes' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/_manifestWARE2.ymf b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/_manifestWARE2.ymf index 5ccb65b246..c20c76a229 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/_manifestWARE2.ymf and b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/_manifestWARE2.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_dlc_ware2_interior_placement.ymap b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_dlc_ware2_interior_placement.ymap index a03d0b0b81..f23a1be218 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_dlc_ware2_interior_placement.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_dlc_ware2_interior_placement.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_gr_grdlc2_int_02.ymap b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_gr_grdlc2_int_02.ymap new file mode 100644 index 0000000000..cfeb1da7c5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-dlc2/stream/soz_gr_grdlc2_int_02.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/_manifestBILLBOARDS.ymf b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/_manifestBILLBOARDS.ymf new file mode 100644 index 0000000000..0c3ca8011d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/_manifestBILLBOARDS.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bld1x.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bld1x.ytd index b0951753d8..c973920d32 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bld1x.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bld1x.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bldg1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bldg1.ydr new file mode 100644 index 0000000000..9d4834c089 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_bldg1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_lod.ytd index ac6f5c0b8b..9ced2b2b73 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_lod.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_22_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_12_13_22_23_children.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_12_13_22_23_children.ytd index cdd3e6c3d8..30057b948c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_12_13_22_23_children.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_12_13_22_23_children.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_slod2.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_slod2.ytd index 22850cf968..b87b22c720 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_slod2.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/dt1_lod_slod2.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_build.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_build.ytd index 0bf19faea4..dfaded807d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_build.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_build.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw01.yft b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw01.yft index 19632c378b..785f4d78df 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw01.yft and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw01.yft differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw02.yft b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw02.yft index 6d66d03382..1889c666bf 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw02.yft and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_flw02.yft differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_lod.ytd index 341f9d3a88..55b34fd354 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_lod.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_02_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_01_02_children.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_01_02_children.ytd index 41355fa6fe..c399c7491c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_01_02_children.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_01_02_children.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_slod2.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_slod2.ytd index 37ad3cde67..6b995a95cf 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_slod2.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/hw1_lod_slod2.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_assets.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_assets.ytyp new file mode 100644 index 0000000000..564036b887 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_assets.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession.ymap b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession.ymap new file mode 100644 index 0000000000..7fb8e5d3c8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession_lod.ymap new file mode 100644 index 0000000000..d36de0e6ad Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession_slod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession_slod.ymap new file mode 100644 index 0000000000..a8f9e5b0d2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_concession_slod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_custom.ydr b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_custom.ydr new file mode 100644 index 0000000000..7d36cda70f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_custom.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_txd.ytd new file mode 100644 index 0000000000..2f61f9cbba Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/soz_billboards_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10.ytd index f8f8643211..ac171b3c8e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_brand_01_wip_dontdelq.ydr b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_brand_01_wip_dontdelq.ydr index ce89fd8d66..3dc4a80423 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_brand_01_wip_dontdelq.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_brand_01_wip_dontdelq.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_lod.ytd index 13c24feb50..2cfb907cfc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_lod.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_props_int.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_props_int.ytd index f3e26f277f..ae3398e802 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_props_int.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_props_int.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_stadium.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_stadium.ytd index d71deb3271..c86aae8443 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_stadium.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/sp1_10_stadium.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_bannersx.ydr b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_bannersx.ydr index be73363bd7..9e97fd0a4e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_bannersx.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_bannersx.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_blinds.ydr b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_blinds.ydr index 5a1bb2130e..863ca63e83 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_blinds.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_blinds.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_tv_ovl.ydr b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_tv_ovl.ydr index e8cb59dfe3..0fbd0d2266 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_tv_ovl.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_tv_ovl.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_v_stadium_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_v_stadium_txd.ytd index 73e7f69ca0..e73fa768f9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_v_stadium_txd.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_62_v_stadium_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_stadium.ybn b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_stadium.ybn index 143f2e4c2b..41e552f1f3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_stadium.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/v_stadium.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/xs_18_arenawars.ytd b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/xs_18_arenawars.ytd index d93895ecb8..a96635405e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-event/stream/xs_18_arenawars.ytd and b/resources/[mapping]/[mapping-prod]/soz-map-event/stream/xs_18_arenawars.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-map-pawl/fxmanifest.lua index bf1be15d9a..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-map-pawl/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-map-pawl/fxmanifest.lua @@ -1,11 +1,3 @@ fx_version 'cerulean' game 'gta5' this_is_a_map 'yes' - -files { - - "interiorproxies.meta" - -} - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/cs1_15b_1.ybn b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/cs1_15b_1.ybn index cabb1fdb7c..bb6cda5e0b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/cs1_15b_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/cs1_15b_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_1.ybn b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_1.ybn index fda466b4ca..fde49de31c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_4.ybn b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_4.ybn index 9a5b412c89..b79368f451 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_4.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/hi@cs1_15b_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/pawl_col.ybn b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/pawl_col.ybn index 06e2a8cac0..ab29d28789 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/pawl_col.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ybn/pawl_col.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmain_01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmain_01.ydr index 2e1fccb52a..7ea0404d2c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmain_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmain_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmil_d_01g.ydr b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmil_d_01g.ydr index 1919d9b97d..a26d32b7bb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmil_d_01g.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/cs1_15b_sawmil_d_01g.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/pawl_frame.ydr b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/pawl_frame.ydr index 61c2403b4f..9671227d5d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/pawl_frame.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-pawl/stream/ydr/pawl_frame.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/audio/soz_upw_game.dat151.rel b/resources/[mapping]/[mapping-prod]/soz-map-upw/audio/soz_upw_game.dat151.rel deleted file mode 100644 index 659e69d06b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/audio/soz_upw_game.dat151.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/audio/soz_upw_mix.dat15.rel b/resources/[mapping]/[mapping-prod]/soz-map-upw/audio/soz_upw_mix.dat15.rel deleted file mode 100644 index f6b7e62ca6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/audio/soz_upw_mix.dat15.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-map-upw/fxmanifest.lua index bbc03aed04..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-map-upw/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-map-upw/fxmanifest.lua @@ -1,13 +1,3 @@ fx_version 'cerulean' game 'gta5' this_is_a_map 'yes' - -files { - "audio/soz_upw_game.dat151.rel", - "audio/soz_upw_mix.dat15.rel", - "interiorproxies.meta" -} - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' -data_file 'AUDIO_GAMEDATA' 'audio/soz_upw_game.dat' -data_file 'AUDIO_DYNAMIXDATA' 'audio/soz_upw_mix.dat' diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/_manifest.ymf deleted file mode 100644 index 9af7815d6f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/_manifestUPW.ymf b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/_manifestUPW.ymf new file mode 100644 index 0000000000..ca9cd09e31 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/_manifestUPW.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_15.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_15.ybn index 60236ec8ea..60e0ab35f6 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_15.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_15.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_16.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_16.ybn index c59d14c726..329a2387a4 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_16.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_16.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_17.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_17.ybn index a43c3ee65c..0146444c68 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_17.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_17.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_18.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_18.ybn index 580a06503f..d9c9f87a37 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_18.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/cs4_13_18.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hei_ch1_01_33.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hei_ch1_01_33.ybn index 04f6ac35b2..5b2239f6fa 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hei_ch1_01_33.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hei_ch1_01_33.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hi@cs4_13_6.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hi@cs4_13_6.ybn index 9bd380fcfd..dff2185f73 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hi@cs4_13_6.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/hi@cs4_13_6.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_col.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_col.ybn index 132ae9ecdb..88e5a3d913 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_col.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_col.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_hangar.ybn b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_hangar.ybn index ae2f6e27e3..1aacef1bc5 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_hangar.ybn and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ybn/upw_hangar.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bdh_03.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bdh_03.ydr index 7e8c6bafe9..9198790900 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bdh_03.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bdh_03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bilbrd_01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bilbrd_01.ydr index 2f7c9c10e8..3ea3ac16d8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bilbrd_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_bilbrd_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_lod.ytd new file mode 100644 index 0000000000..ba5d34bcfd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15.ydr index f0db645bfd..01057c6031 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15_03.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15_03.ydr index a3d3c8fca6..ddb6a8e0c7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15_03.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs4_13_nmall15_03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs6_roadsc32.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs6_roadsc32.ydr index 9e5b614ed6..0e3dd9cd78 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs6_roadsc32.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/cs6_roadsc32.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_custom_ex_office2b_sinks.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_custom_ex_office2b_sinks.ydr index 63f4d1c752..2e8dde96a3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_custom_ex_office2b_sinks.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_custom_ex_office2b_sinks.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_01_unit2eevens.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_01_unit2eevens.ydr index 05e6faec6e..5ca16bdf64 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_01_unit2eevens.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_01_unit2eevens.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_lod.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_lod.ydr index cc2e31e825..8748029aaf 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_lod.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_lod.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod1.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod1.ydr index 6f75cdb612..4282a5c642 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod1.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod2.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod2.ydr index b6318ae203..93865ff99c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod2.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod3.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod3.ydr index 6e8e77078b..89e3df4417 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod3.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_build01_slod3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_door.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_door.ydr index 4ae4c61897..238790bc00 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_door.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_door.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_light_diningtable.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_light_diningtable.ydr index c93574d0d7..098ca822fb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_light_diningtable.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_upw_light_diningtable.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_v_ilev_fb_doorshortl.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_v_ilev_fb_doorshortl.ydr index 01a04119c7..c09a322ad7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_v_ilev_fb_doorshortl.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/soz_v_ilev_fb_doorshortl.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_01.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_01.ydr index fd09241d9d..91affafa2d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_02.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_02.ydr index 114526348b..a145c9cf56 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_02.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_03.ydr b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_03.ydr index aae957590b..d7aa36690f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_03.ydr and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ydr/upw_ladder_03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13.ymap index 42a954c7b0..4166542863 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13_strm_1.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13_strm_1.ymap index f8f1f83749..bf99256464 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13_strm_1.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/lr_cs4_13_strm_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_lod.ymap index 160966c9f4..eed4c78efb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_lod.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_slod.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_slod.ymap index e326035286..e978306243 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_slod.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/sow_upw_building_placement_slod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_building_placement.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_building_placement.ymap index 516de083c1..dd4f949cf9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_building_placement.ymap and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_building_placement.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_distantlights.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_distantlights.ymap new file mode 100644 index 0000000000..aa87b894f2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_distantlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_lodlights.ymap b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_lodlights.ymap new file mode 100644 index 0000000000..533050673e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/soz_upw_lodlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ytyp/upw_props_lods.ytyp b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ytyp/upw_props_lods.ytyp index 43bf01cb6b..5bd5fe8d28 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ytyp/upw_props_lods.ytyp and b/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ytyp/upw_props_lods.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/_manifest.ymf index 648bde8595..40bfd9590b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/_manifest.ymf and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_02_0.ybn index c12b93f045..e1df12c4b7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_02_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_11.ybn b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_11.ybn index 82f78fb0c0..5eb6c200d8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_11.ybn and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_11.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_14.ybn b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_14.ybn index 3f7b0bd1d2..b302741686 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_14.ybn and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/hi@lr_sc1_rd_14.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_02_0.ybn index 54b59f9cd3..1fdcd74e25 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_02_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_18.ybn b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_18.ybn index d29f44e5d6..f4b1701f36 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_18.ybn and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_18.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_20.ybn b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_20.ybn index 2a23cef668..94b1720522 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_20.ybn and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ybn/lr_sc1_rd_20.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/lr_prop_supermod_door_01.ydr b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/lr_prop_supermod_door_01.ydr index cb162a6910..cdd939dbed 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/lr_prop_supermod_door_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/lr_prop_supermod_door_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/soz_bennys_expo.ydr b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/soz_bennys_expo.ydr index b3395e3316..40cd8393ee 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/soz_bennys_expo.ydr and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ydr/soz_bennys_expo.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ymap/soz_map_bennys_ext.ymap b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ymap/soz_map_bennys_ext.ymap index 552e125317..b7f5fbc12c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ymap/soz_map_bennys_ext.ymap and b/resources/[mapping]/[mapping-prod]/soz-mapbennys/stream/ymap/soz_map_bennys_ext.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/doortuning.ymt b/resources/[mapping]/[mapping-prod]/soz-mapdata/doortuning.ymt new file mode 100644 index 0000000000..c0fecbf948 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-mapdata/doortuning.ymt @@ -0,0 +1,1404 @@ + + + + + + BarrierArmCustomBox + + + DontCloseWhenTouched AutoOpensForSPVehicleWithPedsOnly AutoOpensForMPVehicleWithPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + ChopShopGarageCustomBox + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + CultistGate + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultBarrierArm + + + AutoOpensForSPVehicleWithPedsOnly AutoOpensForMPVehicleWithPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultGarage + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultGarageBox + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultGarageCustomBox + + + DontCloseWhenTouched + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultSlidingHorizontal + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultSlidingVertical + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultStandard + + + DelayDoorClosingForPlayer + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + DefaultStandardLatchShut + + + DelayDoorClosingForPlayer + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SozHeavyDefaultStandardLatchShut + + + DelayDoorClosingForPlayer + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + NoRotationLimitStandardLatchShut + + + DelayDoorClosingForPlayer + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FBISecurityGate + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FenceGate + + + DontCloseWhenTouched IgnoreOpenDoorTaskEdgeLerp + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FenceGateLight + + + DontCloseWhenTouched IgnoreOpenDoorTaskEdgeLerp + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FragBarrierArm + + + AutoOpensForSPVehicleWithPedsOnly AutoOpensForMPVehicleWithPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FragBarrierArmCustomBox + + + AutoOpensForSPVehicleWithPedsOnly AutoOpensForMPVehicleWithPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FranklinGarage2 + + + AutoOpensForSPPlayerPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + FranklinGarageCustomBox + + + AutoOpensForSPPlayerPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + GangGarageCustomBox + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + HeavyVaultDoor + + + DontCloseWhenTouched IgnoreOpenDoorTaskEdgeLerp + + + + + + + + + + + + + + + + + + StdDoorOpenNegDir + + + + HeavyWoodDoor + + + IgnoreOpenDoorTaskEdgeLerp + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + LargeFenceGate + + + DelayDoorClosingForPlayer IgnoreOpenDoorTaskEdgeLerp + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + LargeGate + + + IgnoreOpenDoorTaskEdgeLerp + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + MichaelGarageCustomBox + + + AutoOpensForSPPlayerPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + ReduceOpenGarage + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SlidingHorizontalExtendedRange + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SlidingHorizontalSPVehiclesAndMPPlayerPeds + + + AutoOpensForSPVehicleWithPedsOnly AutoOpensForMPPlayerPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SlidingHorizontalVehiclesOnly + + + AutoOpensForSPVehicleWithPedsOnly AutoOpensForMPVehicleWithPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SprayDoors + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + StandardHeavy + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + TollBarrierArmCustomBox + + + DontCloseWhenTouched AutoOpensForAllVehicles + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + TrevorGarageCustomBox + + + AutoOpensForSPPlayerPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + TowTruckYardSlidingHorizontal + + + AutoOpensForSPPlayerPedsOnly AutoOpensForMPPlayerPedsOnly + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SlidingHorizontalPoliceSPVehiclesAndMPPlayerPeds + + + AutoOpensForSPPlayerPedsOnly AutoOpensForMPPlayerPedsOnly AutoOpensForLawEnforcement + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + SupermodGarage + + + + + + + + + + + + + + + + + + + + + StdDoorOpenBothDir + + + + + + bh1_48_gate_1 + DefaultStandardLatchShut + + + prop_arm_gate_l + LargeFenceGate + + + prop_bh1_48_backdoor_l + DefaultStandardLatchShut + + + prop_bh1_48_backdoor_r + DefaultStandardLatchShut + + + prop_ch_025c_g_door_01 + FranklinGarage2 + + + prop_com_gar_door_01 + DefaultGarageCustomBox + + + prop_com_ls_door_01 + ChopShopGarageCustomBox + + + prop_cs4_05_tdoor + DefaultStandardLatchShut + + + prop_cs4_10_tr_gd_01 + TrevorGarageCustomBox + + + prop_door_balcony_left + DefaultStandardLatchShut + + + prop_door_balcony_right + DefaultStandardLatchShut + + + prop_facgate_01 + SlidingHorizontalSPVehiclesAndMPPlayerPeds + + + prop_facgate_01b + SlidingHorizontalSPVehiclesAndMPPlayerPeds + + + prop_facgate_03_l + LargeFenceGate + + + prop_facgate_03_r + LargeFenceGate + + + prop_facgate_04_l + LargeFenceGate + + + prop_facgate_04_r + LargeFenceGate + + + prop_facgate_05_r + LargeGate + + + prop_facgate_06_l + StandardHeavy + + + prop_facgate_06_r + StandardHeavy + + + prop_facgate_11 + LargeFenceGate + + + prop_fnclink_01gate1 + FenceGate + + + prop_fnclink_02gate1 + LargeFenceGate + + + prop_fnclink_02gate5 + LargeFenceGate + + + prop_fnclink_02gate6_l + LargeFenceGate + + + prop_fnclink_02gate6_r + LargeFenceGate + + + prop_fnclink_02gate7 + LargeFenceGate + + + prop_fnclink_03gate4 + LargeFenceGate + + + prop_fnclink_03gate5 + FenceGate + + + prop_fnclink_04gate1 + LargeFenceGate + + + prop_fnclink_06gate2 + LargeFenceGate + + + prop_fnclink_06gate3 + LargeFenceGate + + + prop_fnclink_07gate1 + FenceGate + + + prop_fnclink_07gate1 + FenceGate + + + prop_fnclink_07gate2 + FenceGate + + + prop_fnclink_07gate3 + FenceGate + + + prop_fnclink_09gate1 + LargeFenceGate + + + prop_fncres_02_gate1 + FenceGate + + + prop_fncres_03gate1 + FenceGate + + + prop_fncwood_07gate1 + FenceGateLight + + + prop_gar_door_03_ld + GangGarageCustomBox + + + prop_gate_cult_01_l + CultistGate + + + prop_gate_cult_01_r + CultistGate + + + prop_gate_tep_01_l + LargeGate + + + prop_gate_tep_01_r + LargeGate + + + prop_gate_farm_01a + FenceGate + + + prop_ld_bankdoors_01 + HeavyWoodDoor + + + prop_ld_garaged_01 + MichaelGarageCustomBox + + + prop_lrggate_02_ld + LargeGate + + + prop_police_door_l + DefaultStandardLatchShut + + + prop_police_door_r + DefaultStandardLatchShut + + + prop_sc1_21_g_door_01 + FranklinGarageCustomBox + + + prop_sec_barrier_ld_01a + FragBarrierArmCustomBox + + + prop_sec_barrier_ld_02a + TollBarrierArmCustomBox + + + v_ilev_arm_secdoor + DefaultStandardLatchShut + + + v_ilev_bk_vaultdoor + HeavyVaultDoor + + + v_ilev_bl_doorsl_l + SlidingHorizontalExtendedRange + + + v_ilev_bl_doorsl_r + SlidingHorizontalExtendedRange + + + v_ilev_cd_entrydoor + DefaultStandardLatchShut + + + v_ilev_cor_firedoor + DefaultStandardLatchShut + + + v_ilev_cor_firedoorwide + DefaultStandardLatchShut + + + v_ilev_fa_dinedoor + DefaultStandardLatchShut + + + v_ilev_fa_frontdoor + DefaultStandardLatchShut + + + v_ilev_fa_roomdoor + DefaultStandardLatchShut + + + v_ilev_fbisecgate + FBISecurityGate + + + v_ilev_fib_door3 + DefaultStandardLatchShut + + + v_ilev_gc_door01 + DefaultStandardLatchShut + + + v_ilev_gc_door02 + DefaultStandardLatchShut + + + v_ilev_gc_door03 + DefaultStandardLatchShut + + + v_ilev_gc_door04 + DefaultStandardLatchShut + + + v_ilev_lostdoor + DefaultStandardLatchShut + + + v_ilev_mm_door + DefaultStandardLatchShut + + + v_ilev_mm_doorm_l + NoRotationLimitStandardLatchShut + + + v_ilev_mm_doorm_r + NoRotationLimitStandardLatchShut + + + v_ilev_mm_doorw + DefaultStandardLatchShut + + + v_ilev_ph_gendoor + DefaultStandardLatchShut + + + v_ilev_ph_gendoor002 + DefaultStandardLatchShut + + + v_ilev_ph_gendoor003 + DefaultStandardLatchShut + + + v_ilev_phroofdoor + DefaultStandardLatchShut + + + v_ilev_spraydoor + SprayDoors + + + v_ilev_ss_door02 + DefaultStandardLatchShut + + + v_ilev_ss_door5_l + DefaultStandardLatchShut + + + v_ilev_ss_door5_r + DefaultStandardLatchShut + + + v_ilev_ss_door7 + DefaultStandardLatchShut + + + v_ilev_ss_door8 + DefaultStandardLatchShut + + + v_ilev_trev_door + DefaultStandardLatchShut + + + v_ilev_trev_door + DefaultStandardLatchShut + + + v_ilev_trev_doorbath + DefaultStandardLatchShut + + + v_ilev_trev_doorfront + DefaultStandardLatchShut + + + v_ilev_trevtrailerdr + DefaultStandardLatchShut + + + vb_35_lifeguarddoor2 + ReduceOpenGarage + + + prop_facgate_08 + TowTruckYardSlidingHorizontal + + + hei_prop_station_gate + SlidingHorizontalPoliceSPVehiclesAndMPPlayerPeds + + + + soz_lsmc_firewoodwide + DefaultStandardLatchShut + + + ch_prop_ch_service_door_01a + DefaultStandardLatchShut + + + v_ilev_fib_door1 + DefaultStandardLatchShut + + + v_ilev_ra_door1_l + DefaultStandardLatchShut + + + v_ilev_ra_door1_r + DefaultStandardLatchShut + + + + + soz_mtp_room02_garagedoor + SupermodGarage + + + soz_mtp_room02_garagedoor01 + SupermodGarage + + + v_ilev_cd_door2 + DefaultStandardLatchShut + + + soz_mtp_door + DefaultStandardLatchShut + + + soz_mtp_door02 + DefaultStandardLatchShut + + + soz_mtp_door03 + DefaultStandardLatchShut + + + + soz_upw_door + DefaultStandardLatchShut + + + v_ilev_cm_door1 + DefaultStandardLatchShut + + + + soz_bahamasdoor + DefaultStandardLatchShut + + + + u_vaultdoor + SozHeavyDefaultStandardLatchShut + + + u_maindor + DefaultStandardLatchShut + + + v_ilev_ph_gendoor004 + DefaultStandardLatchShut + + + v_ilev_gtdoor + DefaultStandardLatchShut + + + ba_prop_door_club_trad_wc + DefaultStandardLatchShut + + + + v_ilev_csr_door_l + DefaultStandardLatchShut + + + v_ilev_csr_door_r + DefaultStandardLatchShut + + + + ex_prop_exec_office_door01 + DefaultStandardLatchShut + + + lr_prop_supermod_door_01 + SupermodGarage + + + \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-mapdata/fxmanifest.lua new file mode 100644 index 0000000000..11cae376b4 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-mapdata/fxmanifest.lua @@ -0,0 +1,16 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' +author 'Rigonkmalk' +replace_level_meta 'gta5' + +files { + 'gta5.meta', + 'doortuning.ymt', + 'soz_game.dat151.rel', + 'soz_mix.dat15.rel' + +} + +data_file 'AUDIO_GAMEDATA' 'soz_game.dat' +data_file 'AUDIO_DYNAMIXDATA' 'soz_mix.dat' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/gta5.meta b/resources/[mapping]/[mapping-prod]/soz-mapdata/gta5.meta new file mode 100644 index 0000000000..4d156bc8c6 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-mapdata/gta5.meta @@ -0,0 +1,1164 @@ + + + + + + + + + + + + + + + + + + commoncrc:/data/common_cutscene.meta + + + + platform:/levels/gta5/vehiclemods/hotknife_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/speedo2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/khamelion_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/elegy2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/intruder_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/zion2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/zion_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/oracle2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/cheetah_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/sabregt_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/infernus_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/rapidgt2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/rapidgt_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/vacca_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/carbonizzare_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/coquette_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/buffalo2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/entityxf_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/peyote_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/bagger_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/tornado_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/manana_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/sentinel2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/sandking2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/sandking_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/schwarzer_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/vigero_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/prairie_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/comet2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/primo_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/schafter2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/banshee_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/sentinel_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/fusilade_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/rebel_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/pcj_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/serrano_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/sultan_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/ruiner_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/landstalker_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/premier_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/penumbra_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/issi2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/bjxl_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/gresley_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/voltic_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/dominator_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/blista_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/felon_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/phoenix_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/ninef_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/dubsta2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/ratloader_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/jackal_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/surano_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/asea_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/surge_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/youga_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/double_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/baller_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/ztype_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/ruffian_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/tailgater_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/daemon_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/ninef2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/police3_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/cavalcade_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/bodhi2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/akuma_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/feltzer2_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/futo_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/buccaneer_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/buffalo_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/dubsta_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/vehiclemods/wheels_mods.rpf + RPF_FILE + PARTITION_2 + + + platform:/levels/gta5/script/script.rpf + RPF_FILE_PRE_INSTALL + + PARTITION_2 + + + platform:/data/cdimages/carrec.rpf + RPF_FILE + + + platform:/data/cdimages/moviesubs.rpf + RPF_FILE + + + platform:/levels/gta5/generic/gtxd.ityp + PERMANENT_ITYP_FILE + + + platform:/levels/gta5/generic/gtxd.rpf + RPF_FILE + CONTENTS_MAP + + + platform:/data/effects/ptfx.rpf + RPF_FILE + + + + commoncrc:/data/levels/gta5/water.xml + WATER_FILE + + + common:/data/levels/gta5/time.xml + TIME_FILE + + + common:/data/levels/gta5/weather.xml + WEATHER_FILE + + + common:/data/timecycle/underwater_deep.xml + TIMECYCLE_FILE + + + common:/data/timecycle/timecycle_mods_1.xml + TIMECYCLEMOD_FILE + + + common:/data/timecycle/timecycle_mods_2.xml + TIMECYCLEMOD_FILE + + + common:/data/timecycle/timecycle_mods_3.xml + TIMECYCLEMOD_FILE + + + common:/data/timecycle/timecycle_mods_4.xml + TIMECYCLEMOD_FILE + + + common:/data/materials/procedural.dat + PROCOBJ_FILE + + + common:/data/materials/procedural.meta + PROC_META_FILE + + + common:/data/levels/gta5/vfx.dat + VFX_SETTINGS_FILE + + + common:/data/effects/bloodfx.dat + BLOODFX_FILE + + + common:/data/effects/entityfx.dat + ENTITYFX_FILE + + + commoncrc:/data/effects/explosionfx.dat + EXPLOSIONFX_FILE + + + common:/data/effects/firefx.dat + FIREFX_FILE + + + common:/data/effects/liquidfx.dat + LIQUIDFX_FILE + + + common:/data/effects/materialfx.dat + MATERIALFX_FILE + + + common:/data/effects/wheelfx.dat + WHEELFX_FILE + + + commoncrc:/data/effects/weaponfx.dat + WEAPONFX_FILE + + + common:/data/effects/decals.dat + DECALS_FILE + + + platform:/data/effects/vfxvehicleinfo + VFXVEHICLEINFO_FILE + + + platform:/data/effects/vfxpedinfo + VFXPEDINFO_FILE + + + platform:/data/effects/vfxweaponinfo + VFXWEAPONINFO_FILE + + + platform:/data/effects/vfxinteriorinfo + VFXINTERIORINFO_FILE + + + platform:/data/effects/vfxregioninfo + VFXREGIONINFO_FILE + + + common:/data/effects/scriptfx.dat + SCRIPTFX_FILE + + + platform:/data/effects/ptfxassetinfo + PTFXASSETINFO_FILE + + + platform:/data/effects/vfxfogvolumeinfo + VFXFOGVOLUMEINFO_FILE + + + commoncrc:/data/levels/gta5/vehicles.meta + VEHICLE_METADATA_FILE + + + platform:/levels/gta5/generic/icons.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/generic/procobj.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/interiors/int_props/int_lev_des.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/interiors/int_props/int_light_rig.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/rt_bink/vfx_reference.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/building/v_rooftop.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/recreational/v_coin_op.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/recreational/v_sports.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/residential/v_bathroom.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/residential/v_garden.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/residential/v_electrical.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/residential/v_seating.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/residential/v_kitchen.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/commercial/v_bar.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/commercial/v_fastfood.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/commercial/v_garage.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/commercial/v_office.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/procedural/v_proc1.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/procedural/v_proc2.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/procedural/v_proc3.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_ext_veg.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_fanpalm.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_palm.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_trees.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_bush.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_potted.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_cacti.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_crops.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_rocks.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/vegetation/v_snow.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/industrial/v_airport.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/industrial/v_industrial.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/industrial/v_industrial_2.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_bins.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_construction.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_fences.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_fences_2.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/_citye/downtown_01/downtown_01_metadata_permanent.ityp + PERMANENT_ITYP_FILE + CONTENTS_MAP + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_rubbish.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_seating_tables.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_signs.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_storage.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_traffic_lights.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/roadside/v_utility.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/rural/v_farm.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/Lev_Des/Lev_Des.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/Lev_Des/v_minigame.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/Lev_Des/V_Set_Pieces.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/Lev_Des/V_Lev_Doors.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/props/Lev_Des/P_V_Lev_Des_skin.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + platform:/levels/gta5/outsource/building_xrefs.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/_hills/cs_xref.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/_citye/citye_xr.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/_citye/port_xr.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/_cityw/marina_xr.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_fib_door.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_fib_ceiling.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_fib_floor.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_fib_glass.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_jewel_cab.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_jewel_cab2.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_jewel_cab3.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_showroom.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_vaultdoor.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_tvsmash.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_fibstairs.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_jewel_cab4.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_hospitaldoors.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_finale_tunnel.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_finale_vault.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_frenchdoors.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/des_server.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/DES_prologue_door.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/interior/int_props/int_retail.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_setpiece2.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_stilthouse.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_scaffolding.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_gasstation.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_farmhouse.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_methtrailer.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_traincrash.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_trailerparka.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_trailerparkb.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_trailerparkc.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_trailerparkd.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_trailerparke.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_protree.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_apartmentblock.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_tankercrash.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_tankerexplosion.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/destruction/exterior/des_shipsink.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + platform:/levels/gta5/popgroups + POPGRP_FILE + + + commoncrc:/data/levels/gta5/popcycle.dat + POPSCHED_FILE + + + common:/data/levels/gta5/MAPAREA.IPL + IPL_FILE + + + common:/data/levels/gta5/POPZONE.IPL + IPL_FILE + + + platform:/levels/gta5/zonebind + ZONEBIND_FILE + + + common:/data/levels/gta5/ambient.IPL + IPL_FILE + + + common:/data/levels/gta5/ambient_Leeds.IPL + IPL_FILE + + + common:/data/levels/gta5/ambient_MP.IPL + IPL_FILE + + + common:/data/levels/gta5/ambient_SD.IPL + IPL_FILE + + + commoncrc:/data/levels/gta5/trains.xml + TRAINCONFIGS_FILE + + + commoncrc:/data/levels/gta5/traintracks.xml + TRAINTRACK_FILE + + + platform:/levels/gta5/cloudhats/v_clouds.ityp + PERMANENT_ITYP_FILE + PARTITION_2 + + + common:/data/levels/gta5/NavmeshIndexMapping.dat + NAVMESH_INDEXREMAPPING_FILE + + + common:/data/levels/gta5/junctions.xml + JUNCTION_TEMPLATES_FILE + + + common:/data/levels/gta5/junctions.pso + JUNCTION_TEMPLATES_PSO_FILE + + + common:/data/levels/gta5/pathzones.xml + PATH_ZONES_FILE + + + commoncrc:/data/levels/gta5/vehiclepopulation.xml + VEHICLE_POPULATION_FILE + + + common:/data/levels/gta5/vehgen_markup.xml + VEHGEN_MARKUP_FILE + + + common:/data/levels/gta5/streetvehicleassoc.xml + STREET_VEHICLE_ASSOCIATION_FILE + + + common:/data/levels/gta5/distantlights.dat + DISTANT_LIGHTS_FILE + + + common:/data/levels/gta5/distantlights_hd.dat + DISTANT_LIGHTS_HD_FILE + + + platform:/levels/gta5/sp_manifest.#mt + SCENARIO_POINTS_PSO_FILE + + + platform:/levels/gta5/generic/objectcovertuning + OBJ_COVER_TUNING_FILE + + + resources:/soz-mapdata/doortuning + DOOR_TUNING_FILE + + + platformcrc:/levels/gta5/slownesszones + SLOWNESS_ZONES_FILE + + + common:/data/levels/gta5/mapzones.xml + MAPZONES_FILE + + + COMMON:/data/levels/gta5/heightmap.dat + WORLD_HEIGHTMAP_FILE + + + COMMON:/data/levels/gta5/waterheight.dat + WORLD_WATERHEIGHT_FILE + + + platform:/levels/gta5/props/vegetation/v_prop_patch.ityp + PERMANENT_ITYP_FILE + CONTENTS_PROPS + PARTITION_2 + + + diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/soz_game.dat151.rel b/resources/[mapping]/[mapping-prod]/soz-mapdata/soz_game.dat151.rel new file mode 100644 index 0000000000..226ee297a4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-mapdata/soz_game.dat151.rel differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/soz_mix.dat15.rel b/resources/[mapping]/[mapping-prod]/soz-mapdata/soz_mix.dat15.rel new file mode 100644 index 0000000000..b916f53de2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-mapdata/soz_mix.dat15.rel differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/1373513363.ymt b/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/1373513363.ymt new file mode 100644 index 0000000000..172c6441fd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/1373513363.ymt differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/2829924601.ymt b/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/2829924601.ymt new file mode 100644 index 0000000000..05ccf1acfb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/2829924601.ymt differ diff --git a/resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/560780229.ymt b/resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/560780229.ymt similarity index 100% rename from resources/[mapping]/[mapping-prod]/soz-map-upw/stream/ymap/560780229.ymt rename to resources/[mapping]/[mapping-prod]/soz-mapdata/stream/audio/560780229.ymt diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/cs1_05_0.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/cs1_05_0.ybn index ccb9dcbe97..c672166c17 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/cs1_05_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/cs1_05_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/hi@cs1_05_1.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/hi@cs1_05_1.ybn index 50c994fe77..8da8ed98c7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/hi@cs1_05_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/PaletoLiquor/hi@cs1_05_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/bh1_33_0.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/bh1_33_0.ybn index d39620e57a..f952d9947b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/bh1_33_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/bh1_33_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/hi@bh1_33_0.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/hi@bh1_33_0.ybn index 65eb53c3d4..960dff6cc6 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/hi@bh1_33_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/RockfordGas/hi@bh1_33_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/hi@sm_26_0.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/hi@sm_26_0.ybn index d713e9fcc5..f9b2cff901 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/hi@sm_26_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/hi@sm_26_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/sm_26_0.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/sm_26_0.ybn index 38b3e1ceea..dfd7afcff9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/sm_26_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/WestEclipseXERO/sm_26_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/ch1_04_8.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/ch1_04_8.ybn index a1cd58c59c..a9fe32e916 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/ch1_04_8.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/ch1_04_8.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/hi@ch1_04_1.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/hi@ch1_04_1.ybn index 4bf206f4e5..ac197f4676 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/hi@ch1_04_1.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/ZancudoShop/hi@ch1_04_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/cs1_01_0.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/cs1_01_0.ybn index edf2ae1510..986ec082ac 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/cs1_01_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/cs1_01_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/hi@cs1_01_5.ybn b/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/hi@cs1_01_5.ybn index 85248699ba..ba7a4cd74b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/hi@cs1_01_5.ybn and b/resources/[mapping]/[mapping-prod]/soz-market/stream/paleto247/hi@cs1_01_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/fxmanifest.lua index 3d58b75c67..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/fxmanifest.lua @@ -1,9 +1,3 @@ fx_version 'cerulean' game 'gta5' this_is_a_map 'yes' - -files { - "meta/*.meta" -} - -data_file "DOOR_TUNING_FILE" "meta/doortuning.meta" diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/meta/doortuning.meta b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/meta/doortuning.meta deleted file mode 100644 index 46796d38cb..0000000000 --- a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/meta/doortuning.meta +++ /dev/null @@ -1,40 +0,0 @@ - - - - - SozGarageDoorOpening - - - - - - - - - - - - - - - - - - - - - StdDoorOpenBothDir - - - - - - soz_mtp_room02_garagedoor - SozGarageDoorOpening - - - soz_mtp_room02_garagedoor01 - SozGarageDoorOpening - - - diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/MTP_V2_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/MTP_V2_manifest.ymf index e8574d84ad..609d227d4f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/MTP_V2_manifest.ymf and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/MTP_V2_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_2.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_2.ybn index d426556e69..63341c75c5 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_2.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_3.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_3.ybn index 8b6e96bef8..44c9ed26f5 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_3.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/cs1_roads_pb_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hei_cs1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hei_cs1_02_0.ybn index 04547da897..02bf20b14e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hei_cs1_02_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hei_cs1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_0.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_0.ybn index bde633d37f..4770b66afd 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_2.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_2.ybn index 673735e7f8..c6884eeaa3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_2.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@cs1_roads_pb_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_0.ybn index decab51579..3f70baf0c8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_2.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_2.ybn index 1b43b5c307..03a0b4c0b1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_2.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/hi@hei_cs1_02_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/v_mtp.ybn b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/v_mtp.ybn index 52c54a9310..1193e2173e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/v_mtp.ybn and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ybn/v_mtp.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_050.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_050.ydr index ba7247eb66..a606e0085b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_050.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_050.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk4.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk4.ydr index 57813022e7..843c149a6c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk4.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk4.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5.ydr index 92cda10c3a..49d9a6be52 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5_01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5_01.ydr index 3983c996c0..7c07e2cbfc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_cprk5_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_emis_slod_dummy_children.ydd b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_emis_slod_dummy_children.ydd index 14a9829d3c..fa8e92d056 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_emis_slod_dummy_children.ydd and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_emis_slod_dummy_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_struc2_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_struc2_slod_children.ydd index d9001560e8..0dec17ad7d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_struc2_slod_children.ydd and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_02_struc2_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_15_terrain01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_15_terrain01.ydr index f73edf6812..526c2fbfb7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_15_terrain01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_15_terrain01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_lod2_01_7_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_lod2_01_7_slod2_children.ydd index a47d928fe7..0c96efee92 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_lod2_01_7_slod2_children.ydd and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_lod2_01_7_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p131_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p131_slod_children.ydd index a5abe0b7f7..2a657f1545 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p131_slod_children.ydd and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p131_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p133_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p133_slod_children.ydd index 21df07fe72..8f1f4dce5f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p133_slod_children.ydd and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_p133_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wi137.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wi137.ydr index 3b9c77db23..44ec5a8458 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wi137.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wi137.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wire_em18.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wire_em18.ydr index ca11268683..34ee0d985c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wire_em18.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wire_em18.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline106.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline106.ydr index 6a69e872bb..77735a5059 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline106.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline106.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline107.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline107.ydr index 8ce606076b..9849f1ddeb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline107.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline107.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline113.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline113.ydr index 46629b97f5..48c483b9f3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline113.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline113.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline131.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline131.ydr index e6a18e59ff..72e9150aa3 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline131.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/cs1_rdprops_pb_wspline131.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condifueltank.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condifueltank.ydr index 955e47e1db..4a88659fb2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condifueltank.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condifueltank.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condioiltank.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condioiltank.ydr index 35ce5391e6..bc66140c17 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condioiltank.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_condioiltank.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_biln04_01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_biln04_01.ydr index bfe70ba6e2..a31ba15052 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_biln04_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_biln04_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_carpark01a_dec.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_carpark01a_dec.ydr index 9d45e0373d..c514f74fd0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_carpark01a_dec.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_cs1_02_carpark01a_dec.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_bunk_off_desklamp_uprgd.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_bunk_off_desklamp_uprgd.ydr index 1d900423c3..e2f3f57226 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_bunk_off_desklamp_uprgd.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_bunk_off_desklamp_uprgd.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_prop_gr_trailer_tv.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_prop_gr_trailer_tv.ydr index 7700bcea8c..14eb058ecb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_prop_gr_trailer_tv.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_gr_prop_gr_trailer_tv.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_build01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_build01.ydr index 11890c2c10..65f1538882 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_build01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_build01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_carparking.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_carparking.ydr index ee2839a32e..c331cd81ab 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_carparking.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_carparking.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_changing.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_changing.ydr index 4da41ae581..2ea5b4b58b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_changing.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_changing.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_corner_sofa01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_corner_sofa01.ydr index ecbca352df..559660aef4 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_corner_sofa01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_corner_sofa01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door.ydr index 5d78897ccd..b6742cf5ff 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door02.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door02.ydr index bd4c4c7d11..1e1f037b74 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door02.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door03.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door03.ydr index 025ae28a9b..0d8b0d8be7 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door03.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_door03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_elevator01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_elevator01.ydr index bf0148232e..ab651a3b2e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_elevator01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_elevator01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass.ydr index c391d63421..029984fa6d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass_room02.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass_room02.ydr index fc7025766b..a62c1f0829 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass_room02.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_glass_room02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handrail.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handrail.ydr index 3bf13b9fd2..dbc043a36d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handrail.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handrail.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handwash.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handwash.ydr index 4d2ee39782..101b4c81f0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handwash.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_handwash.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_kitchen_01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_kitchen_01.ydr index db0ca1a414..848decf3be 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_kitchen_01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_kitchen_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_lod.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_lod.ydr index f4f9dfec62..9b49a1e466 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_lod.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_lod.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_receptiondesk01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_receptiondesk01.ydr index 423148993b..27592fd5bd 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_receptiondesk01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_receptiondesk01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_beam.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_beam.ydr index 0e17176a18..1fde914541 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_beam.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_beam.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar.ydr index a2cce7423a..d36582d55f 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar01.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar01.ydr index 35a608dc28..3e6a5c1fe0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar01.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room02_pillar01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room03_toilet.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room03_toilet.ydr index f47c1be5c3..42b9d73d4b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room03_toilet.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room03_toilet.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room09_glass.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room09_glass.ydr index c7f02416a3..4aab670d12 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room09_glass.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room09_glass.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room11_glass.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room11_glass.ydr index 87ee81d126..5549e9eb1d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room11_glass.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_room11_glass.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_shower.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_shower.ydr index 83d9d199b4..564a1d50cb 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_shower.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_shower.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod.ydr index 8116ca5f08..a8c92c8eca 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod2.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod2.ydr index ce56785447..745fb66b81 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod2.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod3.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod3.ydr index f2e8c3e2b3..c422b7db55 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod3.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_slod3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_towelheater.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_towelheater.ydr index 7c534e1a5c..93a12db303 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_towelheater.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_towelheater.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_txd.ytd b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_txd.ytd index c1bc10dee0..6cdbc335e1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_txd.ytd and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_txd.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_wallart.ydr b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_wallart.ydr index ed91b51ba4..01567ffe96 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_wallart.ydr and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ydr/soz_mtp_wallart.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02.ymap deleted file mode 100644 index a737193a5c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_long_0.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_long_0.ymap index 65544be4f3..1a122c7d82 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_long_0.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_long_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_strm_0.ymap index 732a8f291e..152944bd2b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_strm_0.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_02_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb.ymap index 5328399a68..d0a4097ee2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_0.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_0.ymap index 96ace80ca3..44f06e15ac 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_0.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_2.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_2.ymap index fa79b77ad2..2a3feffc3c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_2.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_critical_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_long_1.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_long_1.ymap index 4c0f62e12a..d15e5a9f90 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_long_1.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_long_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_strm_2.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_strm_2.ymap index b673cd8966..82f24f461c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_strm_2.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/hei_cs1_roads_pb_strm_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_distantlights.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_distantlights.ymap new file mode 100644 index 0000000000..f6a63dd849 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_distantlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_exterior.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_exterior.ymap index 11cbb7c9e0..ca1db19b31 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_exterior.ymap and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_exterior.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_lodlights.ymap b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_lodlights.ymap new file mode 100644 index 0000000000..13360679cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ymap/soz_mtp_lodlights.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_assets.ytyp b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_assets.ytyp index 4752b73922..d52ea58d07 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_assets.ytyp and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_assets.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_milo_.ytyp b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_milo_.ytyp index 2b08ffe213..9d0688229c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_milo_.ytyp and b/resources/[mapping]/[mapping-prod]/soz-mtpetrol-v2/stream/ytyp/soz_mtp_milo_.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northfitness/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-northfitness/fxmanifest.lua index cd52d48d9a..da1c85b248 100644 --- a/resources/[mapping]/[mapping-prod]/soz-northfitness/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-northfitness/fxmanifest.lua @@ -1,6 +1,4 @@ -fx_version "bodacious" - -games { "gta5" } - -this_is_a_map "yes" +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' diff --git a/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/lr_cs4_06_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/lr_cs4_06_3.ybn index 61059b3bbd..73d9274d8b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/lr_cs4_06_3.ybn and b/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/lr_cs4_06_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/soz_musclebeach.ydr b/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/soz_musclebeach.ydr index 8de334fa83..d4225a43bf 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/soz_musclebeach.ydr and b/resources/[mapping]/[mapping-prod]/soz-northfitness/stream/soz_musclebeach.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-northforest/fxmanifest.lua index 29fe4a23a6..c7e98d48db 100644 --- a/resources/[mapping]/[mapping-prod]/soz-northforest/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-northforest/fxmanifest.lua @@ -1,12 +1,12 @@ --- This mod was made for free by JRod and Larcius and the FiveM resource bundle was made by leonard1125. +-- This mod was made for free by JRod and Larcius. -- For more information check out https://www.gta5-mods.com/maps/forests-of-san-andreas-revised -fx_version "adamant" +fx_version "cerulean" game "gta5" author 'Larcius' -description 'Forests of San Andreas: Revised' -version '3.3' +description 'Forests of San Andreas (South): Revised' +version '4.3' -data_file('DLC_ITYP_REQUEST')('stream/ForestsOfSA_N/metadata/forest_n_slod.ytyp') -data_file('DLC_ITYP_REQUEST')('stream/ForestsOfSA_S/metadata/forest_s_slod.ytyp') +data_file('DLC_ITYP_REQUEST')('stream/forests_s_slod.ytyp') +data_file('DLC_ITYP_REQUEST')('stream/forests_n_slod.ytyp') \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_lod_children_0.ydd deleted file mode 100644 index b2c86cb20e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_lod_children_1.ydd deleted file mode 100644 index c91774ba5f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_slod1_children_0.ydd deleted file mode 100644 index a1de0e4069..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_slod2_children.ydd deleted file mode 100644 index 263081e7d0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_a_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_lod_children_0.ydd deleted file mode 100644 index f2022683b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_slod1_children_0.ydd deleted file mode 100644 index c15e7076e3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_slod2_children.ydd deleted file mode 100644 index 81b5fba796..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_b_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_lod_children_0.ydd deleted file mode 100644 index 9a0ce7246a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_lod_children_1.ydd deleted file mode 100644 index 5f3d0d3d67..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_slod1_children_0.ydd deleted file mode 100644 index 86559a6493..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_slod2_children.ydd deleted file mode 100644 index b229243240..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_c_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_lod_children_0.ydd deleted file mode 100644 index 7ca006ef7a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_lod_children_1.ydd deleted file mode 100644 index 215d09df2d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_slod1_children_0.ydd deleted file mode 100644 index cd848f0ca6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_slod2_children.ydd deleted file mode 100644 index 782c4042d5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_d_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_0.ydd deleted file mode 100644 index 4ce987f3a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_1.ydd deleted file mode 100644 index a02bbebbfb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_2.ydd deleted file mode 100644 index f3246bccd8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_lod_children_2.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_slod1_children_0.ydd deleted file mode 100644 index dd32ef0041..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_slod2_children.ydd deleted file mode 100644 index 776e464e43..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_e_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_lod_children_0.ydd deleted file mode 100644 index 59925a3fb7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_lod_children_1.ydd deleted file mode 100644 index 30051de856..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_slod1_children_0.ydd deleted file mode 100644 index b4b8fbf664..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_slod2_children.ydd deleted file mode 100644 index 376ffd629d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_f_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_slod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_slod.ytd deleted file mode 100644 index 919c219f48..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_slod.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_slod.ytyp b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_slod.ytyp deleted file mode 100644 index 362f87c077..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/lod/forest_n_slod.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/_manifest.ymf deleted file mode 100644 index c020c7fcc5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_0.ymap deleted file mode 100644 index d84b4473ae..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_1.ymap deleted file mode 100644 index d7e751195f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_2.ymap deleted file mode 100644 index 7cf593baa9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_3.ymap deleted file mode 100644 index 180c1cfb4d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_4.ymap deleted file mode 100644 index f8047b9884..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_5.ymap deleted file mode 100644 index 1078998c40..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_a_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_0.ymap deleted file mode 100644 index c175272470..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_1.ymap deleted file mode 100644 index 8cc8dd95fa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_2.ymap deleted file mode 100644 index de37ee9568..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_3.ymap deleted file mode 100644 index 53ba10fb0a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_b_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_0.ymap deleted file mode 100644 index 8d916825ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_1.ymap deleted file mode 100644 index f1bb4c9baa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_2.ymap deleted file mode 100644 index e3d87cea5f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_3.ymap deleted file mode 100644 index ab5e6a8b30..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_4.ymap deleted file mode 100644 index b8934ab82a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_c_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_0.ymap deleted file mode 100644 index d5c591b12e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_1.ymap deleted file mode 100644 index b740fff042..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_2.ymap deleted file mode 100644 index 12c5da6508..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_3.ymap deleted file mode 100644 index 4e3736bf21..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_4.ymap deleted file mode 100644 index 018f58ce8c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_5.ymap deleted file mode 100644 index a2fcdba95a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_6.ymap deleted file mode 100644 index 6f99585c8c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_d_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_0.ymap deleted file mode 100644 index ebcbfb31b9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_1.ymap deleted file mode 100644 index b3057ce8aa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_2.ymap deleted file mode 100644 index 3ac06a43da..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_3.ymap deleted file mode 100644 index b20e5bd083..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_4.ymap deleted file mode 100644 index 494b1c75f3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_5.ymap deleted file mode 100644 index 643a42137b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_e_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_0.ymap deleted file mode 100644 index 97fa8bb804..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_1.ymap deleted file mode 100644 index b93ec18d61..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_2.ymap deleted file mode 100644 index 53caa6b279..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_3.ymap deleted file mode 100644 index e3a61920be..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_4.ymap deleted file mode 100644 index 5dbecf0608..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_f_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_lod.ytd deleted file mode 100644 index 1773c791b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_n_lod.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_s_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_s_a_4.ymap deleted file mode 100644 index 515c4ea631..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_s_a_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_s_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_s_a_5.ymap deleted file mode 100644 index 8a18c271b0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/metadata/forest_s_a_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_0.ybn deleted file mode 100644 index cb36185c3f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_1.ybn deleted file mode 100644 index 704059001e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_2.ybn deleted file mode 100644 index a45f2c427b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_3.ybn deleted file mode 100644 index 6811a1eecc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_4.ybn deleted file mode 100644 index 82bcac6e8f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_5.ybn deleted file mode 100644 index 8b07dcd7b0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_6.ybn deleted file mode 100644 index 0616d579ae..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_0_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_0.ybn deleted file mode 100644 index f3bb74950f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_1.ybn deleted file mode 100644 index e18677add3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_2.ybn deleted file mode 100644 index 7814ce65b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_3.ybn deleted file mode 100644 index 53ccd7000f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_4.ybn deleted file mode 100644 index 348a47f93c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_5.ybn deleted file mode 100644 index 4253605d37..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_0.ybn deleted file mode 100644 index 46fa10b18f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_1.ybn deleted file mode 100644 index 7d81487c8f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_2.ybn deleted file mode 100644 index 9825ca2430..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_3.ybn deleted file mode 100644 index ddce1a5c67..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_4.ybn deleted file mode 100644 index e3a2fbf9d0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_5.ybn deleted file mode 100644 index dbd5cbf5e0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_6.ybn deleted file mode 100644 index 9bc36a7d9c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_7.ybn deleted file mode 100644 index a08b0dcd6d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_8.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_8.ybn deleted file mode 100644 index 42150cb1a1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_8.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_9.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_9.ybn deleted file mode 100644 index cc7f845229..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_2_9.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_0.ybn deleted file mode 100644 index 12dc1440f2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_1.ybn deleted file mode 100644 index c0dfd863fc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_2.ybn deleted file mode 100644 index f1da254334..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_3.ybn deleted file mode 100644 index e9274c683b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_4.ybn deleted file mode 100644 index ccc7dfa7a1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_5.ybn deleted file mode 100644 index 58b81bab29..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_3_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_0.ybn deleted file mode 100644 index 0cb2cd8a8c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_1.ybn deleted file mode 100644 index 45857b647b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_2.ybn deleted file mode 100644 index 9a4ecdce44..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_3.ybn deleted file mode 100644 index ce17c5ceb0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_4.ybn deleted file mode 100644 index 4351c8545c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_5.ybn deleted file mode 100644 index 74abe14db6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_6.ybn deleted file mode 100644 index 1a8348c5c3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_4_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_0.ybn deleted file mode 100644 index 68c60673ba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_1.ybn deleted file mode 100644 index dc0b0a48ae..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_2.ybn deleted file mode 100644 index c656f2bbe4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_3.ybn deleted file mode 100644 index 6082fef655..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_4.ybn deleted file mode 100644 index e414f78741..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_a_5_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_0.ybn deleted file mode 100644 index 06f049bc81..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_1.ybn deleted file mode 100644 index 6d0d1eb9dd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_2.ybn deleted file mode 100644 index 01b36419bc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_3.ybn deleted file mode 100644 index 07f3f51037..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_4.ybn deleted file mode 100644 index 28ae1501af..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_0.ybn deleted file mode 100644 index 0aef3afec5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_1.ybn deleted file mode 100644 index 677b96c7e5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_2.ybn deleted file mode 100644 index 72584d62b6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_3.ybn deleted file mode 100644 index 9d0e3acab3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_4.ybn deleted file mode 100644 index 06eeba5f95..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_0.ybn deleted file mode 100644 index 99c921ad4d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_1.ybn deleted file mode 100644 index 8b74572e08..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_2.ybn deleted file mode 100644 index d44671c4ab..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_3.ybn deleted file mode 100644 index 70ce5c355f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_4.ybn deleted file mode 100644 index 3d4ac09f61..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_0.ybn deleted file mode 100644 index 40d485a2ca..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_1.ybn deleted file mode 100644 index 57f0477788..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_2.ybn deleted file mode 100644 index f2c61fba80..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_b_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_0.ybn deleted file mode 100644 index b8db2dd7eb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_1.ybn deleted file mode 100644 index f4b6fdfd9a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_2.ybn deleted file mode 100644 index 023739cd1a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_3.ybn deleted file mode 100644 index 86aa1b9dd9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_0.ybn deleted file mode 100644 index 7cfa176154..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_1.ybn deleted file mode 100644 index f2db3ee610..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_2.ybn deleted file mode 100644 index ea9fdf84b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_3.ybn deleted file mode 100644 index 308d2449ba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_4.ybn deleted file mode 100644 index 02e2eec87a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_5.ybn deleted file mode 100644 index ea56505ac3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_0.ybn deleted file mode 100644 index c5dd71e19d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_1.ybn deleted file mode 100644 index aae45e9e27..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_2.ybn deleted file mode 100644 index cb20a5db89..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_3.ybn deleted file mode 100644 index 5962f3488e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_4.ybn deleted file mode 100644 index 324b777243..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_5.ybn deleted file mode 100644 index 8e5b1d2060..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_2_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_0.ybn deleted file mode 100644 index 8c19d0031d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_1.ybn deleted file mode 100644 index 5f03b72454..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_2.ybn deleted file mode 100644 index 4c425ee770..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_3.ybn deleted file mode 100644 index 25d8ee0997..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_4.ybn deleted file mode 100644 index 1dec76ce88..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_0.ybn deleted file mode 100644 index e49f5bdf68..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_1.ybn deleted file mode 100644 index 484998b7fe..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_2.ybn deleted file mode 100644 index 0e10d3ab7d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_3.ybn deleted file mode 100644 index 909ebe4595..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_4.ybn deleted file mode 100644 index 47683d61d6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_c_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_0.ybn deleted file mode 100644 index f2842ceee3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_1.ybn deleted file mode 100644 index 20e80f9160..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_2.ybn deleted file mode 100644 index 9e5c56f9b7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_3.ybn deleted file mode 100644 index 5585b32cb4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_4.ybn deleted file mode 100644 index 27ae45b2ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_0.ybn deleted file mode 100644 index 1e15fa235f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_1.ybn deleted file mode 100644 index f6be906bc9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_2.ybn deleted file mode 100644 index 9d65d533a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_3.ybn deleted file mode 100644 index a323a8ac02..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_4.ybn deleted file mode 100644 index f21fce4f4e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_5.ybn deleted file mode 100644 index 09b794749c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_0.ybn deleted file mode 100644 index 51bdaf8d2f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_1.ybn deleted file mode 100644 index 344ee109f4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_2.ybn deleted file mode 100644 index 46f45cf17a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_3.ybn deleted file mode 100644 index bc46e78773..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_4.ybn deleted file mode 100644 index df4d3ac535..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_0.ybn deleted file mode 100644 index 33069add58..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_1.ybn deleted file mode 100644 index c8739a9dd7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_2.ybn deleted file mode 100644 index eee4524192..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_3.ybn deleted file mode 100644 index 5009d40cac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_4.ybn deleted file mode 100644 index 691e2aedc5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_0.ybn deleted file mode 100644 index 8464d920de..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_1.ybn deleted file mode 100644 index 93e2344816..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_2.ybn deleted file mode 100644 index b37ccb45b2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_3.ybn deleted file mode 100644 index 6e540180e2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_4.ybn deleted file mode 100644 index 1a9f7a0523..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_5.ybn deleted file mode 100644 index 13bba1fc15..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_0.ybn deleted file mode 100644 index fa9dd8a018..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_1.ybn deleted file mode 100644 index 34901de7f2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_2.ybn deleted file mode 100644 index b174377b8e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_3.ybn deleted file mode 100644 index f6b5a93d33..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_4.ybn deleted file mode 100644 index 51003398a7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_5_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_0.ybn deleted file mode 100644 index cf48700a93..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_1.ybn deleted file mode 100644 index 2b9015dd43..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_2.ybn deleted file mode 100644 index e65d92acf3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_3.ybn deleted file mode 100644 index b28b12e3ad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_4.ybn deleted file mode 100644 index 1e7200bd54..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_d_6_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_0.ybn deleted file mode 100644 index 3fca188c8d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_1.ybn deleted file mode 100644 index 24e0ed6cc8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_2.ybn deleted file mode 100644 index 55ca6dc364..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_3.ybn deleted file mode 100644 index 0690349ee3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_4.ybn deleted file mode 100644 index 1d94f85bbd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_5.ybn deleted file mode 100644 index bf82467e69..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_0_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_0.ybn deleted file mode 100644 index 346cc279f0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_1.ybn deleted file mode 100644 index 71b503281a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_2.ybn deleted file mode 100644 index f458827054..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_3.ybn deleted file mode 100644 index 92bd17f92b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_4.ybn deleted file mode 100644 index e0f3da9801..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_5.ybn deleted file mode 100644 index ebd3227fe9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_6.ybn deleted file mode 100644 index 0b08def39c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_1_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_0.ybn deleted file mode 100644 index 84f0acf109..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_1.ybn deleted file mode 100644 index baa6296e56..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_2.ybn deleted file mode 100644 index 98fbb12e72..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_3.ybn deleted file mode 100644 index 03c6cde8d5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_4.ybn deleted file mode 100644 index b434dfe3f5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_5.ybn deleted file mode 100644 index 6dbd91bec5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_6.ybn deleted file mode 100644 index 6f8ab2c644..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_7.ybn deleted file mode 100644 index be7ef78dfb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_2_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_0.ybn deleted file mode 100644 index e0a12f5d02..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_1.ybn deleted file mode 100644 index 9a5dc509b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_2.ybn deleted file mode 100644 index e2fe63f998..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_3.ybn deleted file mode 100644 index 6d76a914e0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_4.ybn deleted file mode 100644 index bbd3379251..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_5.ybn deleted file mode 100644 index ecc672caeb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_6.ybn deleted file mode 100644 index fcd785e416..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_3_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_0.ybn deleted file mode 100644 index d0a790f032..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_1.ybn deleted file mode 100644 index 74cebe4910..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_3.ybn deleted file mode 100644 index 6ee51b8057..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_4.ybn deleted file mode 100644 index d113c101e7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_5.ybn deleted file mode 100644 index f8188e854e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_6.ybn deleted file mode 100644 index aed9646af9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_7.ybn deleted file mode 100644 index 8fe573f5cf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_4_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_0.ybn deleted file mode 100644 index c2c3f95960..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_1.ybn deleted file mode 100644 index dc0b64083a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_2.ybn deleted file mode 100644 index 6d433ef374..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_3.ybn deleted file mode 100644 index bd44c01a0a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_4.ybn deleted file mode 100644 index 63f7f975e6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_5.ybn deleted file mode 100644 index eb888bf194..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_e_5_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_0.ybn deleted file mode 100644 index 7b28c2f87e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_1.ybn deleted file mode 100644 index dd03373972..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_2.ybn deleted file mode 100644 index 6e6b7cb79b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_3.ybn deleted file mode 100644 index ac9f8c15ce..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_4.ybn deleted file mode 100644 index a7023cf9c2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_5.ybn deleted file mode 100644 index c5a3fda7ca..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_0_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_0.ybn deleted file mode 100644 index 56e0290ce2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_1.ybn deleted file mode 100644 index 6c476c1268..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_2.ybn deleted file mode 100644 index 8be0a4c2f6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_3.ybn deleted file mode 100644 index 0526c0e398..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_4.ybn deleted file mode 100644 index 6ca6bff103..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_5.ybn deleted file mode 100644 index 9bf748347d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_6.ybn deleted file mode 100644 index 3e5d8fc89b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_7.ybn deleted file mode 100644 index 751c6edd7f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_1_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_0.ybn deleted file mode 100644 index e710634c88..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_1.ybn deleted file mode 100644 index e28ff91687..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_2.ybn deleted file mode 100644 index c78505c2ad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_3.ybn deleted file mode 100644 index 9b70b6fdc8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_4.ybn deleted file mode 100644 index b2d7231ccf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_5.ybn deleted file mode 100644 index ed0f24f2a5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_2_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_0.ybn deleted file mode 100644 index 97d6753afa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_1.ybn deleted file mode 100644 index c6674f46ce..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_2.ybn deleted file mode 100644 index fec73b39b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_3.ybn deleted file mode 100644 index 241898f84a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_4.ybn deleted file mode 100644 index e9c82c5f14..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_5.ybn deleted file mode 100644 index 2cba303e35..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_3_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_0.ybn deleted file mode 100644 index 10ddfd1bf8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_1.ybn deleted file mode 100644 index f009fb3753..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_2.ybn deleted file mode 100644 index 075cb2e0d9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_3.ybn deleted file mode 100644 index 7fc05456c9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_4.ybn deleted file mode 100644 index 9785ab8615..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_N/ybn/hi@forest_n_f_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_lod_children_0.ydd deleted file mode 100644 index efce5dd6e8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_lod_children_1.ydd deleted file mode 100644 index 7cb43a5ebd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_slod1_children_0.ydd deleted file mode 100644 index c4d9e3f099..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_slod2_children.ydd deleted file mode 100644 index 8346cd9f7b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_a_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_lod_children_0.ydd deleted file mode 100644 index 10b62da183..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_lod_children_1.ydd deleted file mode 100644 index 9823f6f1aa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_slod1_children_0.ydd deleted file mode 100644 index 1ff62de178..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_slod2_children.ydd deleted file mode 100644 index 3e54ccf077..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_b_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_lod_children_0.ydd deleted file mode 100644 index 35dc2b54b3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_lod_children_1.ydd deleted file mode 100644 index 719f9c5115..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_slod1_children_0.ydd deleted file mode 100644 index 75b1adff05..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_slod2_children.ydd deleted file mode 100644 index 0c37052fa7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_c_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_0.ydd deleted file mode 100644 index ac87e4710c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_1.ydd deleted file mode 100644 index 93c8501203..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_2.ydd deleted file mode 100644 index 3d8139af45..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_lod_children_2.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_slod1_children_0.ydd deleted file mode 100644 index 9abcd6560c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_slod2_children.ydd deleted file mode 100644 index a2826fb987..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_d_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_lod_children_0.ydd deleted file mode 100644 index 1a9d9ad35c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_slod1_children_0.ydd deleted file mode 100644 index d94153db74..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_slod2_children.ydd deleted file mode 100644 index 2c675961ba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_e_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_lod_children_0.ydd deleted file mode 100644 index 3abec35541..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_lod_children_1.ydd deleted file mode 100644 index ca140f1d21..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_slod1_children_0.ydd deleted file mode 100644 index 8116cc4c6b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_slod2_children.ydd deleted file mode 100644 index adbef19845..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/lod/forest_s_f_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/_manifest.ymf deleted file mode 100644 index ca257f6614..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_0.ymap deleted file mode 100644 index f63f9f7ab5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_1.ymap deleted file mode 100644 index bc5da717aa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_2.ymap deleted file mode 100644 index 3a54175efa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_3.ymap deleted file mode 100644 index c86390e347..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_4.ymap deleted file mode 100644 index 2320bc7077..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_5.ymap deleted file mode 100644 index f21621709d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_a_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_0.ymap deleted file mode 100644 index c10c59492d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_1.ymap deleted file mode 100644 index 98988ee7e7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_2.ymap deleted file mode 100644 index 3ec4869a7b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_3.ymap deleted file mode 100644 index 00097d6760..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_4.ymap deleted file mode 100644 index 027da684cc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_5.ymap deleted file mode 100644 index aafc71112d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_b_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_0.ymap deleted file mode 100644 index 621cd60051..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_1.ymap deleted file mode 100644 index d7f7e7d2dd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_2.ymap deleted file mode 100644 index 190080f821..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_3.ymap deleted file mode 100644 index c08542f827..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_4.ymap deleted file mode 100644 index c3a70a89e7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_5.ymap deleted file mode 100644 index 3871107c99..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_6.ymap deleted file mode 100644 index 811aa2a6f9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_c_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_0.ymap deleted file mode 100644 index a9cb81fb5b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_1.ymap deleted file mode 100644 index 51010ec261..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_2.ymap deleted file mode 100644 index a0290c4699..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_3.ymap deleted file mode 100644 index 6a05bc7f64..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_4.ymap deleted file mode 100644 index 9bbf57b1a2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_5.ymap deleted file mode 100644 index b5276f55e0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_6.ymap deleted file mode 100644 index 7199c96f91..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_7.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_7.ymap deleted file mode 100644 index 04cb1beccd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_7.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_8.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_8.ymap deleted file mode 100644 index 2197809999..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_d_8.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_0.ymap deleted file mode 100644 index 9192928f15..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_1.ymap deleted file mode 100644 index 5a24d9496b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_2.ymap deleted file mode 100644 index d4c4f64894..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_3.ymap deleted file mode 100644 index 390d5243a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_e_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_0.ymap deleted file mode 100644 index 4eb654b27f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_1.ymap deleted file mode 100644 index 0e99ae1145..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_2.ymap deleted file mode 100644 index 55154cb6f3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_3.ymap deleted file mode 100644 index c01e99afcd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_4.ymap deleted file mode 100644 index 082d6ab6e9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_5.ymap deleted file mode 100644 index 9bb70c8af4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_6.ymap deleted file mode 100644 index 3b5b3fcda5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_f_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc.ymap deleted file mode 100644 index 806079e597..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_campr.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_campr.ymap deleted file mode 100644 index 824a523f08..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_campr.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_shelter.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_shelter.ymap deleted file mode 100644 index f8d8651745..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_shelter.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_trailer.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_trailer.ymap deleted file mode 100644 index aea171cc59..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_misc_trailer.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_slod.ytyp b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_slod.ytyp deleted file mode 100644 index 7a360ed3ff..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/metadata/forest_s_slod.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/forest_s_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/forest_s_lod.ytd deleted file mode 100644 index 1773c791b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/forest_s_lod.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/forest_s_slod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/forest_s_slod.ytd deleted file mode 100644 index 919c219f48..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/forest_s_slod.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_0.ybn deleted file mode 100644 index e4f4c53016..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_1.ybn deleted file mode 100644 index 47a34cee3d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_2.ybn deleted file mode 100644 index d5bf4e4973..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_3.ybn deleted file mode 100644 index 0480016364..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_0.ybn deleted file mode 100644 index 851174e545..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_1.ybn deleted file mode 100644 index f663ea96c9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_2.ybn deleted file mode 100644 index 971aa4a523..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_3.ybn deleted file mode 100644 index edbe1f7b67..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_4.ybn deleted file mode 100644 index 43233e2f1b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_5.ybn deleted file mode 100644 index c15367316a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_6.ybn deleted file mode 100644 index a263862622..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_7.ybn deleted file mode 100644 index 17d425919e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_8.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_8.ybn deleted file mode 100644 index 3fab22e52f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_1_8.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_0.ybn deleted file mode 100644 index 1184131350..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_1.ybn deleted file mode 100644 index 02cb078045..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_2.ybn deleted file mode 100644 index 111663b314..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_3.ybn deleted file mode 100644 index 78c1c7915e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_4.ybn deleted file mode 100644 index dde9597b0f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_0.ybn deleted file mode 100644 index 1a0a7e0417..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_1.ybn deleted file mode 100644 index 175a56934a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_2.ybn deleted file mode 100644 index 4ca31bdacc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_3.ybn deleted file mode 100644 index 73cb5952dc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_0.ybn deleted file mode 100644 index 8ee292ea81..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_1.ybn deleted file mode 100644 index 9caac5ae10..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_2.ybn deleted file mode 100644 index eb74191192..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_3.ybn deleted file mode 100644 index be8ba1551f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_4.ybn deleted file mode 100644 index ce9bfee0cd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_5.ybn deleted file mode 100644 index 3873f9ec05..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_0.ybn deleted file mode 100644 index aa32f6cea0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_1.ybn deleted file mode 100644 index 0c9ee31296..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_2.ybn deleted file mode 100644 index 2d192b479d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_3.ybn deleted file mode 100644 index 91385b3f2d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_4.ybn deleted file mode 100644 index 5eb13e3b2d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_5.ybn deleted file mode 100644 index 34203e8edb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_a_5_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_0.ybn deleted file mode 100644 index 2bf4de538f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_1.ybn deleted file mode 100644 index c8871b9b29..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_2.ybn deleted file mode 100644 index 6144320ab2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_3.ybn deleted file mode 100644 index f10443ed5f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_4.ybn deleted file mode 100644 index bb99f7bd8b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_5.ybn deleted file mode 100644 index 9852a7555d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_6.ybn deleted file mode 100644 index 967b475bfe..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_0_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_0.ybn deleted file mode 100644 index 1378585887..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_1.ybn deleted file mode 100644 index 71b77009d8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_2.ybn deleted file mode 100644 index 567b08e4ad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_3.ybn deleted file mode 100644 index 3eb380bbca..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_4.ybn deleted file mode 100644 index 822a3cf4b6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_0.ybn deleted file mode 100644 index c1dda163be..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_1.ybn deleted file mode 100644 index 5482a8627e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_2.ybn deleted file mode 100644 index b38f29f09a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_3.ybn deleted file mode 100644 index 3b7757102e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_4.ybn deleted file mode 100644 index 2d55a5c455..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_5.ybn deleted file mode 100644 index bcc0a798f2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_6.ybn deleted file mode 100644 index d6f0171536..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_7.ybn deleted file mode 100644 index 605aac3de9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_2_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_0.ybn deleted file mode 100644 index c20dbf9e95..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_1.ybn deleted file mode 100644 index 9e841eda46..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_2.ybn deleted file mode 100644 index 21efe4a97f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_0.ybn deleted file mode 100644 index 495f398824..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_1.ybn deleted file mode 100644 index 0e74d6a843..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_2.ybn deleted file mode 100644 index 92e3ab2e66..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_3.ybn deleted file mode 100644 index 4a57f19ad5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_4.ybn deleted file mode 100644 index 1457f61ab3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_5.ybn deleted file mode 100644 index b013661954..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_6.ybn deleted file mode 100644 index e3f03bf5ed..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_4_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_0.ybn deleted file mode 100644 index cf35489fa0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_1.ybn deleted file mode 100644 index 6af6064c8c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_2.ybn deleted file mode 100644 index 08e9d9a107..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_3.ybn deleted file mode 100644 index befb40739b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_b_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_0.ybn deleted file mode 100644 index 64c741453b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_1.ybn deleted file mode 100644 index 5a14630e5d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_2.ybn deleted file mode 100644 index 5800ac7c3a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_3.ybn deleted file mode 100644 index eb6618ba5f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_4.ybn deleted file mode 100644 index 3d9e451f05..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_5.ybn deleted file mode 100644 index 8ee40fb34b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_0_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_0.ybn deleted file mode 100644 index 69a3207083..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_1.ybn deleted file mode 100644 index 2c35762653..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_2.ybn deleted file mode 100644 index 3e25226a74..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_3.ybn deleted file mode 100644 index d22e6d2506..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_4.ybn deleted file mode 100644 index 3a94d790ff..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_0.ybn deleted file mode 100644 index 5b40c80cda..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_1.ybn deleted file mode 100644 index 9559364e83..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_2.ybn deleted file mode 100644 index 362535a92f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_3.ybn deleted file mode 100644 index 674ef1cd47..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_0.ybn deleted file mode 100644 index 252274b5b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_1.ybn deleted file mode 100644 index cb786b2736..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_2.ybn deleted file mode 100644 index 0209035d97..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_3.ybn deleted file mode 100644 index 96682984ad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_4.ybn deleted file mode 100644 index 9c6365b6b0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_5.ybn deleted file mode 100644 index ea3b41b844..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_6.ybn deleted file mode 100644 index 1dea5f27dc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_3_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_0.ybn deleted file mode 100644 index bed760daeb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_1.ybn deleted file mode 100644 index 1c6084aaca..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_2.ybn deleted file mode 100644 index 0ee9e5658a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_3.ybn deleted file mode 100644 index 4307eb6266..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_4.ybn deleted file mode 100644 index 0cf1e45595..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_0.ybn deleted file mode 100644 index 3ef93cb663..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_1.ybn deleted file mode 100644 index 590735985b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_2.ybn deleted file mode 100644 index cee960e260..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_3.ybn deleted file mode 100644 index fc9167ac84..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_4.ybn deleted file mode 100644 index 546b96216e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_5_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_0.ybn deleted file mode 100644 index 349063f557..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_1.ybn deleted file mode 100644 index 603b41da9a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_2.ybn deleted file mode 100644 index e094156bc7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_3.ybn deleted file mode 100644 index 40a7f9a1f8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_4.ybn deleted file mode 100644 index f5ea498601..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_c_6_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_0.ybn deleted file mode 100644 index 3f822f284e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_1.ybn deleted file mode 100644 index 3adfa4fdf1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_2.ybn deleted file mode 100644 index 86086aa1ad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_3.ybn deleted file mode 100644 index 345b4b3ce2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_4.ybn deleted file mode 100644 index d999f8669d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_5.ybn deleted file mode 100644 index 62450378b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_6.ybn deleted file mode 100644 index a3d5ec2c52..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_0_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_0.ybn deleted file mode 100644 index 2f97861c3e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_1.ybn deleted file mode 100644 index 24c0fcebc8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_2.ybn deleted file mode 100644 index ccebc22c37..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_3.ybn deleted file mode 100644 index c592148f73..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_4.ybn deleted file mode 100644 index a87c28ec28..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_5.ybn deleted file mode 100644 index b7e649928b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_0.ybn deleted file mode 100644 index c2d551f9c9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_1.ybn deleted file mode 100644 index faacaac996..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_2.ybn deleted file mode 100644 index 8d6baf1610..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_3.ybn deleted file mode 100644 index 16dc3e425d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_4.ybn deleted file mode 100644 index c985cf76f2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_5.ybn deleted file mode 100644 index ccd9f724d2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_6.ybn deleted file mode 100644 index 2e72a3499e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_2_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_0.ybn deleted file mode 100644 index acac366892..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_1.ybn deleted file mode 100644 index fc7be228ec..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_2.ybn deleted file mode 100644 index 7a45bb6b89..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_3.ybn deleted file mode 100644 index eb730b59ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_4.ybn deleted file mode 100644 index 8f8b8e0f7b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_0.ybn deleted file mode 100644 index 8ebc35b3c0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_1.ybn deleted file mode 100644 index bbb20ae2b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_2.ybn deleted file mode 100644 index 46d791e76b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_3.ybn deleted file mode 100644 index 2332849ccb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_4.ybn deleted file mode 100644 index 6ecdb11ff9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_5.ybn deleted file mode 100644 index e4606dd498..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_6.ybn deleted file mode 100644 index 72288030c4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_4_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_0.ybn deleted file mode 100644 index aab900fc09..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_1.ybn deleted file mode 100644 index 279fe70bf1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_2.ybn deleted file mode 100644 index 12bfa6c0ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_3.ybn deleted file mode 100644 index 6211d871f9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_4.ybn deleted file mode 100644 index 580436faad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_5.ybn deleted file mode 100644 index e9bc46b614..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_6.ybn deleted file mode 100644 index 55fe6d66a0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_5_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_0.ybn deleted file mode 100644 index 9027c1e94e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_1.ybn deleted file mode 100644 index 3deef88c37..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_2.ybn deleted file mode 100644 index a77e4d6cc4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_3.ybn deleted file mode 100644 index 655d00d657..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_4.ybn deleted file mode 100644 index 2bd8f13280..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_5.ybn deleted file mode 100644 index 87552f1d6b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_6_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_0.ybn deleted file mode 100644 index 08511ec237..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_1.ybn deleted file mode 100644 index 4bbd2b8ce2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_2.ybn deleted file mode 100644 index 7fbf90bef6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_3.ybn deleted file mode 100644 index 080b016769..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_4.ybn deleted file mode 100644 index 1e88701a36..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_5.ybn deleted file mode 100644 index bf0e197afc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_6.ybn deleted file mode 100644 index fc3e15d5f4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_7_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_0.ybn deleted file mode 100644 index 92fffe9525..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_1.ybn deleted file mode 100644 index 48be377b48..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_2.ybn deleted file mode 100644 index be2205944c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_3.ybn deleted file mode 100644 index f111ee7c3d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_4.ybn deleted file mode 100644 index 926294b652..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_5.ybn deleted file mode 100644 index 08e62b1a68..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_d_8_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_0.ybn deleted file mode 100644 index 211b6faed5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_1.ybn deleted file mode 100644 index d272984fcd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_2.ybn deleted file mode 100644 index d274e5b19e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_3.ybn deleted file mode 100644 index 271bb7dbba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_0.ybn deleted file mode 100644 index 9a3784519c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_1.ybn deleted file mode 100644 index 609851b665..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_2.ybn deleted file mode 100644 index 1acfd2a825..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_3.ybn deleted file mode 100644 index 3798dea5d8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_4.ybn deleted file mode 100644 index 2a53c1f8ae..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_5.ybn deleted file mode 100644 index 37228ff405..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_0.ybn deleted file mode 100644 index c2e32aeccf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_1.ybn deleted file mode 100644 index e172dc4a68..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_2.ybn deleted file mode 100644 index 9bdd8aea5c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_3.ybn deleted file mode 100644 index 2d55d8c8e1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_4.ybn deleted file mode 100644 index 2bc526412f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_0.ybn deleted file mode 100644 index c29671eb48..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_1.ybn deleted file mode 100644 index 779f4f78d8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_2.ybn deleted file mode 100644 index 6ec70e559e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_3.ybn deleted file mode 100644 index 34c0f07712..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_e_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_0.ybn deleted file mode 100644 index af982935fc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_1.ybn deleted file mode 100644 index 92ca181ade..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_2.ybn deleted file mode 100644 index 21884d4aca..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_3.ybn deleted file mode 100644 index 18d8f9aae6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_4.ybn deleted file mode 100644 index 569e19cd29..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_0.ybn deleted file mode 100644 index 96ff6f69b5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_1.ybn deleted file mode 100644 index a1e7182694..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_2.ybn deleted file mode 100644 index 3c66f51ab9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_3.ybn deleted file mode 100644 index 4952bceb02..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_4.ybn deleted file mode 100644 index 9e9be19e66..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_5.ybn deleted file mode 100644 index 2005f86927..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_6.ybn deleted file mode 100644 index 4a4db14d95..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_1_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_0.ybn deleted file mode 100644 index e663f0ef4f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_1.ybn deleted file mode 100644 index 659d5375de..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_2.ybn deleted file mode 100644 index b780b63e5a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_3.ybn deleted file mode 100644 index 66ae4d81a2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_4.ybn deleted file mode 100644 index b7e05b11a8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_0.ybn deleted file mode 100644 index 867b6ffc1f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_1.ybn deleted file mode 100644 index 6c88a4419a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_2.ybn deleted file mode 100644 index e4022025d1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_3.ybn deleted file mode 100644 index 3737297b0a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_4.ybn deleted file mode 100644 index ee4bd0db61..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_5.ybn deleted file mode 100644 index b34f6af3b6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_3_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_0.ybn deleted file mode 100644 index 1bc1cd2bb5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_1.ybn deleted file mode 100644 index a800983f81..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_2.ybn deleted file mode 100644 index 75f480e5b8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_3.ybn deleted file mode 100644 index 7222eeb5d1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_4.ybn deleted file mode 100644 index d30087c547..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_5.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_5.ybn deleted file mode 100644 index e36fa8ad24..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_6.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_6.ybn deleted file mode 100644 index d109f271a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_6.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_7.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_7.ybn deleted file mode 100644 index 4cafbb3e86..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_4_7.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_0.ybn deleted file mode 100644 index f9465bdeeb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_1.ybn deleted file mode 100644 index 43ca52e321..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_2.ybn deleted file mode 100644 index 5ea7f5944d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_3.ybn deleted file mode 100644 index 6f0d57c184..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_0.ybn deleted file mode 100644 index 3594981eca..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_1.ybn deleted file mode 100644 index c2060ba5b0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_2.ybn deleted file mode 100644 index ace9995acf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_3.ybn deleted file mode 100644 index 9873a7c0da..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_4.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_4.ybn deleted file mode 100644 index d686847f66..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/ForestsOfSA_S/ybn/hi@forest_s_f_6_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/_manifestNORTH.ymf b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/_manifestNORTH.ymf new file mode 100644 index 0000000000..9a93fe837b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/_manifestNORTH.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0.ymap new file mode 100644 index 0000000000..2704096a00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_0.ybn new file mode 100644 index 0000000000..68a02f9f00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_1.ybn new file mode 100644 index 0000000000..d78b0a1e4c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_2.ybn new file mode 100644 index 0000000000..2b3aa9069f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1.ymap new file mode 100644 index 0000000000..d29c184be3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_0.ybn new file mode 100644 index 0000000000..ea30130467 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_1.ybn new file mode 100644 index 0000000000..2a9aed91ef Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_2.ybn new file mode 100644 index 0000000000..d2e3509c84 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2.ymap new file mode 100644 index 0000000000..b73a5fdc6d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2_0.ybn new file mode 100644 index 0000000000..b453508570 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2_1.ybn new file mode 100644 index 0000000000..5c48adc99f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3.ymap new file mode 100644 index 0000000000..cd58514190 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_0.ybn new file mode 100644 index 0000000000..a3ac059681 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_1.ybn new file mode 100644 index 0000000000..fcd04a12f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_2.ybn new file mode 100644 index 0000000000..027f8596ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4.ymap new file mode 100644 index 0000000000..fae8b4854d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_0.ybn new file mode 100644 index 0000000000..09ea477ef3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_1.ybn new file mode 100644 index 0000000000..52959eff89 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_2.ybn new file mode 100644 index 0000000000..6df088fb15 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5.ymap new file mode 100644 index 0000000000..36c2683dc0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5_0.ybn new file mode 100644 index 0000000000..8cbad17618 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5_1.ybn new file mode 100644 index 0000000000..5f6c4e0195 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod.ymap new file mode 100644 index 0000000000..a64afaa686 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_0.ydd new file mode 100644 index 0000000000..9fde93439a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_1.ydd new file mode 100644 index 0000000000..dbeaaa1415 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_2.ydd new file mode 100644 index 0000000000..cf40e8dfea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod1_children_0.ydd new file mode 100644 index 0000000000..97e966bdfa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod2.ymap new file mode 100644 index 0000000000..7e319cf246 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod2_children.ydd new file mode 100644 index 0000000000..86c5fcf3e1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_a_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0.ymap new file mode 100644 index 0000000000..668cf28f58 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0_0.ybn new file mode 100644 index 0000000000..aeb589f2c2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0_1.ybn new file mode 100644 index 0000000000..3f9dc67ce1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1.ymap new file mode 100644 index 0000000000..96b756d339 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1_0.ybn new file mode 100644 index 0000000000..4dd9b4b46f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1_1.ybn new file mode 100644 index 0000000000..94b5c6563d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2.ymap new file mode 100644 index 0000000000..64f5d29703 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2_0.ybn new file mode 100644 index 0000000000..d4899c1b91 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2_1.ybn new file mode 100644 index 0000000000..b02e888400 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3.ymap new file mode 100644 index 0000000000..0167835de8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_0.ybn new file mode 100644 index 0000000000..6b3727f13e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_1.ybn new file mode 100644 index 0000000000..cde8fdddf6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_2.ybn new file mode 100644 index 0000000000..115cc36890 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_3.ybn new file mode 100644 index 0000000000..7290c07140 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_3_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4.ymap new file mode 100644 index 0000000000..fbde50e51f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4_0.ybn new file mode 100644 index 0000000000..4bac925ab4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4_1.ybn new file mode 100644 index 0000000000..6eebcfa138 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod.ymap new file mode 100644 index 0000000000..11bdeb7c60 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod_children_0.ydd new file mode 100644 index 0000000000..4aea6e3c92 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod_children_1.ydd new file mode 100644 index 0000000000..785c7c256e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod1_children_0.ydd new file mode 100644 index 0000000000..dd093e6682 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod2.ymap new file mode 100644 index 0000000000..731347132d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod2_children.ydd new file mode 100644 index 0000000000..a48e17f43c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_b_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0.ymap new file mode 100644 index 0000000000..c71d82d000 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0_0.ybn new file mode 100644 index 0000000000..cd05890b06 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0_1.ybn new file mode 100644 index 0000000000..d015d51715 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1.ymap new file mode 100644 index 0000000000..3789e35d90 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1_0.ybn new file mode 100644 index 0000000000..220fba64cd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1_1.ybn new file mode 100644 index 0000000000..50a9de6f2c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2.ymap new file mode 100644 index 0000000000..8aacb8d150 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2_0.ybn new file mode 100644 index 0000000000..c3b75e5bd3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2_1.ybn new file mode 100644 index 0000000000..02dca1996e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod.ymap new file mode 100644 index 0000000000..e19f97b344 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod_children_0.ydd new file mode 100644 index 0000000000..7ae3c7ad55 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod_children_1.ydd new file mode 100644 index 0000000000..47c651ae8d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod1_children_0.ydd new file mode 100644 index 0000000000..b7278b8f4e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod2.ymap new file mode 100644 index 0000000000..237de394c1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod2_children.ydd new file mode 100644 index 0000000000..c062fc342f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_c_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0.ymap new file mode 100644 index 0000000000..0e6cbef8a8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_0.ybn new file mode 100644 index 0000000000..6fd5837768 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_1.ybn new file mode 100644 index 0000000000..3339b5b2cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_2.ybn new file mode 100644 index 0000000000..46a6beae6b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1.ymap new file mode 100644 index 0000000000..cac8a98cbe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_0.ybn new file mode 100644 index 0000000000..9d6071011c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_1.ybn new file mode 100644 index 0000000000..b553fe8816 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_2.ybn new file mode 100644 index 0000000000..c00c58a817 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2.ymap new file mode 100644 index 0000000000..e296323ab3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2_0.ybn new file mode 100644 index 0000000000..319f664669 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2_1.ybn new file mode 100644 index 0000000000..382a60e033 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3.ymap new file mode 100644 index 0000000000..8279fd6506 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_0.ybn new file mode 100644 index 0000000000..73b8014cd6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_1.ybn new file mode 100644 index 0000000000..87d66631f7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_2.ybn new file mode 100644 index 0000000000..6e43560b91 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4.ymap new file mode 100644 index 0000000000..0909ee4c03 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_0.ybn new file mode 100644 index 0000000000..3aa95e158d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_1.ybn new file mode 100644 index 0000000000..1f50222032 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_2.ybn new file mode 100644 index 0000000000..f44133fb88 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod.ymap new file mode 100644 index 0000000000..5339b268a1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_0.ydd new file mode 100644 index 0000000000..047ba37456 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_1.ydd new file mode 100644 index 0000000000..e7e6314171 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_2.ydd new file mode 100644 index 0000000000..9aa224e7fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod1_children_0.ydd new file mode 100644 index 0000000000..91e6971aa1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod2.ymap new file mode 100644 index 0000000000..c744888721 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod2_children.ydd new file mode 100644 index 0000000000..78f36921e1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_d_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0.ymap new file mode 100644 index 0000000000..41f8bccdf3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0_0.ybn new file mode 100644 index 0000000000..fba4454f83 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0_1.ybn new file mode 100644 index 0000000000..6b1288ccaf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1.ymap new file mode 100644 index 0000000000..7cbad3dec6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1_0.ybn new file mode 100644 index 0000000000..117220473f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1_1.ybn new file mode 100644 index 0000000000..02d35fe58e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2.ymap new file mode 100644 index 0000000000..3bbee55138 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2_0.ybn new file mode 100644 index 0000000000..6e90078077 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2_1.ybn new file mode 100644 index 0000000000..186a135687 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3.ymap new file mode 100644 index 0000000000..92018befc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_0.ybn new file mode 100644 index 0000000000..3d051f4483 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_1.ybn new file mode 100644 index 0000000000..645aa2d2bc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_2.ybn new file mode 100644 index 0000000000..b04b0348b9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4.ymap new file mode 100644 index 0000000000..cff268c23b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_0.ybn new file mode 100644 index 0000000000..1dd03ff75c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_1.ybn new file mode 100644 index 0000000000..e66dc174ac Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_2.ybn new file mode 100644 index 0000000000..2ab4b8db20 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5.ymap new file mode 100644 index 0000000000..0eb3ca3eb5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_0.ybn new file mode 100644 index 0000000000..a3bec24d58 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_1.ybn new file mode 100644 index 0000000000..b5d0d5e2d5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_2.ybn new file mode 100644 index 0000000000..dcc4e115d7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6.ymap new file mode 100644 index 0000000000..89e3907101 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_0.ybn new file mode 100644 index 0000000000..b997d61c2c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_1.ybn new file mode 100644 index 0000000000..d932453af2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_2.ybn new file mode 100644 index 0000000000..b68e732a0e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7.ymap new file mode 100644 index 0000000000..117d1d66b4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_0.ybn new file mode 100644 index 0000000000..53f1c1ee25 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_1.ybn new file mode 100644 index 0000000000..ed9557fcc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_2.ybn new file mode 100644 index 0000000000..bc611f315e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod.ymap new file mode 100644 index 0000000000..a9ef939f30 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_0.ydd new file mode 100644 index 0000000000..87253cceed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_1.ydd new file mode 100644 index 0000000000..3f0ea8e285 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_2.ydd new file mode 100644 index 0000000000..9949e9c3bb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_3.ydd new file mode 100644 index 0000000000..0b57ddab6b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod1_children_0.ydd new file mode 100644 index 0000000000..9b609c0650 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod2.ymap new file mode 100644 index 0000000000..c8f52421a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod2_children.ydd new file mode 100644 index 0000000000..6773942ad2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_e_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0.ymap new file mode 100644 index 0000000000..d5d58c5b22 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0_0.ybn new file mode 100644 index 0000000000..bae1c29c77 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0_1.ybn new file mode 100644 index 0000000000..42e6dc9607 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1.ymap new file mode 100644 index 0000000000..1546f5784d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1_0.ybn new file mode 100644 index 0000000000..6dda34527e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1_1.ybn new file mode 100644 index 0000000000..373678ad64 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2.ymap new file mode 100644 index 0000000000..d38fd80fc7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_0.ybn new file mode 100644 index 0000000000..0943639f7c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_1.ybn new file mode 100644 index 0000000000..9c03d54d9e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_2.ybn new file mode 100644 index 0000000000..2c92b57853 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3.ymap new file mode 100644 index 0000000000..550fade416 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_0.ybn new file mode 100644 index 0000000000..0ff870cdab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_1.ybn new file mode 100644 index 0000000000..5b2c484d4d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_2.ybn new file mode 100644 index 0000000000..9904ce25a7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod.ymap new file mode 100644 index 0000000000..cf6e1c1664 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod_children_0.ydd new file mode 100644 index 0000000000..fc54f066a1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod_children_1.ydd new file mode 100644 index 0000000000..52ab03a917 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod1_children_0.ydd new file mode 100644 index 0000000000..60933fc085 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod2.ymap new file mode 100644 index 0000000000..f05eb65256 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod2_children.ydd new file mode 100644 index 0000000000..599cb6fff0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_f_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_lod.ytd new file mode 100644 index 0000000000..eb35820bed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc.ymap new file mode 100644 index 0000000000..8cfefecced Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_boat.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_boat.ymap new file mode 100644 index 0000000000..013a44f17c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_boat.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_cabin.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_cabin.ymap new file mode 100644 index 0000000000..558f550197 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_cabin.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_campt.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_campt.ymap new file mode 100644 index 0000000000..d8aadaeaf0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_campt.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_safelhouse.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_safelhouse.ymap new file mode 100644 index 0000000000..a766187a87 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_safelhouse.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_silo.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_silo.ymap new file mode 100644 index 0000000000..ccf4d47231 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_misc_silo.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_slod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_slod.ytd new file mode 100644 index 0000000000..6bb22b979d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_slod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_slod.ytyp b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_slod.ytyp new file mode 100644 index 0000000000..016c7bd2c7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/forests_n_slod.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_0.ybn new file mode 100644 index 0000000000..6c6d83fbda Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_1.ybn new file mode 100644 index 0000000000..992dd96c26 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_2.ybn new file mode 100644 index 0000000000..676e4d93ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_0.ybn new file mode 100644 index 0000000000..d4d84baa40 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_1.ybn new file mode 100644 index 0000000000..f525c928fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_2.ybn new file mode 100644 index 0000000000..649007ad56 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_2_0.ybn new file mode 100644 index 0000000000..844827417f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_2_1.ybn new file mode 100644 index 0000000000..66ff3e2907 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_0.ybn new file mode 100644 index 0000000000..ee4dc226ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_1.ybn new file mode 100644 index 0000000000..85dee050b1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_2.ybn new file mode 100644 index 0000000000..0229bd6c96 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_0.ybn new file mode 100644 index 0000000000..9bc11b4420 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_1.ybn new file mode 100644 index 0000000000..ee42094403 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_2.ybn new file mode 100644 index 0000000000..60a8909152 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_5_0.ybn new file mode 100644 index 0000000000..21102868c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_5_1.ybn new file mode 100644 index 0000000000..5f77fa1ed6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_a_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_0_0.ybn new file mode 100644 index 0000000000..08b637df5c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_0_1.ybn new file mode 100644 index 0000000000..4deced39da Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_1_0.ybn new file mode 100644 index 0000000000..8deff77f19 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_1_1.ybn new file mode 100644 index 0000000000..d7bad7e1f2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_2_0.ybn new file mode 100644 index 0000000000..4a1c265c0f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_2_1.ybn new file mode 100644 index 0000000000..73833db087 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_0.ybn new file mode 100644 index 0000000000..aa8e9391fe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_1.ybn new file mode 100644 index 0000000000..cb82b35c05 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_2.ybn new file mode 100644 index 0000000000..0cead8c3e0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_3.ybn new file mode 100644 index 0000000000..da9f23b510 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_3_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_4_0.ybn new file mode 100644 index 0000000000..5935bd9da2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_4_1.ybn new file mode 100644 index 0000000000..5e2e9827a3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_b_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_0_0.ybn new file mode 100644 index 0000000000..f5d46b34e9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_0_1.ybn new file mode 100644 index 0000000000..f960a4021c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_1_0.ybn new file mode 100644 index 0000000000..8ed4bb3f00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_1_1.ybn new file mode 100644 index 0000000000..5333ac33ed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_2_0.ybn new file mode 100644 index 0000000000..0cb7be0628 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_2_1.ybn new file mode 100644 index 0000000000..2637da9b27 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_c_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_0.ybn new file mode 100644 index 0000000000..3153e3b1cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_1.ybn new file mode 100644 index 0000000000..b0503149fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_2.ybn new file mode 100644 index 0000000000..5f60e5cf51 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_0.ybn new file mode 100644 index 0000000000..5444e451ae Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_1.ybn new file mode 100644 index 0000000000..0d4c193b21 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_2.ybn new file mode 100644 index 0000000000..bfc59b062a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_2_0.ybn new file mode 100644 index 0000000000..4e802f54a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_2_1.ybn new file mode 100644 index 0000000000..10abaf6f9b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_0.ybn new file mode 100644 index 0000000000..a92e79bb75 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_1.ybn new file mode 100644 index 0000000000..89a698d611 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_2.ybn new file mode 100644 index 0000000000..3ba479561b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_0.ybn new file mode 100644 index 0000000000..9bb124641c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_1.ybn new file mode 100644 index 0000000000..3fb8b8505a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_2.ybn new file mode 100644 index 0000000000..5d370a3adc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_d_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_0_0.ybn new file mode 100644 index 0000000000..b71191c175 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_0_1.ybn new file mode 100644 index 0000000000..b3e6a0c706 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_1_0.ybn new file mode 100644 index 0000000000..407b0c9569 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_1_1.ybn new file mode 100644 index 0000000000..33d2f0db43 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_2_0.ybn new file mode 100644 index 0000000000..042fbc6493 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_2_1.ybn new file mode 100644 index 0000000000..9d4f391580 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_0.ybn new file mode 100644 index 0000000000..efc99d1942 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_1.ybn new file mode 100644 index 0000000000..f48b14a5c8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_2.ybn new file mode 100644 index 0000000000..b435cb4f5b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_0.ybn new file mode 100644 index 0000000000..0195896024 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_1.ybn new file mode 100644 index 0000000000..ec161164e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_2.ybn new file mode 100644 index 0000000000..ed2e78dea1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_0.ybn new file mode 100644 index 0000000000..39ab8b27af Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_1.ybn new file mode 100644 index 0000000000..f1696b4681 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_2.ybn new file mode 100644 index 0000000000..e0d8e8150b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_0.ybn new file mode 100644 index 0000000000..d8fdf4a918 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_1.ybn new file mode 100644 index 0000000000..243f0fce83 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_2.ybn new file mode 100644 index 0000000000..1152fa8053 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_0.ybn new file mode 100644 index 0000000000..233a23ec3a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_1.ybn new file mode 100644 index 0000000000..cb9366c759 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_2.ybn new file mode 100644 index 0000000000..922ca93edc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_e_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_0_0.ybn new file mode 100644 index 0000000000..f573b09623 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_0_1.ybn new file mode 100644 index 0000000000..87a406d125 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_1_0.ybn new file mode 100644 index 0000000000..245dd8c265 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_1_1.ybn new file mode 100644 index 0000000000..6751a4ecd8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_0.ybn new file mode 100644 index 0000000000..4be8880c2d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_1.ybn new file mode 100644 index 0000000000..6ab2f16be7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_2.ybn new file mode 100644 index 0000000000..edf2d9b50d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_0.ybn new file mode 100644 index 0000000000..b4636fb6bb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_1.ybn new file mode 100644 index 0000000000..3bd88353fd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_2.ybn new file mode 100644 index 0000000000..39dfb2378a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/north/hi@forests_n_f_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/_manifestSOUTH.ymf b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/_manifestSOUTH.ymf new file mode 100644 index 0000000000..ebf69c35b6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/_manifestSOUTH.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0.ymap new file mode 100644 index 0000000000..8b2fcbd6b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0_0.ybn new file mode 100644 index 0000000000..fddb61d005 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0_1.ybn new file mode 100644 index 0000000000..ecfafb5c3c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1.ymap new file mode 100644 index 0000000000..94f081ae86 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_0.ybn new file mode 100644 index 0000000000..380b77192d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_1.ybn new file mode 100644 index 0000000000..e2a007f223 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_2.ybn new file mode 100644 index 0000000000..004efe706a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2.ymap new file mode 100644 index 0000000000..3fc94d1c4c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_0.ybn new file mode 100644 index 0000000000..1568024ab4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_1.ybn new file mode 100644 index 0000000000..e054e4e46f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_2.ybn new file mode 100644 index 0000000000..685dffb452 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3.ymap new file mode 100644 index 0000000000..0c57c16992 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_0.ybn new file mode 100644 index 0000000000..c6bc6f06cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_1.ybn new file mode 100644 index 0000000000..8b9e7daecd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_2.ybn new file mode 100644 index 0000000000..adb84d191e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4.ymap new file mode 100644 index 0000000000..f8c7bc1aaa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_0.ybn new file mode 100644 index 0000000000..e61a5e1d42 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_1.ybn new file mode 100644 index 0000000000..c23f8e206f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_2.ybn new file mode 100644 index 0000000000..4489315202 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5.ymap new file mode 100644 index 0000000000..1cad57d8a3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_0.ybn new file mode 100644 index 0000000000..5c77607f03 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_1.ybn new file mode 100644 index 0000000000..c37d69e0da Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_2.ybn new file mode 100644 index 0000000000..c6c9c616f8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6.ymap new file mode 100644 index 0000000000..7f6046a984 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_0.ybn new file mode 100644 index 0000000000..50f54a6b68 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_1.ybn new file mode 100644 index 0000000000..573c087f94 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_2.ybn new file mode 100644 index 0000000000..5a70c69cdc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_3.ybn new file mode 100644 index 0000000000..53add077cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_6_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7.ymap new file mode 100644 index 0000000000..a306af6ee0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_0.ybn new file mode 100644 index 0000000000..100106063d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_1.ybn new file mode 100644 index 0000000000..ae6e4953e8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_2.ybn new file mode 100644 index 0000000000..f30a8bda52 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod.ymap new file mode 100644 index 0000000000..c5fa58398c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_0.ydd new file mode 100644 index 0000000000..9abd7afb5e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_1.ydd new file mode 100644 index 0000000000..9282413eff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_2.ydd new file mode 100644 index 0000000000..d7f471de3e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_3.ydd new file mode 100644 index 0000000000..e17717ada8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_4.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_4.ydd new file mode 100644 index 0000000000..615a05c830 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_4.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_5.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_5.ydd new file mode 100644 index 0000000000..882fe29d86 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_lod_children_5.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod1_children_0.ydd new file mode 100644 index 0000000000..a6983eb99a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod2.ymap new file mode 100644 index 0000000000..d8d65a8d66 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod2_children.ydd new file mode 100644 index 0000000000..f564eb1db1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_a_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0.ymap new file mode 100644 index 0000000000..16a60e80e1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_0.ybn new file mode 100644 index 0000000000..4b29d0be1e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_1.ybn new file mode 100644 index 0000000000..70215ac18c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_2.ybn new file mode 100644 index 0000000000..90722b41bf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1.ymap new file mode 100644 index 0000000000..d6d43effe9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_0.ybn new file mode 100644 index 0000000000..5147bbb79a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_1.ybn new file mode 100644 index 0000000000..5061b7ea5c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_2.ybn new file mode 100644 index 0000000000..4df9d52d03 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2.ymap new file mode 100644 index 0000000000..720d749a05 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_0.ybn new file mode 100644 index 0000000000..8aa566825e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_1.ybn new file mode 100644 index 0000000000..e8e781c04d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_2.ybn new file mode 100644 index 0000000000..11529fc87a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3.ymap new file mode 100644 index 0000000000..b48a96a3ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_0.ybn new file mode 100644 index 0000000000..fd2bca9319 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_1.ybn new file mode 100644 index 0000000000..0c8c7826bd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_2.ybn new file mode 100644 index 0000000000..f33a124385 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4.ymap new file mode 100644 index 0000000000..10415b48c7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_0.ybn new file mode 100644 index 0000000000..0188e22830 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_1.ybn new file mode 100644 index 0000000000..d2dcd71d5c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_2.ybn new file mode 100644 index 0000000000..81f6276140 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5.ymap new file mode 100644 index 0000000000..109c32afd0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_0.ybn new file mode 100644 index 0000000000..76e79e4801 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_1.ybn new file mode 100644 index 0000000000..d3ee150772 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_2.ybn new file mode 100644 index 0000000000..4ec17bb361 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6.ymap new file mode 100644 index 0000000000..af40d1f641 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_0.ybn new file mode 100644 index 0000000000..d57af10368 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_1.ybn new file mode 100644 index 0000000000..22d19b2ea4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_2.ybn new file mode 100644 index 0000000000..d06fbd5ac5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7.ymap new file mode 100644 index 0000000000..55881a9aa5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_0.ybn new file mode 100644 index 0000000000..a11a40f466 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_1.ybn new file mode 100644 index 0000000000..894ddf5418 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_2.ybn new file mode 100644 index 0000000000..f4ff986e3c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod.ymap new file mode 100644 index 0000000000..eee9e1895a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_0.ydd new file mode 100644 index 0000000000..e209a6e9e8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_1.ydd new file mode 100644 index 0000000000..99b10dab0d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_2.ydd new file mode 100644 index 0000000000..ee6b2001a1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_3.ydd new file mode 100644 index 0000000000..10247b8162 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_4.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_4.ydd new file mode 100644 index 0000000000..7ab45bcd04 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_4.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_5.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_5.ydd new file mode 100644 index 0000000000..94c8c9fc80 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_5.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_6.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_6.ydd new file mode 100644 index 0000000000..ffb53884ae Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_lod_children_6.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod1_children_0.ydd new file mode 100644 index 0000000000..721d84f25a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod2.ymap new file mode 100644 index 0000000000..5d9004c78a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod2_children.ydd new file mode 100644 index 0000000000..d288b78375 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_b_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0.ymap new file mode 100644 index 0000000000..4d3430cc44 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0_0.ybn new file mode 100644 index 0000000000..31644996a0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0_1.ybn new file mode 100644 index 0000000000..c4e6259127 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1.ymap new file mode 100644 index 0000000000..0517b92125 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1_0.ybn new file mode 100644 index 0000000000..bba88fde33 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1_1.ybn new file mode 100644 index 0000000000..4b7a52d281 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2.ymap new file mode 100644 index 0000000000..a24e348664 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2_0.ybn new file mode 100644 index 0000000000..63a6f7e575 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2_1.ybn new file mode 100644 index 0000000000..414c379cad Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3.ymap new file mode 100644 index 0000000000..bff04791cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_0.ybn new file mode 100644 index 0000000000..41fdd05dc1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_1.ybn new file mode 100644 index 0000000000..5bee4c28c0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_2.ybn new file mode 100644 index 0000000000..a027edcc23 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4.ymap new file mode 100644 index 0000000000..09d0eff612 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4_0.ybn new file mode 100644 index 0000000000..d5d4dbc40b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4_1.ybn new file mode 100644 index 0000000000..05151c4638 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5.ymap new file mode 100644 index 0000000000..2ef50dd5fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5_0.ybn new file mode 100644 index 0000000000..778219087a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5_1.ybn new file mode 100644 index 0000000000..3a06676bf9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6.ymap new file mode 100644 index 0000000000..84968cda2d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_0.ybn new file mode 100644 index 0000000000..9605a762a9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_1.ybn new file mode 100644 index 0000000000..79c3f45ed0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_2.ybn new file mode 100644 index 0000000000..20d1bb54fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7.ymap new file mode 100644 index 0000000000..c6f4f10e42 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_0.ybn new file mode 100644 index 0000000000..220b932bcd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_1.ybn new file mode 100644 index 0000000000..6d5bccc64b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_2.ybn new file mode 100644 index 0000000000..e0f7752baf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8.ymap new file mode 100644 index 0000000000..cec0c20fec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_0.ybn new file mode 100644 index 0000000000..58b6990059 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_1.ybn new file mode 100644 index 0000000000..ea97f72078 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_2.ybn new file mode 100644 index 0000000000..e50286d0cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_8_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod.ymap new file mode 100644 index 0000000000..869a9df0b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_0.ydd new file mode 100644 index 0000000000..a4a243568e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_1.ydd new file mode 100644 index 0000000000..19b7a3e6bf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_2.ydd new file mode 100644 index 0000000000..3ac7ba81f1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_3.ydd new file mode 100644 index 0000000000..002f90a31f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_4.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_4.ydd new file mode 100644 index 0000000000..52a69c200c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_lod_children_4.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod1_children_0.ydd new file mode 100644 index 0000000000..a497b4479d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod2.ymap new file mode 100644 index 0000000000..95abeeda9e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod2_children.ydd new file mode 100644 index 0000000000..79a25b02e8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_c_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0.ymap new file mode 100644 index 0000000000..f642401885 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0_0.ybn new file mode 100644 index 0000000000..6da9017649 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0_1.ybn new file mode 100644 index 0000000000..f45aac23ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1.ymap new file mode 100644 index 0000000000..436cccc63c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1_0.ybn new file mode 100644 index 0000000000..82ea0bc206 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1_1.ybn new file mode 100644 index 0000000000..a6e766e3fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2.ymap new file mode 100644 index 0000000000..e9290a558b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_0.ybn new file mode 100644 index 0000000000..ef89d48b4e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_1.ybn new file mode 100644 index 0000000000..d4791eeb09 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_2.ybn new file mode 100644 index 0000000000..97b46a31df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3.ymap new file mode 100644 index 0000000000..7baaa3fe9a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3_0.ybn new file mode 100644 index 0000000000..e8fb249b5a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3_1.ybn new file mode 100644 index 0000000000..880eba7450 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4.ymap new file mode 100644 index 0000000000..8737c31ae2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_0.ybn new file mode 100644 index 0000000000..04433480f0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_1.ybn new file mode 100644 index 0000000000..2ee892a197 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_2.ybn new file mode 100644 index 0000000000..a7642d74f2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5.ymap new file mode 100644 index 0000000000..13f7db6142 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5_0.ybn new file mode 100644 index 0000000000..6d0595f856 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5_1.ybn new file mode 100644 index 0000000000..114ba1d892 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod.ymap new file mode 100644 index 0000000000..c3ddb09e37 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_0.ydd new file mode 100644 index 0000000000..df87ffafc3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_1.ydd new file mode 100644 index 0000000000..5f0ffd23c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_2.ydd new file mode 100644 index 0000000000..69c0e5713e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_3.ydd new file mode 100644 index 0000000000..56154b5286 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod1_children_0.ydd new file mode 100644 index 0000000000..3a66e90ffe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod2.ymap new file mode 100644 index 0000000000..b6f15a2fbd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod2_children.ydd new file mode 100644 index 0000000000..568734549e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_d_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0.ymap new file mode 100644 index 0000000000..12caf4b6d3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_0.ybn new file mode 100644 index 0000000000..f0bb193eed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_1.ybn new file mode 100644 index 0000000000..a0ee75fa98 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_2.ybn new file mode 100644 index 0000000000..86d03ff959 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1.ymap new file mode 100644 index 0000000000..5b75ecfb96 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1_0.ybn new file mode 100644 index 0000000000..13c8e09add Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1_1.ybn new file mode 100644 index 0000000000..51295cccba Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2.ymap new file mode 100644 index 0000000000..65cf14031c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_0.ybn new file mode 100644 index 0000000000..b7b499d067 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_1.ybn new file mode 100644 index 0000000000..a720b86f85 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_2.ybn new file mode 100644 index 0000000000..40abae3cab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3.ymap new file mode 100644 index 0000000000..14ef938203 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3_0.ybn new file mode 100644 index 0000000000..aa27eca0fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3_1.ybn new file mode 100644 index 0000000000..0cf71f1b7e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4.ymap new file mode 100644 index 0000000000..408b28e226 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_0.ybn new file mode 100644 index 0000000000..f3a367ece9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_1.ybn new file mode 100644 index 0000000000..939caf328c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_2.ybn new file mode 100644 index 0000000000..0cc16d4ff6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod.ymap new file mode 100644 index 0000000000..d0a99f3ed9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_0.ydd new file mode 100644 index 0000000000..2dd1431909 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_1.ydd new file mode 100644 index 0000000000..c01e20e437 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_2.ydd new file mode 100644 index 0000000000..1a17b30fe2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod1_children_0.ydd new file mode 100644 index 0000000000..cfabb0726c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod2.ymap new file mode 100644 index 0000000000..e4aa012c7a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod2_children.ydd new file mode 100644 index 0000000000..725d27a65a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_e_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_lod.ytd new file mode 100644 index 0000000000..eb35820bed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc.ymap new file mode 100644 index 0000000000..8afb35e08d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_campr.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_campr.ymap new file mode 100644 index 0000000000..14c1c73905 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_campr.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_shelter.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_shelter.ymap new file mode 100644 index 0000000000..fb14aec34f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_shelter.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_trailer.ymap b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_trailer.ymap new file mode 100644 index 0000000000..b71120a937 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_misc_trailer.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_slod.ytd b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_slod.ytd new file mode 100644 index 0000000000..6bb22b979d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_slod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_slod.ytyp b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_slod.ytyp new file mode 100644 index 0000000000..9fae67ac0b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/forests_s_slod.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_0_0.ybn new file mode 100644 index 0000000000..387ac1bedc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_0_1.ybn new file mode 100644 index 0000000000..6e091443c1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_0.ybn new file mode 100644 index 0000000000..95119b5067 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_1.ybn new file mode 100644 index 0000000000..22e19b8d54 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_2.ybn new file mode 100644 index 0000000000..a810280ffe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_0.ybn new file mode 100644 index 0000000000..2f2f4237dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_1.ybn new file mode 100644 index 0000000000..8f144a83f5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_2.ybn new file mode 100644 index 0000000000..8602773326 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_0.ybn new file mode 100644 index 0000000000..4628bd9bd9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_1.ybn new file mode 100644 index 0000000000..91cc041d45 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_2.ybn new file mode 100644 index 0000000000..59d20d5bae Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_0.ybn new file mode 100644 index 0000000000..01f84d3a33 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_1.ybn new file mode 100644 index 0000000000..4a839b14ed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_2.ybn new file mode 100644 index 0000000000..d820b71bb3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_0.ybn new file mode 100644 index 0000000000..3403e30abd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_1.ybn new file mode 100644 index 0000000000..a0141338ed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_2.ybn new file mode 100644 index 0000000000..59f5deb8f9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_0.ybn new file mode 100644 index 0000000000..a4909a9fe1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_1.ybn new file mode 100644 index 0000000000..8140bec9c2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_2.ybn new file mode 100644 index 0000000000..e19d58b832 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_3.ybn new file mode 100644 index 0000000000..1cd74573f9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_6_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_0.ybn new file mode 100644 index 0000000000..21cc844a8b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_1.ybn new file mode 100644 index 0000000000..45f22d634d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_2.ybn new file mode 100644 index 0000000000..9fcebd1282 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_a_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_0.ybn new file mode 100644 index 0000000000..8e03bca50e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_1.ybn new file mode 100644 index 0000000000..e0d3bf6cc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_2.ybn new file mode 100644 index 0000000000..10033d4f2a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_0.ybn new file mode 100644 index 0000000000..069ed3014f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_1.ybn new file mode 100644 index 0000000000..8e612c5c7c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_2.ybn new file mode 100644 index 0000000000..a4b0fb582e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_0.ybn new file mode 100644 index 0000000000..51e2521903 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_1.ybn new file mode 100644 index 0000000000..f2fcbf5f51 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_2.ybn new file mode 100644 index 0000000000..6adb1995cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_0.ybn new file mode 100644 index 0000000000..da13ffd081 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_1.ybn new file mode 100644 index 0000000000..8d5dd1014d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_2.ybn new file mode 100644 index 0000000000..23e8c71202 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_0.ybn new file mode 100644 index 0000000000..b096af651a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_1.ybn new file mode 100644 index 0000000000..9dbb59ffc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_2.ybn new file mode 100644 index 0000000000..670631d8c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_0.ybn new file mode 100644 index 0000000000..15d95f1116 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_1.ybn new file mode 100644 index 0000000000..fffd76a33a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_2.ybn new file mode 100644 index 0000000000..115a1aecf4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_0.ybn new file mode 100644 index 0000000000..7db21a25ac Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_1.ybn new file mode 100644 index 0000000000..6987ca7184 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_2.ybn new file mode 100644 index 0000000000..204e4a4605 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_0.ybn new file mode 100644 index 0000000000..eb38fe1e40 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_1.ybn new file mode 100644 index 0000000000..4708afecfb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_2.ybn new file mode 100644 index 0000000000..87df70c129 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_b_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_0_0.ybn new file mode 100644 index 0000000000..26a240c210 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_0_1.ybn new file mode 100644 index 0000000000..ada356f90f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_1_0.ybn new file mode 100644 index 0000000000..c5cc7ae62e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_1_1.ybn new file mode 100644 index 0000000000..78d99f092f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_2_0.ybn new file mode 100644 index 0000000000..a6cafb528f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_2_1.ybn new file mode 100644 index 0000000000..3c2901e307 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_0.ybn new file mode 100644 index 0000000000..a9b67692d3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_1.ybn new file mode 100644 index 0000000000..270c9abb74 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_2.ybn new file mode 100644 index 0000000000..127343ae44 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_4_0.ybn new file mode 100644 index 0000000000..55398a468b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_4_1.ybn new file mode 100644 index 0000000000..11f48d8703 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_5_0.ybn new file mode 100644 index 0000000000..2784bf7ea4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_5_1.ybn new file mode 100644 index 0000000000..dfe843163f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_0.ybn new file mode 100644 index 0000000000..df0ab0ce4d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_1.ybn new file mode 100644 index 0000000000..ef2393f375 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_2.ybn new file mode 100644 index 0000000000..5889ef3e80 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_0.ybn new file mode 100644 index 0000000000..fc3bea31f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_1.ybn new file mode 100644 index 0000000000..9b7e24f17a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_2.ybn new file mode 100644 index 0000000000..1c4dcc424b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_0.ybn new file mode 100644 index 0000000000..20cd18888c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_1.ybn new file mode 100644 index 0000000000..738120965c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_2.ybn new file mode 100644 index 0000000000..638a43a1ef Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_c_8_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_0_0.ybn new file mode 100644 index 0000000000..386b684a7a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_0_1.ybn new file mode 100644 index 0000000000..290662e860 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_1_0.ybn new file mode 100644 index 0000000000..36c47223fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_1_1.ybn new file mode 100644 index 0000000000..647a6006ae Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_0.ybn new file mode 100644 index 0000000000..9905fd44f7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_1.ybn new file mode 100644 index 0000000000..09fee25e89 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_2.ybn new file mode 100644 index 0000000000..5e2d5be30e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_3_0.ybn new file mode 100644 index 0000000000..c579a4b622 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_3_1.ybn new file mode 100644 index 0000000000..12dc4c7a88 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_0.ybn new file mode 100644 index 0000000000..a60e57dcd0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_1.ybn new file mode 100644 index 0000000000..2f18427952 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_2.ybn new file mode 100644 index 0000000000..cba50e5e6f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_5_0.ybn new file mode 100644 index 0000000000..960b057b9a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_5_1.ybn new file mode 100644 index 0000000000..8f4411c805 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_d_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_0.ybn new file mode 100644 index 0000000000..472376893a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_1.ybn new file mode 100644 index 0000000000..5bf03aa539 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_2.ybn new file mode 100644 index 0000000000..276726340e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_1_0.ybn new file mode 100644 index 0000000000..50f55f8d7a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_1_1.ybn new file mode 100644 index 0000000000..07700c4c32 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_0.ybn new file mode 100644 index 0000000000..19aae2cca5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_1.ybn new file mode 100644 index 0000000000..d11054912d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_2.ybn new file mode 100644 index 0000000000..a3f2008003 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_3_0.ybn new file mode 100644 index 0000000000..9a074159d1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_3_1.ybn new file mode 100644 index 0000000000..b546f963d3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_0.ybn new file mode 100644 index 0000000000..be3ca315fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_1.ybn new file mode 100644 index 0000000000..2246b6529c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_2.ybn new file mode 100644 index 0000000000..c0bf784427 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-northforest/stream/south/hi@forests_s_e_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/fxmanifest.lua index a088ab223d..d364e49725 100644 --- a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/fxmanifest.lua @@ -10,4 +10,8 @@ data_file 'DLC_ITYP_REQUEST' "stream/ytyp/barrier.ytyp" data_file 'DLC_ITYP_REQUEST' "stream/soz_prop_bb_bin.ytyp" data_file 'DLC_ITYP_REQUEST' "stream/soz_prop_elec.ytyp" data_file 'DLC_ITYP_REQUEST' "stream/sozupwpile.ytyp" -data_file 'DLC_ITYP_REQUEST' "stream/soz_atm_entreprise.ytyp" \ No newline at end of file +data_file 'DLC_ITYP_REQUEST' "stream/soz_atm_entreprise.ytyp" +data_file 'DLC_ITYP_REQUEST' 'stream/soz_prop_radar_2.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/soz_prop_atm.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/soz_prop_gas_pump.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/soz_trees_marked_props.ytyp' diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/prop_barrier_work05.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/prop_barrier_work05.ydr index 678e0cacc5..26e47f96b8 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/prop_barrier_work05.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/prop_barrier_work05.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_atm_entreprise.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_atm_entreprise.ydr index 219f3436bd..a719ab3eff 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_atm_entreprise.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_atm_entreprise.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_lantern.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_lantern.ydr index 4aabb757eb..453772835c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_lantern.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_lantern.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_01_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_01_hs2.ydr new file mode 100644 index 0000000000..8f4eb5bdce Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_01_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_01_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_01_hs3.ydr new file mode 100644 index 0000000000..024027a9e1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_01_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_02_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_02_hs2.ydr new file mode 100644 index 0000000000..23c4f664c5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_02_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_02_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_02_hs3.ydr new file mode 100644 index 0000000000..f945fdc119 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_02_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_03_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_03_hs2.ydr new file mode 100644 index 0000000000..ba91bb3a00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_03_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_03_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_03_hs3.ydr new file mode 100644 index 0000000000..47faaa9102 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_03_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_hs.ytd b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_hs.ytd new file mode 100644 index 0000000000..2f9c104015 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_atm_hs.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ydr index 1c2710911b..e3af99bae9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ytd b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ytd index bd4ee6cd7d..03c8f94029 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ytd and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin_hs2.ydr new file mode 100644 index 0000000000..23eae6e620 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin_hs3.ydr new file mode 100644 index 0000000000..b2518da0b1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_bb_bin_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec.ytd b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec.ytd index 6ea446238f..84bebf476c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec.ytd and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01.ydr index a6c3f815e9..551e754952 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01_hs2.ydr new file mode 100644 index 0000000000..a5412b4b69 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01_hs3.ydr new file mode 100644 index 0000000000..d764bdcd94 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec01_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02.ydr index bb48241144..478f672416 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02_hs2.ydr new file mode 100644 index 0000000000..ec0044e1e0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02_hs3.ydr new file mode 100644 index 0000000000..5651efc5f1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_elec02_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fleeca_atm_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fleeca_atm_hs2.ydr new file mode 100644 index 0000000000..cb591d6905 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fleeca_atm_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fleeca_atm_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fleeca_atm_hs3.ydr new file mode 100644 index 0000000000..85532eccb1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fleeca_atm_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fourriere.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fourriere.ydr index 412b998015..90344bc0a1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fourriere.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_fourriere.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1a_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1a_hs2.ydr new file mode 100644 index 0000000000..8040e872af Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1a_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1a_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1a_hs3.ydr new file mode 100644 index 0000000000..3592659002 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1a_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1b_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1b_hs2.ydr new file mode 100644 index 0000000000..5c2c6ac574 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1b_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1b_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1b_hs3.ydr new file mode 100644 index 0000000000..18e74405bc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1b_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1c_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1c_hs2.ydr new file mode 100644 index 0000000000..aa5899027a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1c_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1c_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1c_hs3.ydr new file mode 100644 index 0000000000..c7cad46f01 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1c_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1d_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1d_hs2.ydr new file mode 100644 index 0000000000..e1cd5ee677 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1d_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1d_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1d_hs3.ydr new file mode 100644 index 0000000000..21de878e87 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_1d_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_hs.ytd b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_hs.ytd new file mode 100644 index 0000000000..4861381036 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_hs.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old2_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old2_hs2.ydr new file mode 100644 index 0000000000..906d90942f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old2_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old2_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old2_hs3.ydr new file mode 100644 index 0000000000..323149187c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old2_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old3_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old3_hs2.ydr new file mode 100644 index 0000000000..92897e8def Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old3_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old3_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old3_hs3.ydr new file mode 100644 index 0000000000..108c8a30db Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_gas_pump_old3_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_priv.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_priv.ydr index b7da27291b..126c51fd8a 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_priv.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_priv.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_public.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_public.ydr index c4152257cf..ba10d9bbd6 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_public.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_park_public.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_paystation.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_paystation.ydr index da2d45e120..7a6b95bd53 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_paystation.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_paystation.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar.ydr index a0ab371ea4..c2168a43ac 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2.ydr new file mode 100644 index 0000000000..9de345cf3e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2.ytd b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2.ytd new file mode 100644 index 0000000000..2b2d52210a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2_hs2.ydr new file mode 100644 index 0000000000..e4078da80f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2_hs3.ydr new file mode 100644 index 0000000000..9e40feb390 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_radar_2_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_02.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_02.ydr new file mode 100644 index 0000000000..f1f14f537d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_03.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_03.ydr new file mode 100644 index 0000000000..a02f86b53c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_03.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_04.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_04.ydr new file mode 100644 index 0000000000..1be330ca4a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_cedar_04.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_pine_01.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_pine_01.ydr new file mode 100644 index 0000000000..5449e3d574 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_pine_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_pine_02.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_pine_02.ydr new file mode 100644 index 0000000000..222d06eb93 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_tree_pine_02.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_vintage_pump_hs2.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_vintage_pump_hs2.ydr new file mode 100644 index 0000000000..a207ff4265 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_vintage_pump_hs2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_vintage_pump_hs3.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_vintage_pump_hs3.ydr new file mode 100644 index 0000000000..ca85f5637d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_vintage_pump_hs3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_w_r_cedar_01.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_w_r_cedar_01.ydr new file mode 100644 index 0000000000..26e9e683ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_prop_w_r_cedar_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_test_tree_cedar_trunk_001.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_test_tree_cedar_trunk_001.ydr new file mode 100644 index 0000000000..bcc192f3c9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_test_tree_cedar_trunk_001.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_test_tree_forest_trunk_01.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_test_tree_forest_trunk_01.ydr new file mode 100644 index 0000000000..b2c9940d02 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/soz_test_tree_forest_trunk_01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpile.ydr b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpile.ydr index e9d0e56db1..b4b0882539 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpile.ydr and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpile.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpiletex.ytd b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpiletex.ytd index 96e80a32fe..003850029e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpiletex.ytd and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ydr/upwpiletex.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_lantern.ymap b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_lantern.ymap index 5a46eb04e2..40368945b9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_lantern.ymap and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_lantern.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_park.ymap b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_park.ymap index 6e06181985..9574d786c1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_park.ymap and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ymap/soz_prop_park.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_atm.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_atm.ytyp new file mode 100644 index 0000000000..e4235d5ff1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_atm.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_bb_bin.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_bb_bin.ytyp index ae537ff4bd..b702e78720 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_bb_bin.ytyp and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_bb_bin.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_elec.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_elec.ytyp index e9baf9bdfc..74ae50ceab 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_elec.ytyp and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_elec.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_gas_pump.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_gas_pump.ytyp new file mode 100644 index 0000000000..b389051e43 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_gas_pump.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar.ytyp index 4f408f0810..bac352273d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar.ytyp and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar_2.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar_2.ytyp new file mode 100644 index 0000000000..ceb839f29f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_prop_radar_2.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_trees_marked_props.ytyp b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_trees_marked_props.ytyp new file mode 100644 index 0000000000..a8cb0c36c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-propsexterieurs/stream/ytyp/soz_trees_marked_props.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/audio/v_recycle_game.dat151.rel b/resources/[mapping]/[mapping-prod]/soz-rogers/audio/v_recycle_game.dat151.rel deleted file mode 100644 index 50806177b6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/audio/v_recycle_game.dat151.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/audio/v_recycle_mix.dat15.rel b/resources/[mapping]/[mapping-prod]/soz-rogers/audio/v_recycle_mix.dat15.rel deleted file mode 100644 index 115494a5af..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/audio/v_recycle_mix.dat15.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-rogers/fxmanifest.lua index 3abe16db1d..556a5e5511 100644 --- a/resources/[mapping]/[mapping-prod]/soz-rogers/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-rogers/fxmanifest.lua @@ -1,11 +1,3 @@ fx_version 'cerulean' game 'gta5' -this_is_a_map 'yes' - -files { - "audio/v_recycle_game.dat151.rel", - "audio/v_recycle_mix.dat15.rel", -} - -data_file 'AUDIO_GAMEDATA' 'audio/v_recycle_game.dat' -data_file 'AUDIO_DYNAMIXDATA' 'audio/v_recycle_mix.dat' +this_is_a_map 'yes' \ No newline at end of file diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_03_5.ybn b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_03_5.ybn index e08606b50e..5ea86d2159 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_03_5.ybn and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_03_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_rd_12.ybn b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_rd_12.ybn index 004d854364..45ea4cbc1e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_rd_12.ybn and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/hi@sp1_rd_12.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_03_0.ybn b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_03_0.ybn index ac7d241c46..d180a6e373 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_03_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_03_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_12_4.ybn b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_12_4.ybn index ee0c5793a7..836d55bec9 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_12_4.ybn and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_12_4.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_rd_5.ybn b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_rd_5.ybn index 39e4c5d600..309a385cbc 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_rd_5.ybn and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/sp1_rd_5.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/v_recycle.ybn b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/v_recycle.ybn index 926fa0aecf..19851b659b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/v_recycle.ybn and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ybn/v_recycle.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ydr/v_13_toilet.ydr b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ydr/v_13_toilet.ydr index 31ce23691b..373d49435a 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ydr/v_13_toilet.ydr and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ydr/v_13_toilet.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ytyp/v_int_13.ytyp b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ytyp/v_int_13.ytyp index bb08708bec..9c1522a747 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ytyp/v_int_13.ytyp and b/resources/[mapping]/[mapping-prod]/soz-rogers/stream/ytyp/v_int_13.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-southforest/fxmanifest.lua index 6b52184655..29d68f9a5a 100644 --- a/resources/[mapping]/[mapping-prod]/soz-southforest/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-southforest/fxmanifest.lua @@ -1,5 +1,11 @@ -fx_version 'cerulean' -game 'gta5' -this_is_a_map 'yes' +-- This mod was made for free by le__AK and Larcius. +-- For more information check out https://www.gta5-mods.com/maps/gta-v-remastered-enhanced -data_file('DLC_ITYP_REQUEST')('stream/metadata/vremastered_slod.ytyp') +fx_version "cerulean" +game "gta5" + +author 'le__AK and Larcius' +description 'GTA V Remastered: Enhanced' +version '4.4' + +data_file('DLC_ITYP_REQUEST')('stream/vremastered_slod.ytyp') diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/_manifestSOUTHFOREST.ymf b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/_manifestSOUTHFOREST.ymf new file mode 100644 index 0000000000..7cf0beee9b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/_manifestSOUTHFOREST.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_0.ybn new file mode 100644 index 0000000000..f6ec7231ac Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_1.ybn new file mode 100644 index 0000000000..2a34594224 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_2.ybn new file mode 100644 index 0000000000..95060d2a44 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_1_0.ybn new file mode 100644 index 0000000000..c7a452993d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_1_1.ybn new file mode 100644 index 0000000000..23f7bb9a4a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_0.ybn new file mode 100644 index 0000000000..a52a1ec602 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_1.ybn new file mode 100644 index 0000000000..31606feee1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_2.ybn new file mode 100644 index 0000000000..f5c44bad89 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_0.ybn new file mode 100644 index 0000000000..98182706ee Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_1.ybn new file mode 100644 index 0000000000..fc9836719d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_2.ybn new file mode 100644 index 0000000000..8215c0d9c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_4_0.ybn new file mode 100644 index 0000000000..62cf71bb39 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_4_1.ybn new file mode 100644 index 0000000000..1ebadaa9c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_0.ybn new file mode 100644 index 0000000000..348b0e6570 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_1.ybn new file mode 100644 index 0000000000..a88a29bc93 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_2.ybn new file mode 100644 index 0000000000..9e9246791f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_a_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_0_0.ybn new file mode 100644 index 0000000000..ef77c182a1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_0_1.ybn new file mode 100644 index 0000000000..09d91e4fe0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_0.ybn new file mode 100644 index 0000000000..a656980025 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_1.ybn new file mode 100644 index 0000000000..58cc4c00bf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_2.ybn new file mode 100644 index 0000000000..02a8b980e5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_3.ybn new file mode 100644 index 0000000000..5ef326aab3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_1_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_0.ybn new file mode 100644 index 0000000000..8fb6e946c5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_1.ybn new file mode 100644 index 0000000000..af123716b7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_2.ybn new file mode 100644 index 0000000000..9da23900d8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_0.ybn new file mode 100644 index 0000000000..0733a706f7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_1.ybn new file mode 100644 index 0000000000..9dffdce80f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_2.ybn new file mode 100644 index 0000000000..b84dcb86eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_0.ybn new file mode 100644 index 0000000000..cde1c7b337 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_1.ybn new file mode 100644 index 0000000000..99bcbc5364 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_2.ybn new file mode 100644 index 0000000000..15ad2259cd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_0.ybn new file mode 100644 index 0000000000..66abe566dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_1.ybn new file mode 100644 index 0000000000..a2d13163d7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_2.ybn new file mode 100644 index 0000000000..2a6204dade Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_0.ybn new file mode 100644 index 0000000000..a99b629961 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_1.ybn new file mode 100644 index 0000000000..635e4ef44e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_2.ybn new file mode 100644 index 0000000000..60cba23a93 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_b_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_0.ybn new file mode 100644 index 0000000000..1d5a5c7001 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_1.ybn new file mode 100644 index 0000000000..a1a1e0debf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_2.ybn new file mode 100644 index 0000000000..9b2a19310b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_0.ybn new file mode 100644 index 0000000000..ed2dedd09f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_1.ybn new file mode 100644 index 0000000000..8db35c7b95 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_2.ybn new file mode 100644 index 0000000000..41e691cab3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_2_0.ybn new file mode 100644 index 0000000000..24a73eeb7c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_2_1.ybn new file mode 100644 index 0000000000..c5ab22902b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_3_0.ybn new file mode 100644 index 0000000000..8d13e5d3ac Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_3_1.ybn new file mode 100644 index 0000000000..8cb5907ce0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_0.ybn new file mode 100644 index 0000000000..8e81e7e7b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_1.ybn new file mode 100644 index 0000000000..11ceb99190 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_2.ybn new file mode 100644 index 0000000000..a235122f34 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_5_0.ybn new file mode 100644 index 0000000000..2d96f7c9d4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_5_1.ybn new file mode 100644 index 0000000000..7c4b5f65fd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_6_0.ybn new file mode 100644 index 0000000000..26ecc9b6b9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_6_1.ybn new file mode 100644 index 0000000000..566caefb90 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_c_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_0.ybn new file mode 100644 index 0000000000..4a13ce8ec5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_1.ybn new file mode 100644 index 0000000000..6501dec028 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_2.ybn new file mode 100644 index 0000000000..7768ee22d4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_0.ybn new file mode 100644 index 0000000000..f48a1ceb11 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_1.ybn new file mode 100644 index 0000000000..6b25c7a0f1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_2.ybn new file mode 100644 index 0000000000..86bd5eabb1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_0.ybn new file mode 100644 index 0000000000..9b4449a232 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_1.ybn new file mode 100644 index 0000000000..d9ccb7eff6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_2.ybn new file mode 100644 index 0000000000..5ccba9e929 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_0.ybn new file mode 100644 index 0000000000..def005a241 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_1.ybn new file mode 100644 index 0000000000..a575d45a76 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_2.ybn new file mode 100644 index 0000000000..99f40c8a72 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_4_0.ybn new file mode 100644 index 0000000000..045df73c12 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_4_1.ybn new file mode 100644 index 0000000000..dc0811e8c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_0.ybn new file mode 100644 index 0000000000..bad8c532e1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_1.ybn new file mode 100644 index 0000000000..308dea498a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_2.ybn new file mode 100644 index 0000000000..baa9ee33e2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_0.ybn new file mode 100644 index 0000000000..8be3037d75 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_1.ybn new file mode 100644 index 0000000000..d706c7fe2c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_2.ybn new file mode 100644 index 0000000000..ad4e924567 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_7_0.ybn new file mode 100644 index 0000000000..e12438b571 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_7_1.ybn new file mode 100644 index 0000000000..bb0ed2114b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_8_0.ybn new file mode 100644 index 0000000000..e093147ff7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_8_1.ybn new file mode 100644 index 0000000000..661d48a508 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_d_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_0.ybn new file mode 100644 index 0000000000..a18e03fb00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_1.ybn new file mode 100644 index 0000000000..7f8a9e2972 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_2.ybn new file mode 100644 index 0000000000..5091bc3136 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_1_0.ybn new file mode 100644 index 0000000000..c35fa786f0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_1_1.ybn new file mode 100644 index 0000000000..32cfb558e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_2_0.ybn new file mode 100644 index 0000000000..eed7da4b11 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_2_1.ybn new file mode 100644 index 0000000000..c25172d900 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_3.ybn new file mode 100644 index 0000000000..1c59bd838c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_4_0.ybn new file mode 100644 index 0000000000..6d8d7bf072 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_4_1.ybn new file mode 100644 index 0000000000..a327df7313 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_0.ybn new file mode 100644 index 0000000000..701f7785f2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_1.ybn new file mode 100644 index 0000000000..edcf20983b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_2.ybn new file mode 100644 index 0000000000..92907e0f73 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_6_0.ybn new file mode 100644 index 0000000000..c0f2ec8e07 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_6_1.ybn new file mode 100644 index 0000000000..c2e7fe7053 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_7_0.ybn new file mode 100644 index 0000000000..f0c424c876 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_7_1.ybn new file mode 100644 index 0000000000..a9706bde57 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_e_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_0.ybn new file mode 100644 index 0000000000..9ae74bd141 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_1.ybn new file mode 100644 index 0000000000..0bb3f8b419 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_2.ybn new file mode 100644 index 0000000000..9c461b63fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_1_0.ybn new file mode 100644 index 0000000000..a0bea90870 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_1_1.ybn new file mode 100644 index 0000000000..bc8bd8893d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_0.ybn new file mode 100644 index 0000000000..f2ce9e4c87 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_1.ybn new file mode 100644 index 0000000000..0beb8d70e9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_2.ybn new file mode 100644 index 0000000000..62785fb27d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_0.ybn new file mode 100644 index 0000000000..5babdf98b1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_1.ybn new file mode 100644 index 0000000000..4993835212 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_2.ybn new file mode 100644 index 0000000000..2a23f8da6c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_4_0.ybn new file mode 100644 index 0000000000..0974116899 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_4_1.ybn new file mode 100644 index 0000000000..79708c653a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_5_0.ybn new file mode 100644 index 0000000000..14cb9f9d42 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_5_1.ybn new file mode 100644 index 0000000000..80b1807a2c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_0.ybn new file mode 100644 index 0000000000..bfe716fb03 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_1.ybn new file mode 100644 index 0000000000..cc18131b29 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_2.ybn new file mode 100644 index 0000000000..5555dc87fd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_7_0.ybn new file mode 100644 index 0000000000..5b5c12efcd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_7_1.ybn new file mode 100644 index 0000000000..3c6a04029f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_8_0.ybn new file mode 100644 index 0000000000..3a223a1645 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_8_1.ybn new file mode 100644 index 0000000000..d4a3f88518 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_9_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_9_0.ybn new file mode 100644 index 0000000000..255c57378c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_9_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_9_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_9_1.ybn new file mode 100644 index 0000000000..9442539770 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_f_9_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_0_0.ybn new file mode 100644 index 0000000000..9c2d921b69 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_0_1.ybn new file mode 100644 index 0000000000..3815b16aec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_1.ybn new file mode 100644 index 0000000000..ed1534a0fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_2_0.ybn new file mode 100644 index 0000000000..069596adc5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_2_1.ybn new file mode 100644 index 0000000000..1d590f80e0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_0.ybn new file mode 100644 index 0000000000..277c145a55 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_1.ybn new file mode 100644 index 0000000000..046e30e470 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_2.ybn new file mode 100644 index 0000000000..a04e02de2d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_0.ybn new file mode 100644 index 0000000000..ae7155e75d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_1.ybn new file mode 100644 index 0000000000..6533fa81cf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_2.ybn new file mode 100644 index 0000000000..40527dcd65 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_5_0.ybn new file mode 100644 index 0000000000..cc5862f0ca Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_5_1.ybn new file mode 100644 index 0000000000..c590fafa7b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_0.ybn new file mode 100644 index 0000000000..8f3b2ccc2d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_1.ybn new file mode 100644 index 0000000000..7f625c976f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_2.ybn new file mode 100644 index 0000000000..c8fe89cb88 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_7_0.ybn new file mode 100644 index 0000000000..a3dc988389 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_7_1.ybn new file mode 100644 index 0000000000..bb8dbf8bc1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_g_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_0_0.ybn new file mode 100644 index 0000000000..e0234d1464 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_0_1.ybn new file mode 100644 index 0000000000..5f062d7284 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_0.ybn new file mode 100644 index 0000000000..9ff4ffa673 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_1.ybn new file mode 100644 index 0000000000..ea20ed71f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_2.ybn new file mode 100644 index 0000000000..610ff436e7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_0.ybn new file mode 100644 index 0000000000..23a8d5365e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_1.ybn new file mode 100644 index 0000000000..86db65f05b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_2.ybn new file mode 100644 index 0000000000..9671736595 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_0.ybn new file mode 100644 index 0000000000..54fd4ff4ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_1.ybn new file mode 100644 index 0000000000..9d9000cd2b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_2.ybn new file mode 100644 index 0000000000..9cf4eea73e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_4_0.ybn new file mode 100644 index 0000000000..13b21caa1c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_4_1.ybn new file mode 100644 index 0000000000..2da08d3482 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_5_0.ybn new file mode 100644 index 0000000000..301b353adf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_5_1.ybn new file mode 100644 index 0000000000..b51aeac4d2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_6_0.ybn new file mode 100644 index 0000000000..bc9141ad3c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_6_1.ybn new file mode 100644 index 0000000000..061a8fb220 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_0.ybn new file mode 100644 index 0000000000..0635412f43 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_1.ybn new file mode 100644 index 0000000000..18c0e31091 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_2.ybn new file mode 100644 index 0000000000..28eb36f97f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_8_0.ybn new file mode 100644 index 0000000000..2c55935125 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_8_1.ybn new file mode 100644 index 0000000000..236f95df23 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_h_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_0.ybn new file mode 100644 index 0000000000..c3318bd980 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_1.ybn new file mode 100644 index 0000000000..9abf6f5bb0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_2_0.ybn new file mode 100644 index 0000000000..5d07fd05f8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_2_1.ybn new file mode 100644 index 0000000000..b80a8e6071 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_0.ybn new file mode 100644 index 0000000000..171d442beb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_1.ybn new file mode 100644 index 0000000000..0be3ece7b5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_2.ybn new file mode 100644 index 0000000000..b968687366 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_0.ybn new file mode 100644 index 0000000000..492a095c86 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_1.ybn new file mode 100644 index 0000000000..af5237b9bf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_2.ybn new file mode 100644 index 0000000000..51f215a2c0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_0.ybn new file mode 100644 index 0000000000..a91b6ff4d4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_1.ybn new file mode 100644 index 0000000000..e39c556201 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_2.ybn new file mode 100644 index 0000000000..b80b5f06ad Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_0.ybn new file mode 100644 index 0000000000..513a6f0911 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_1.ybn new file mode 100644 index 0000000000..ecc568f8a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_2.ybn new file mode 100644 index 0000000000..ad5f0068cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_i_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_0_0.ybn new file mode 100644 index 0000000000..174363eb92 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_0_1.ybn new file mode 100644 index 0000000000..3cc98832eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_1_0.ybn new file mode 100644 index 0000000000..d2a1c4392d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_1_1.ybn new file mode 100644 index 0000000000..46215a9cf5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_0.ybn new file mode 100644 index 0000000000..389ad9e6f3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_1.ybn new file mode 100644 index 0000000000..607e3f6b97 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_2.ybn new file mode 100644 index 0000000000..8c10187455 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_3_0.ybn new file mode 100644 index 0000000000..39196bc352 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_3_1.ybn new file mode 100644 index 0000000000..c6d29630e1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_4_0.ybn new file mode 100644 index 0000000000..42241a7775 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_4_1.ybn new file mode 100644 index 0000000000..4b38196d8b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_0.ybn new file mode 100644 index 0000000000..9012bb706e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_1.ybn new file mode 100644 index 0000000000..bb4ddf7f1c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_2.ybn new file mode 100644 index 0000000000..9336a6c1f2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_0.ybn new file mode 100644 index 0000000000..106257d77f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_1.ybn new file mode 100644 index 0000000000..509ddd7b9f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_2.ybn new file mode 100644 index 0000000000..d2d7fa2172 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_j_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_0_0.ybn new file mode 100644 index 0000000000..cb0d83b3eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_0_1.ybn new file mode 100644 index 0000000000..5664fcc988 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_1_0.ybn new file mode 100644 index 0000000000..1a9a004c7b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_1_1.ybn new file mode 100644 index 0000000000..f05e1d276f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_2.ybn new file mode 100644 index 0000000000..375b24dbf9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_3_0.ybn new file mode 100644 index 0000000000..a494898991 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_3_1.ybn new file mode 100644 index 0000000000..c03bbcecf8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_4_1.ybn new file mode 100644 index 0000000000..c0acfba0ee Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_0.ybn new file mode 100644 index 0000000000..3459dfc6a2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_1.ybn new file mode 100644 index 0000000000..16842dc77a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_2.ybn new file mode 100644 index 0000000000..71b6cb4e21 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/hi@vremastered_k_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_lod_children_0.ydd deleted file mode 100644 index 8e4d963b6c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_lod_children_1.ydd deleted file mode 100644 index e826c213b5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_slod1_children_0.ydd deleted file mode 100644 index 8a6527c067..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_slod2_children.ydd deleted file mode 100644 index 45b8f62822..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_a_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_lod_children_0.ydd deleted file mode 100644 index c119544f25..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_lod_children_1.ydd deleted file mode 100644 index a259b8e338..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_slod1_children_0.ydd deleted file mode 100644 index 11a7bcbd46..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_slod2_children.ydd deleted file mode 100644 index a724390fd6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_b_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_0.ydd deleted file mode 100644 index ac60002bae..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_1.ydd deleted file mode 100644 index 5d713aae36..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_2.ydd deleted file mode 100644 index dba387c3e2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_lod_children_2.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_slod1_children_0.ydd deleted file mode 100644 index 12d5ef77d0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_slod2_children.ydd deleted file mode 100644 index bfd559a49a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_c_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_lod_children_0.ydd deleted file mode 100644 index 28d6099130..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_lod_children_1.ydd deleted file mode 100644 index bb2ebb3488..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_slod1_children_0.ydd deleted file mode 100644 index 0b6b9bd77a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_slod2_children.ydd deleted file mode 100644 index 71b5c4f283..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_d_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_lod_children_0.ydd deleted file mode 100644 index 7a5c1b38b9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_lod_children_1.ydd deleted file mode 100644 index 7dddc9820d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_slod1_children_0.ydd deleted file mode 100644 index 8f57ff3295..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_slod2_children.ydd deleted file mode 100644 index f5236c1669..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_e_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_lod_children_0.ydd deleted file mode 100644 index a211c7a0c9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_slod1_children_0.ydd deleted file mode 100644 index 8a5717d232..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_slod2_children.ydd deleted file mode 100644 index e98e170fc9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_f_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_lod_children_0.ydd deleted file mode 100644 index 0d54d3afaa..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_lod_children_1.ydd deleted file mode 100644 index aade8e95cc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_slod1_children_0.ydd deleted file mode 100644 index bdba6cb755..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_slod2_children.ydd deleted file mode 100644 index bdc19ce4e8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_g_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_lod_children_0.ydd deleted file mode 100644 index dcb9b8ae89..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_lod_children_1.ydd deleted file mode 100644 index e9363e1184..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_slod1_children_0.ydd deleted file mode 100644 index 4676915e59..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_slod2_children.ydd deleted file mode 100644 index f0bbdc88f6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_h_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_lod_children_0.ydd deleted file mode 100644 index 30212b6559..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_lod_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_lod_children_1.ydd deleted file mode 100644 index 0e40952ff0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_lod_children_1.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_slod1_children_0.ydd deleted file mode 100644 index a656f5f809..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_slod1_children_0.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_slod2_children.ydd deleted file mode 100644 index e3fd07072a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_i_slod2_children.ydd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_lod.ytd deleted file mode 100644 index 1773c791b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_lod.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_slod.ytd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_slod.ytd deleted file mode 100644 index 919c219f48..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/lod/vremastered_slod.ytd and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/_manifest.ymf deleted file mode 100644 index 4ad7b23c82..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_0.ymap deleted file mode 100644 index 6aa21eaeda..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_1.ymap deleted file mode 100644 index 38fc597b11..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_2.ymap deleted file mode 100644 index 464e101acd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_3.ymap deleted file mode 100644 index df90cb2d78..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_4.ymap deleted file mode 100644 index 0e83e82615..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_5.ymap deleted file mode 100644 index bf63b81113..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_6.ymap deleted file mode 100644 index a37fd0b191..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_7.ymap deleted file mode 100644 index d1734fa518..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_7.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_8.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_8.ymap deleted file mode 100644 index 89e6013d8b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_8.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_lod.ymap deleted file mode 100644 index ad9516f964..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_slod2.ymap deleted file mode 100644 index 374251d7ac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_a_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_0.ymap deleted file mode 100644 index 21db8dd78a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_1.ymap deleted file mode 100644 index a59b5a85d8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_2.ymap deleted file mode 100644 index 150f9375d1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_3.ymap deleted file mode 100644 index ffac954742..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_4.ymap deleted file mode 100644 index 0886ed6153..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_lod.ymap deleted file mode 100644 index 7d13a68857..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_slod2.ymap deleted file mode 100644 index 0f420994a7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_b_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_00.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_00.ymap deleted file mode 100644 index 8b5aead9a6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_00.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_01.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_01.ymap deleted file mode 100644 index 7dad3aef24..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_01.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_02.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_02.ymap deleted file mode 100644 index e5d1746e03..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_02.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_03.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_03.ymap deleted file mode 100644 index 100c292afe..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_03.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_04.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_04.ymap deleted file mode 100644 index 30df717314..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_04.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_05.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_05.ymap deleted file mode 100644 index be7c253e3e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_05.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_06.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_06.ymap deleted file mode 100644 index d5630f7ba7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_06.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_07.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_07.ymap deleted file mode 100644 index 8044a07034..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_07.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_08.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_08.ymap deleted file mode 100644 index 84e216b137..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_08.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_09.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_09.ymap deleted file mode 100644 index 8c64c83e08..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_09.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_10.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_10.ymap deleted file mode 100644 index f1d7f3f3b9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_10.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_11.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_11.ymap deleted file mode 100644 index 4863f22184..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_11.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_12.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_12.ymap deleted file mode 100644 index 353553479d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_12.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_lod.ymap deleted file mode 100644 index d71c766eb5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_slod2.ymap deleted file mode 100644 index aa01562654..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_c_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_00.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_00.ymap deleted file mode 100644 index b123da4be2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_00.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_01.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_01.ymap deleted file mode 100644 index fabbd38a0f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_01.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_02.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_02.ymap deleted file mode 100644 index 5e2dcd81ea..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_02.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_03.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_03.ymap deleted file mode 100644 index 202066f156..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_03.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_04.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_04.ymap deleted file mode 100644 index 0b024af12a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_04.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_05.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_05.ymap deleted file mode 100644 index e3a49b8078..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_05.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_06.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_06.ymap deleted file mode 100644 index 4421dc9eea..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_06.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_07.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_07.ymap deleted file mode 100644 index ea221af00e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_07.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_08.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_08.ymap deleted file mode 100644 index 042b4dc8b5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_08.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_09.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_09.ymap deleted file mode 100644 index 7d761b832f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_09.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_10.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_10.ymap deleted file mode 100644 index 64427a73e9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_10.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_lod.ymap deleted file mode 100644 index de8802dbe5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_slod2.ymap deleted file mode 100644 index 89535ef388..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_d_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_0.ymap deleted file mode 100644 index 539ea11f58..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_1.ymap deleted file mode 100644 index 687baa3ac4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_2.ymap deleted file mode 100644 index b3b51f4373..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_3.ymap deleted file mode 100644 index 43ecb0ffff..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_4.ymap deleted file mode 100644 index 334033d202..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_5.ymap deleted file mode 100644 index ec2bc6a0cf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_6.ymap deleted file mode 100644 index b6de9674f8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_7.ymap deleted file mode 100644 index 16e7461ee6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_7.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_8.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_8.ymap deleted file mode 100644 index 2864bd499f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_8.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_lod.ymap deleted file mode 100644 index ba4cd72db9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_slod2.ymap deleted file mode 100644 index dda5f77b13..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_e_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_0.ymap deleted file mode 100644 index 989de429f8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_1.ymap deleted file mode 100644 index 9c468066e1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_2.ymap deleted file mode 100644 index 9be85f802f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_3.ymap deleted file mode 100644 index d9a78e0797..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_4.ymap deleted file mode 100644 index 82e6a78d23..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_lod.ymap deleted file mode 100644 index e8aa10a43a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_slod2.ymap deleted file mode 100644 index 2bbc1f84ee..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_f_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_0.ymap deleted file mode 100644 index 68c0e37e54..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_1.ymap deleted file mode 100644 index b6cd808a68..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_2.ymap deleted file mode 100644 index 5e1954d5a0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_3.ymap deleted file mode 100644 index 1c622577e2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_4.ymap deleted file mode 100644 index f169aa0c5b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_5.ymap deleted file mode 100644 index 47c99e1a9d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_6.ymap deleted file mode 100644 index 77218f43dd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_7.ymap deleted file mode 100644 index b9cb5a5819..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_7.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_8.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_8.ymap deleted file mode 100644 index db40ca5c02..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_8.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_lod.ymap deleted file mode 100644 index e9fc2523a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_slod2.ymap deleted file mode 100644 index 3cc74af562..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_g_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_0.ymap deleted file mode 100644 index 887d906a27..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_1.ymap deleted file mode 100644 index c8f9257974..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_2.ymap deleted file mode 100644 index 6c76246358..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_3.ymap deleted file mode 100644 index 17acaef97f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_4.ymap deleted file mode 100644 index 42a6f71dcf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_5.ymap deleted file mode 100644 index 1ea6d0bce5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_6.ymap deleted file mode 100644 index b1bfbc5218..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_6.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_lod.ymap deleted file mode 100644 index 83bee4575a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_slod2.ymap deleted file mode 100644 index cce7a60c93..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_h_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_0.ymap deleted file mode 100644 index 0e67ed6baf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_0.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_1.ymap deleted file mode 100644 index 09e61b1d08..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_1.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_2.ymap deleted file mode 100644 index d642a0a389..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_3.ymap deleted file mode 100644 index 2e44985ddf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_3.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_4.ymap deleted file mode 100644 index b3a64eeb23..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_4.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_5.ymap deleted file mode 100644 index d7534e976c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_5.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_lod.ymap deleted file mode 100644 index 9b3fdb6174..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_lod.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_slod2.ymap deleted file mode 100644 index 0bdfa1f53a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_i_slod2.ymap and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_slod.ytyp b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_slod.ytyp deleted file mode 100644 index bb914e7b5a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/metadata/vremastered_slod.ytyp and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0.ymap new file mode 100644 index 0000000000..f728c00dd5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_0.ybn new file mode 100644 index 0000000000..c064a59555 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_1.ybn new file mode 100644 index 0000000000..41955e7156 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_2.ybn new file mode 100644 index 0000000000..a0a5bb4346 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1.ymap new file mode 100644 index 0000000000..18cf18b71f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1_0.ybn new file mode 100644 index 0000000000..08b46426b9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1_1.ybn new file mode 100644 index 0000000000..dcf9f1e66b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2.ymap new file mode 100644 index 0000000000..916cd0ae26 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_0.ybn new file mode 100644 index 0000000000..da963ad246 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_1.ybn new file mode 100644 index 0000000000..8c1632a368 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_2.ybn new file mode 100644 index 0000000000..8b1f5fbcab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3.ymap new file mode 100644 index 0000000000..f51cb27b0f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_0.ybn new file mode 100644 index 0000000000..b62c7144fe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_1.ybn new file mode 100644 index 0000000000..56edbbb0ec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_2.ybn new file mode 100644 index 0000000000..d4d0199ec3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4.ymap new file mode 100644 index 0000000000..0fad158df8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4_0.ybn new file mode 100644 index 0000000000..96f52d5751 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4_1.ybn new file mode 100644 index 0000000000..a6e949ade2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5.ymap new file mode 100644 index 0000000000..47eef02217 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_0.ybn new file mode 100644 index 0000000000..d8bd68e8a0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_1.ybn new file mode 100644 index 0000000000..f892c1df11 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_2.ybn new file mode 100644 index 0000000000..79dd4cd9c0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod.ymap new file mode 100644 index 0000000000..3d1a488823 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_0.ydd new file mode 100644 index 0000000000..3264acf50f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_1.ydd new file mode 100644 index 0000000000..d2a6c11025 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_2.ydd new file mode 100644 index 0000000000..f0775557b2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod1_children_0.ydd new file mode 100644 index 0000000000..e943f6a0de Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod2.ymap new file mode 100644 index 0000000000..2b12c68828 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod2_children.ydd new file mode 100644 index 0000000000..f448ba03b8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_a_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0.ymap new file mode 100644 index 0000000000..7f4ea5f9d1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0_0.ybn new file mode 100644 index 0000000000..d5ef747b83 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0_1.ybn new file mode 100644 index 0000000000..34bf632a4e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1.ymap new file mode 100644 index 0000000000..226b4aef6f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_0.ybn new file mode 100644 index 0000000000..5cb2e6a605 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_1.ybn new file mode 100644 index 0000000000..006957c552 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_2.ybn new file mode 100644 index 0000000000..357bef4a49 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_3.ybn new file mode 100644 index 0000000000..f3a3b826cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_1_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2.ymap new file mode 100644 index 0000000000..e1d2e479e7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_0.ybn new file mode 100644 index 0000000000..74794dab55 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_1.ybn new file mode 100644 index 0000000000..26a5ae7843 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_2.ybn new file mode 100644 index 0000000000..4e3df1892f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3.ymap new file mode 100644 index 0000000000..44cbbf9821 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_0.ybn new file mode 100644 index 0000000000..686ac8bd10 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_1.ybn new file mode 100644 index 0000000000..66dc8fc939 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_2.ybn new file mode 100644 index 0000000000..a10da2a93f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4.ymap new file mode 100644 index 0000000000..aa196e4c46 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_0.ybn new file mode 100644 index 0000000000..d9f2b48269 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_1.ybn new file mode 100644 index 0000000000..e3134f90b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_2.ybn new file mode 100644 index 0000000000..ff5fb06af1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5.ymap new file mode 100644 index 0000000000..192fe2b516 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_0.ybn new file mode 100644 index 0000000000..6a0c42f3a7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_1.ybn new file mode 100644 index 0000000000..d21677e90a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_2.ybn new file mode 100644 index 0000000000..69a359935b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6.ymap new file mode 100644 index 0000000000..a5e116df8e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_0.ybn new file mode 100644 index 0000000000..38c24a68fe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_1.ybn new file mode 100644 index 0000000000..605b2db7e6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_2.ybn new file mode 100644 index 0000000000..07f20c9181 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod.ymap new file mode 100644 index 0000000000..d526aa37cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_0.ydd new file mode 100644 index 0000000000..685780107a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_1.ydd new file mode 100644 index 0000000000..59ec0a254c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_2.ydd new file mode 100644 index 0000000000..5469a30780 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod1_children_0.ydd new file mode 100644 index 0000000000..a4f0389a0e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod2.ymap new file mode 100644 index 0000000000..70cd53a395 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod2_children.ydd new file mode 100644 index 0000000000..c739dccfe3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_b_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0.ymap new file mode 100644 index 0000000000..aceb29ea81 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_0.ybn new file mode 100644 index 0000000000..2de475f45a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_1.ybn new file mode 100644 index 0000000000..63e71a8fda Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_2.ybn new file mode 100644 index 0000000000..e81c9254f7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1.ymap new file mode 100644 index 0000000000..d2344e07dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_0.ybn new file mode 100644 index 0000000000..d5c4ac41f5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_1.ybn new file mode 100644 index 0000000000..dee51787d1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_2.ybn new file mode 100644 index 0000000000..8ada8da152 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2.ymap new file mode 100644 index 0000000000..ab12cd6754 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2_0.ybn new file mode 100644 index 0000000000..f7b0f08006 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2_1.ybn new file mode 100644 index 0000000000..38c32e60bb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3.ymap new file mode 100644 index 0000000000..ba74d37972 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3_0.ybn new file mode 100644 index 0000000000..2ea311cc72 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3_1.ybn new file mode 100644 index 0000000000..4f79d73f1a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4.ymap new file mode 100644 index 0000000000..f0488d7bfd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_0.ybn new file mode 100644 index 0000000000..9bba158d3e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_1.ybn new file mode 100644 index 0000000000..c44ed9dfd9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_2.ybn new file mode 100644 index 0000000000..e109594da8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5.ymap new file mode 100644 index 0000000000..7219f36d3c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5_0.ybn new file mode 100644 index 0000000000..8a372c90cb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5_1.ybn new file mode 100644 index 0000000000..c3ac5907df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6.ymap new file mode 100644 index 0000000000..6e943b7da4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6_0.ybn new file mode 100644 index 0000000000..9538a1423a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6_1.ybn new file mode 100644 index 0000000000..dcada3cd83 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod.ymap new file mode 100644 index 0000000000..6e613059e7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_0.ydd new file mode 100644 index 0000000000..33be81584c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_1.ydd new file mode 100644 index 0000000000..5bb915310b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_2.ydd new file mode 100644 index 0000000000..aee1c11a58 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_3.ydd new file mode 100644 index 0000000000..63032890b3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod1_children_0.ydd new file mode 100644 index 0000000000..a57be1004c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod2.ymap new file mode 100644 index 0000000000..64592d67dc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod2_children.ydd new file mode 100644 index 0000000000..b0383c3665 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_c_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0.ymap new file mode 100644 index 0000000000..910b95a057 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_0.ybn new file mode 100644 index 0000000000..615a87f6de Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_1.ybn new file mode 100644 index 0000000000..bc811fd5fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_2.ybn new file mode 100644 index 0000000000..9f7413a4ba Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1.ymap new file mode 100644 index 0000000000..e679c4af20 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_0.ybn new file mode 100644 index 0000000000..fee52fa237 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_1.ybn new file mode 100644 index 0000000000..6068bccacc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_2.ybn new file mode 100644 index 0000000000..4221f03dab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2.ymap new file mode 100644 index 0000000000..390cda90e6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_0.ybn new file mode 100644 index 0000000000..58cfbc6e6b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_1.ybn new file mode 100644 index 0000000000..608d203e84 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_2.ybn new file mode 100644 index 0000000000..8d4b80e166 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3.ymap new file mode 100644 index 0000000000..9ab4f79f44 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_0.ybn new file mode 100644 index 0000000000..563b02af9c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_1.ybn new file mode 100644 index 0000000000..da0251ac90 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_2.ybn new file mode 100644 index 0000000000..fe1acf6fb0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4.ymap new file mode 100644 index 0000000000..0ad2afe93c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4_0.ybn new file mode 100644 index 0000000000..3f21d2e3ab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4_1.ybn new file mode 100644 index 0000000000..e5c06723c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5.ymap new file mode 100644 index 0000000000..208380ef39 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_0.ybn new file mode 100644 index 0000000000..5f454c4f57 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_1.ybn new file mode 100644 index 0000000000..ec41597d3d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_2.ybn new file mode 100644 index 0000000000..a3871a2d5e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6.ymap new file mode 100644 index 0000000000..db366580ab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_0.ybn new file mode 100644 index 0000000000..59893dcc15 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_1.ybn new file mode 100644 index 0000000000..2ccd34e6a6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_2.ybn new file mode 100644 index 0000000000..bb2d705392 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7.ymap new file mode 100644 index 0000000000..975cfa2570 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7_0.ybn new file mode 100644 index 0000000000..26d9e590da Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7_1.ybn new file mode 100644 index 0000000000..f30479d136 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8.ymap new file mode 100644 index 0000000000..4c398aba57 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8_0.ybn new file mode 100644 index 0000000000..8e2db536e7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8_1.ybn new file mode 100644 index 0000000000..1bf16e2e48 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod.ymap new file mode 100644 index 0000000000..531a10f80f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_0.ydd new file mode 100644 index 0000000000..be7b8fa15b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_1.ydd new file mode 100644 index 0000000000..a5883b32eb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_2.ydd new file mode 100644 index 0000000000..b1ad45ac95 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_3.ydd new file mode 100644 index 0000000000..6e3e0f2e11 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod1_children_0.ydd new file mode 100644 index 0000000000..12455e4336 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod2.ymap new file mode 100644 index 0000000000..1dc63d8ae7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod2_children.ydd new file mode 100644 index 0000000000..3dcb08c857 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_d_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0.ymap new file mode 100644 index 0000000000..e3648a8964 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_0.ybn new file mode 100644 index 0000000000..573a2c1818 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_1.ybn new file mode 100644 index 0000000000..20d8e962d9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_2.ybn new file mode 100644 index 0000000000..b9289a1505 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1.ymap new file mode 100644 index 0000000000..01ec2d56b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1_0.ybn new file mode 100644 index 0000000000..a147ac7ae2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1_1.ybn new file mode 100644 index 0000000000..0b7dbfa6f9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2.ymap new file mode 100644 index 0000000000..c441575ba3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2_0.ybn new file mode 100644 index 0000000000..dec2e14b12 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2_1.ybn new file mode 100644 index 0000000000..8c249b9d6b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_3.ybn new file mode 100644 index 0000000000..8d073f999a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_3.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_3.ymap new file mode 100644 index 0000000000..c5c1be9355 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4.ymap new file mode 100644 index 0000000000..e3b7fdc896 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4_0.ybn new file mode 100644 index 0000000000..37c918693a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4_1.ybn new file mode 100644 index 0000000000..10eb010747 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5.ymap new file mode 100644 index 0000000000..0fa9b0e56b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_0.ybn new file mode 100644 index 0000000000..ef6de0f1b3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_1.ybn new file mode 100644 index 0000000000..7776e4fb52 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_2.ybn new file mode 100644 index 0000000000..f79640fe49 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6.ymap new file mode 100644 index 0000000000..6227a319e7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6_0.ybn new file mode 100644 index 0000000000..35e6b2413a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6_1.ybn new file mode 100644 index 0000000000..8be69a7265 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7.ymap new file mode 100644 index 0000000000..c52843db82 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7_0.ybn new file mode 100644 index 0000000000..2844876a1d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7_1.ybn new file mode 100644 index 0000000000..3a611872fb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod.ymap new file mode 100644 index 0000000000..46388fc34e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_0.ydd new file mode 100644 index 0000000000..933c6ab8f6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_1.ydd new file mode 100644 index 0000000000..dc07f97037 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_2.ydd new file mode 100644 index 0000000000..dd1074126b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_3.ydd new file mode 100644 index 0000000000..dcec34d6cf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod1_children_0.ydd new file mode 100644 index 0000000000..78bfc47781 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod2.ymap new file mode 100644 index 0000000000..b47ef5589f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod2_children.ydd new file mode 100644 index 0000000000..3a5cf0c5fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_e_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0.ymap new file mode 100644 index 0000000000..0da2c99ae9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_0.ybn new file mode 100644 index 0000000000..8ace485dc1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_1.ybn new file mode 100644 index 0000000000..2587b12661 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_2.ybn new file mode 100644 index 0000000000..b9265a14df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_0_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1.ymap new file mode 100644 index 0000000000..cda1d548b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1_0.ybn new file mode 100644 index 0000000000..ff9baedd00 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1_1.ybn new file mode 100644 index 0000000000..682eaa1edd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2.ymap new file mode 100644 index 0000000000..db7fdf55de Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_0.ybn new file mode 100644 index 0000000000..b5257c6699 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_1.ybn new file mode 100644 index 0000000000..7b8e1a7c55 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_2.ybn new file mode 100644 index 0000000000..5fb8eed539 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3.ymap new file mode 100644 index 0000000000..956ef1dc63 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_0.ybn new file mode 100644 index 0000000000..04a1eb5fd5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_1.ybn new file mode 100644 index 0000000000..3d4fbd7f10 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_2.ybn new file mode 100644 index 0000000000..c1fba59199 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4.ymap new file mode 100644 index 0000000000..ebc065ade8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4_0.ybn new file mode 100644 index 0000000000..2155303e57 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4_1.ybn new file mode 100644 index 0000000000..793a65afb6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5.ymap new file mode 100644 index 0000000000..1c0ce402ad Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5_0.ybn new file mode 100644 index 0000000000..b61e5af8b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5_1.ybn new file mode 100644 index 0000000000..a800abbf78 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6.ymap new file mode 100644 index 0000000000..1efb7034f0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_0.ybn new file mode 100644 index 0000000000..bb59cfe60d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_1.ybn new file mode 100644 index 0000000000..3d11927547 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_2.ybn new file mode 100644 index 0000000000..331ccf4b1a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7.ymap new file mode 100644 index 0000000000..5e9efc1ce7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7_0.ybn new file mode 100644 index 0000000000..872a592586 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7_1.ybn new file mode 100644 index 0000000000..bd1e97b2ee Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8.ymap new file mode 100644 index 0000000000..e3f0d7b297 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8_0.ybn new file mode 100644 index 0000000000..5ec247d5f9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8_1.ybn new file mode 100644 index 0000000000..729c4ac655 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9.ymap new file mode 100644 index 0000000000..5e96e650dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9_0.ybn new file mode 100644 index 0000000000..bbb9d35c7f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9_1.ybn new file mode 100644 index 0000000000..b4ac15b001 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_9_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod.ymap new file mode 100644 index 0000000000..c1f50f708f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_0.ydd new file mode 100644 index 0000000000..e33549ecdb Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_1.ydd new file mode 100644 index 0000000000..31f099c3c3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_2.ydd new file mode 100644 index 0000000000..c851762e9a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_3.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_3.ydd new file mode 100644 index 0000000000..31b9698156 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_3.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_4.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_4.ydd new file mode 100644 index 0000000000..163e1d202d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_lod_children_4.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod1_children_0.ydd new file mode 100644 index 0000000000..2106f9c635 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod2.ymap new file mode 100644 index 0000000000..649c68c7e5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod2_children.ydd new file mode 100644 index 0000000000..0390b8b233 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_f_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0.ymap new file mode 100644 index 0000000000..d1481a5235 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0_0.ybn new file mode 100644 index 0000000000..1103bcf154 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0_1.ybn new file mode 100644 index 0000000000..335c58186b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_1.ybn new file mode 100644 index 0000000000..2e92ae4489 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_1.ymap new file mode 100644 index 0000000000..5da90c97e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2.ymap new file mode 100644 index 0000000000..08b9f8a151 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2_0.ybn new file mode 100644 index 0000000000..522970af3a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2_1.ybn new file mode 100644 index 0000000000..51dd55f291 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3.ymap new file mode 100644 index 0000000000..5d74c30bce Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_0.ybn new file mode 100644 index 0000000000..90666d1a13 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_1.ybn new file mode 100644 index 0000000000..3f10d8ebce Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_2.ybn new file mode 100644 index 0000000000..beb2a1ad06 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4.ymap new file mode 100644 index 0000000000..c395d333e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_0.ybn new file mode 100644 index 0000000000..6fc5b1d2d3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_1.ybn new file mode 100644 index 0000000000..5ef694d56d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_2.ybn new file mode 100644 index 0000000000..b7cc88ec8b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5.ymap new file mode 100644 index 0000000000..435220fe42 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5_0.ybn new file mode 100644 index 0000000000..90eb739a84 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5_1.ybn new file mode 100644 index 0000000000..67e90366b8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6.ymap new file mode 100644 index 0000000000..c423757f82 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_0.ybn new file mode 100644 index 0000000000..ed9e0a5875 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_1.ybn new file mode 100644 index 0000000000..6e63ec91dd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_2.ybn new file mode 100644 index 0000000000..c9655bcfdd Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7.ymap new file mode 100644 index 0000000000..9aeb9043c3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7_0.ybn new file mode 100644 index 0000000000..f21ec476c0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7_1.ybn new file mode 100644 index 0000000000..92c701b8ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod.ymap new file mode 100644 index 0000000000..a1d5d5c6f0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_0.ydd new file mode 100644 index 0000000000..f6f248f4e5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_1.ydd new file mode 100644 index 0000000000..40d77d9fd6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_2.ydd new file mode 100644 index 0000000000..bee152092a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod1_children_0.ydd new file mode 100644 index 0000000000..367125c2ab Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod2.ymap new file mode 100644 index 0000000000..3b40a0a434 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod2_children.ydd new file mode 100644 index 0000000000..1cfc2830ec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_g_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0.ymap new file mode 100644 index 0000000000..4695f90707 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0_0.ybn new file mode 100644 index 0000000000..8dd6d930ff Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0_1.ybn new file mode 100644 index 0000000000..f724bac36b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1.ymap new file mode 100644 index 0000000000..3909f1e182 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_0.ybn new file mode 100644 index 0000000000..fd3d894e38 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_1.ybn new file mode 100644 index 0000000000..4894159a47 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_2.ybn new file mode 100644 index 0000000000..241b4ab2ca Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_1_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2.ymap new file mode 100644 index 0000000000..5fdc41c4f0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_0.ybn new file mode 100644 index 0000000000..0036a0b41e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_1.ybn new file mode 100644 index 0000000000..b107a2ca14 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_2.ybn new file mode 100644 index 0000000000..bed04f61f3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3.ymap new file mode 100644 index 0000000000..4d6ae3f30f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_0.ybn new file mode 100644 index 0000000000..a692959fd9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_1.ybn new file mode 100644 index 0000000000..4289a6712f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_2.ybn new file mode 100644 index 0000000000..8589e0dd0d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4.ymap new file mode 100644 index 0000000000..4ddaa3f5d7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4_0.ybn new file mode 100644 index 0000000000..a196975ee2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4_1.ybn new file mode 100644 index 0000000000..159bde1a1c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5.ymap new file mode 100644 index 0000000000..3e77332099 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5_0.ybn new file mode 100644 index 0000000000..f70b874230 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5_1.ybn new file mode 100644 index 0000000000..42c101832e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6.ymap new file mode 100644 index 0000000000..039db1edcf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6_0.ybn new file mode 100644 index 0000000000..5af07b46cc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6_1.ybn new file mode 100644 index 0000000000..9a2d999fe3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7.ymap new file mode 100644 index 0000000000..56be625133 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_0.ybn new file mode 100644 index 0000000000..6d82be946b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_1.ybn new file mode 100644 index 0000000000..f8ff9b801b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_2.ybn new file mode 100644 index 0000000000..9f50a864d0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_7_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8.ymap new file mode 100644 index 0000000000..b4d9041415 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8_0.ybn new file mode 100644 index 0000000000..fef936508b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8_1.ybn new file mode 100644 index 0000000000..58ed274c77 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_8_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod.ymap new file mode 100644 index 0000000000..c5ce71f9a1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_0.ydd new file mode 100644 index 0000000000..91c84c6ee7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_1.ydd new file mode 100644 index 0000000000..8adb50dc6c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_2.ydd new file mode 100644 index 0000000000..723afb1e9d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod1_children_0.ydd new file mode 100644 index 0000000000..3b9d2eba2b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod2.ymap new file mode 100644 index 0000000000..8ce7824e3d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod2_children.ydd new file mode 100644 index 0000000000..498dd865fa Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_h_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_0.ybn new file mode 100644 index 0000000000..a134f32ac5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_0.ymap new file mode 100644 index 0000000000..0eeec0cdfe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_1.ybn new file mode 100644 index 0000000000..75ac118a9a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_1.ymap new file mode 100644 index 0000000000..ea6acb2bb5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2.ymap new file mode 100644 index 0000000000..08db9198b1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2_0.ybn new file mode 100644 index 0000000000..bb3ba8511e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2_1.ybn new file mode 100644 index 0000000000..96f53458df Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3.ymap new file mode 100644 index 0000000000..41176db79b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_0.ybn new file mode 100644 index 0000000000..27db26f5ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_1.ybn new file mode 100644 index 0000000000..8b7f9d9b04 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_2.ybn new file mode 100644 index 0000000000..f987acda86 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_3_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4.ymap new file mode 100644 index 0000000000..4ea50a8265 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_0.ybn new file mode 100644 index 0000000000..89e4deba42 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_1.ybn new file mode 100644 index 0000000000..5bec380643 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_2.ybn new file mode 100644 index 0000000000..24c4b2c2a2 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_4_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5.ymap new file mode 100644 index 0000000000..6116b0468b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_0.ybn new file mode 100644 index 0000000000..c518b331f5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_1.ybn new file mode 100644 index 0000000000..99c98a2a3e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_2.ybn new file mode 100644 index 0000000000..6d5c3147c3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6.ymap new file mode 100644 index 0000000000..7611d73020 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_0.ybn new file mode 100644 index 0000000000..80452c7fd6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_1.ybn new file mode 100644 index 0000000000..958a20933d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_2.ybn new file mode 100644 index 0000000000..608d648b6e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod.ymap new file mode 100644 index 0000000000..dd9211732e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod_children_0.ydd new file mode 100644 index 0000000000..6f5b43cb9c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod_children_1.ydd new file mode 100644 index 0000000000..88023465a3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod1_children_0.ydd new file mode 100644 index 0000000000..1d2f6fcf26 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod2.ymap new file mode 100644 index 0000000000..c389f378c9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod2_children.ydd new file mode 100644 index 0000000000..7f54131e98 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_i_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0.ymap new file mode 100644 index 0000000000..bcbba86401 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0_0.ybn new file mode 100644 index 0000000000..a385c396c0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0_1.ybn new file mode 100644 index 0000000000..5b0de1213b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1.ymap new file mode 100644 index 0000000000..8d9aa01cdf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1_0.ybn new file mode 100644 index 0000000000..45b6eada86 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1_1.ybn new file mode 100644 index 0000000000..98268204d5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2.ymap new file mode 100644 index 0000000000..8c901ba664 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_0.ybn new file mode 100644 index 0000000000..eb85bb085d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_1.ybn new file mode 100644 index 0000000000..47b03b1908 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_2.ybn new file mode 100644 index 0000000000..b34cb63ba9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_2_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3.ymap new file mode 100644 index 0000000000..742d90333e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3_0.ybn new file mode 100644 index 0000000000..b79654f5c6 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3_1.ybn new file mode 100644 index 0000000000..df9f9632f9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4.ymap new file mode 100644 index 0000000000..f04e546548 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4_0.ybn new file mode 100644 index 0000000000..4f386819fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4_1.ybn new file mode 100644 index 0000000000..8fd241f459 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5.ymap new file mode 100644 index 0000000000..624850b24b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_0.ybn new file mode 100644 index 0000000000..9b0d93ee0d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_1.ybn new file mode 100644 index 0000000000..f490acb56b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_2.ybn new file mode 100644 index 0000000000..c645b85771 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6.ymap new file mode 100644 index 0000000000..010f7a8991 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_0.ybn new file mode 100644 index 0000000000..6142ed22a7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_1.ybn new file mode 100644 index 0000000000..fa49c8ea63 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_2.ybn new file mode 100644 index 0000000000..660df055e3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_6_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod.ymap new file mode 100644 index 0000000000..4336b44282 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_0.ydd new file mode 100644 index 0000000000..85b271f65e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_1.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_1.ydd new file mode 100644 index 0000000000..32e6883a07 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_1.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_2.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_2.ydd new file mode 100644 index 0000000000..2462fff334 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_lod_children_2.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod1_children_0.ydd new file mode 100644 index 0000000000..5e4d6e878b Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod2.ymap new file mode 100644 index 0000000000..51fb3f6d83 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod2_children.ydd new file mode 100644 index 0000000000..6c9b727704 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_j_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0.ymap new file mode 100644 index 0000000000..06299e3763 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0_0.ybn new file mode 100644 index 0000000000..fef2ba8510 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0_1.ybn new file mode 100644 index 0000000000..10c52786a4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_0_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1.ymap new file mode 100644 index 0000000000..5751d70283 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1_0.ybn new file mode 100644 index 0000000000..bd6b204e31 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1_1.ybn new file mode 100644 index 0000000000..26a2fb362f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_1_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_2.ybn new file mode 100644 index 0000000000..85f17d53b0 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_2.ymap new file mode 100644 index 0000000000..b42d45e420 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3.ymap new file mode 100644 index 0000000000..bb03a3df99 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3_0.ybn new file mode 100644 index 0000000000..3bece281cf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3_1.ybn new file mode 100644 index 0000000000..6c51c466a5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_3_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4.ymap new file mode 100644 index 0000000000..f9eec438b9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4_0.ybn new file mode 100644 index 0000000000..56f0c72baf Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4_1.ybn new file mode 100644 index 0000000000..f58e3234c4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_4_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5.ymap new file mode 100644 index 0000000000..8c5f27e0a1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_0.ybn new file mode 100644 index 0000000000..2788c7aa17 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_1.ybn new file mode 100644 index 0000000000..f2f318dff3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_1.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_2.ybn new file mode 100644 index 0000000000..5f0e379bea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_5_2.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_lod.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_lod.ymap new file mode 100644 index 0000000000..c56ab80611 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_lod.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_lod_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_lod_children_0.ydd new file mode 100644 index 0000000000..c7a219d613 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_lod_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod1_children_0.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod1_children_0.ydd new file mode 100644 index 0000000000..a850e3d99d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod1_children_0.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod2.ymap b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod2.ymap new file mode 100644 index 0000000000..86195bb1fc Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod2.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod2_children.ydd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod2_children.ydd new file mode 100644 index 0000000000..a7d3cdc8e7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_k_slod2_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_lod.ytd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_lod.ytd new file mode 100644 index 0000000000..eb35820bed Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_lod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_slod.ytd b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_slod.ytd new file mode 100644 index 0000000000..6bb22b979d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_slod.ytd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_slod.ytyp b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_slod.ytyp new file mode 100644 index 0000000000..29af2fa45c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/vremastered_slod.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_0.ybn deleted file mode 100644 index 873bf6611b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_1.ybn deleted file mode 100644 index 33ec50ff7f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_2.ybn deleted file mode 100644 index 5581cb1ba1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_1_0.ybn deleted file mode 100644 index ca38bd1093..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_1_1.ybn deleted file mode 100644 index 5d2664a7bd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_0.ybn deleted file mode 100644 index 42d8517483..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_1.ybn deleted file mode 100644 index 4fa994348b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_2.ybn deleted file mode 100644 index df7cad200f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_3.ybn deleted file mode 100644 index 269acfe4d4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_0.ybn deleted file mode 100644 index e3ec622ff7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_1.ybn deleted file mode 100644 index 151bf5e1a9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_2.ybn deleted file mode 100644 index 47967362b7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_0.ybn deleted file mode 100644 index 644fa6ab3b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_1.ybn deleted file mode 100644 index 830e246845..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_2.ybn deleted file mode 100644 index 3fb52e7efd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_3.ybn deleted file mode 100644 index dbfc6f9772..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_4.ybn deleted file mode 100644 index 3ce25fdd8a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_5_0.ybn deleted file mode 100644 index bb3d249004..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_5_1.ybn deleted file mode 100644 index 47efee1da6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_0.ybn deleted file mode 100644 index 6508475819..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_1.ybn deleted file mode 100644 index 60fca4074d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_2.ybn deleted file mode 100644 index 2ca6e218ff..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_0.ybn deleted file mode 100644 index 1147390f0a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_1.ybn deleted file mode 100644 index 1ad67ca4e6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_2.ybn deleted file mode 100644 index 9db809e026..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_3.ybn deleted file mode 100644 index 2d1514002c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_4.ybn deleted file mode 100644 index a33e08d2f0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_7_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_8_0.ybn deleted file mode 100644 index cb785036a7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_8_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_8_1.ybn deleted file mode 100644 index e5701d8afc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_a_8_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_0_0.ybn deleted file mode 100644 index 98e60435f4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_0_1.ybn deleted file mode 100644 index 73356ba4ba..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_0.ybn deleted file mode 100644 index 3e8f196766..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_1.ybn deleted file mode 100644 index d4349ed21c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_2.ybn deleted file mode 100644 index 739e11fa7c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_3.ybn deleted file mode 100644 index c001a98c12..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_0.ybn deleted file mode 100644 index a16ab7c612..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_1.ybn deleted file mode 100644 index 9b7f6420ce..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_2.ybn deleted file mode 100644 index ecd80a2ce1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_3.ybn deleted file mode 100644 index b7d7409d8e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_4.ybn deleted file mode 100644 index 2c160d2a60..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_0.ybn deleted file mode 100644 index 77e4a0fd1a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_1.ybn deleted file mode 100644 index 41693dec94..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_2.ybn deleted file mode 100644 index 8b08ca2be7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_0.ybn deleted file mode 100644 index d8bff479d4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_1.ybn deleted file mode 100644 index 165a5b1bed..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_2.ybn deleted file mode 100644 index 4766e8997e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_3.ybn deleted file mode 100644 index 3664323d72..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_b_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_00_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_00_0.ybn deleted file mode 100644 index bbd05b9244..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_00_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_00_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_00_1.ybn deleted file mode 100644 index 3a7358fd0b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_00_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_01_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_01_0.ybn deleted file mode 100644 index 1c50051540..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_01_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_01_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_01_1.ybn deleted file mode 100644 index 1e82500b93..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_01_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_0.ybn deleted file mode 100644 index 129d3ea370..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_1.ybn deleted file mode 100644 index d84442b5c9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_2.ybn deleted file mode 100644 index b298c8ce73..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_02_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_0.ybn deleted file mode 100644 index 105a9fd22a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_1.ybn deleted file mode 100644 index f09aebabf8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_2.ybn deleted file mode 100644 index c2738fd2c7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_03_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_04_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_04_0.ybn deleted file mode 100644 index 339d84f992..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_04_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_04_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_04_1.ybn deleted file mode 100644 index 82a391db61..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_04_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_05_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_05_0.ybn deleted file mode 100644 index 2b296d6199..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_05_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_05_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_05_1.ybn deleted file mode 100644 index bcf1e5e4b4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_05_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_0.ybn deleted file mode 100644 index 97f5b34aa6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_1.ybn deleted file mode 100644 index 044558ec36..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_2.ybn deleted file mode 100644 index 12f76baa0b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_06_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_07_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_07_0.ybn deleted file mode 100644 index cc576e14a6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_07_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_07_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_07_1.ybn deleted file mode 100644 index a568d4a2f0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_07_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_0.ybn deleted file mode 100644 index f67033f23b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_1.ybn deleted file mode 100644 index 40d0f35993..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_2.ybn deleted file mode 100644 index 7ad785198e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_08_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_09.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_09.ybn deleted file mode 100644 index a2f40efba1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_09.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_10_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_10_0.ybn deleted file mode 100644 index 15dc5adebc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_10_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_10_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_10_1.ybn deleted file mode 100644 index df559cc197..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_10_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_11.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_11.ybn deleted file mode 100644 index a790401965..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_11.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_12_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_12_0.ybn deleted file mode 100644 index e355183282..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_12_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_12_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_12_1.ybn deleted file mode 100644 index a80e8a1eea..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_c_12_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_0.ybn deleted file mode 100644 index caa260ec30..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_1.ybn deleted file mode 100644 index 543c1b183b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_2.ybn deleted file mode 100644 index ddcbfb3837..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_3.ybn deleted file mode 100644 index e641fa9e0b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_4.ybn deleted file mode 100644 index e794c3e535..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_5.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_5.ybn deleted file mode 100644 index d110368dad..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_00_5.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_02_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_02_0.ybn deleted file mode 100644 index 8f40b12214..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_02_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_02_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_02_1.ybn deleted file mode 100644 index 1a2b1166cb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_02_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_03_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_03_0.ybn deleted file mode 100644 index 484a7cc41f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_03_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_03_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_03_1.ybn deleted file mode 100644 index e93c30a746..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_03_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_0.ybn deleted file mode 100644 index ed1469caa0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_1.ybn deleted file mode 100644 index 80fbfdf5fd..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_2.ybn deleted file mode 100644 index 68e6d66655..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_3.ybn deleted file mode 100644 index c0e06cb61f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_06_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_07.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_07.ybn deleted file mode 100644 index ec8785eb43..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_07.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_09_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_09_0.ybn deleted file mode 100644 index 5aa27eb695..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_09_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_09_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_09_1.ybn deleted file mode 100644 index 2436bf08e1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_d_09_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_0.ybn deleted file mode 100644 index 164ee6697f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_1.ybn deleted file mode 100644 index 4a95fde7d2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_2.ybn deleted file mode 100644 index 9e7d80fb6a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_3.ybn deleted file mode 100644 index 84b65486de..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_4.ybn deleted file mode 100644 index a53a677ee1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_0_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_1_0.ybn deleted file mode 100644 index 9da03297c7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_1_1.ybn deleted file mode 100644 index 7c43bca627..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_0.ybn deleted file mode 100644 index eff830db2b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_1.ybn deleted file mode 100644 index 860e3818a1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_2.ybn deleted file mode 100644 index 1d9b165c1e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_3.ybn deleted file mode 100644 index de0a796a79..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_4.ybn deleted file mode 100644 index d1a8345809..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_2_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_0.ybn deleted file mode 100644 index d4bd1cc3fe..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_1.ybn deleted file mode 100644 index 44ff213e08..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_2.ybn deleted file mode 100644 index 266b14a72d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_3.ybn deleted file mode 100644 index eddf721429..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_4.ybn deleted file mode 100644 index 45a95ee0a3..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_3_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_0.ybn deleted file mode 100644 index 88290edd4c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_1.ybn deleted file mode 100644 index 01a7ef87ab..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_2.ybn deleted file mode 100644 index 22cadaf4c5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_3.ybn deleted file mode 100644 index acb3cd0944..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_4.ybn deleted file mode 100644 index bc1932debb..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_4_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_0.ybn deleted file mode 100644 index ad5d953417..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_1.ybn deleted file mode 100644 index 52a399badf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_2.ybn deleted file mode 100644 index 44a563fe74..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_0.ybn deleted file mode 100644 index 2e92bf5577..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_1.ybn deleted file mode 100644 index 1f682b5d31..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_2.ybn deleted file mode 100644 index 4e493248e8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_0.ybn deleted file mode 100644 index 5e7da4240d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_1.ybn deleted file mode 100644 index bdf93dd02f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_2.ybn deleted file mode 100644 index e1d6553bb9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_3.ybn deleted file mode 100644 index a5eeca759c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_7_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_0.ybn deleted file mode 100644 index 67b7a99c2e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_1.ybn deleted file mode 100644 index 190e77b8e7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_2.ybn deleted file mode 100644 index 33df86393b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_3.ybn deleted file mode 100644 index f77783edac..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_4.ybn deleted file mode 100644 index f7235623e9..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_e_8_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_0.ybn deleted file mode 100644 index 5b83a0ee1f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_1.ybn deleted file mode 100644 index 1627ff1f14..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_2.ybn deleted file mode 100644 index 1f70284d36..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_1_0.ybn deleted file mode 100644 index 85c5b5d0d0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_1_1.ybn deleted file mode 100644 index abf8896160..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_2.ybn deleted file mode 100644 index 257c385b32..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_3.ybn deleted file mode 100644 index aa7609b6b2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_0.ybn deleted file mode 100644 index ef123e4180..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_1.ybn deleted file mode 100644 index a0919e1f35..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_2.ybn deleted file mode 100644 index 49d1ebd078..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_3.ybn deleted file mode 100644 index 966be89bbf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_f_4_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_0.ybn deleted file mode 100644 index e5cd2c656e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_1.ybn deleted file mode 100644 index 6d39fe452d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_2.ybn deleted file mode 100644 index 9b9fcdc05e..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_0.ybn deleted file mode 100644 index 7cd5999cf1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_1.ybn deleted file mode 100644 index 961a8be2a1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_2.ybn deleted file mode 100644 index fc5eeaa25b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_3.ybn deleted file mode 100644 index ec70f81f48..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_0.ybn deleted file mode 100644 index 188a1919bf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_1.ybn deleted file mode 100644 index 8a4c42cfa5..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_2.ybn deleted file mode 100644 index 6e56fa25f7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_3.ybn deleted file mode 100644 index e30809a9b6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_0.ybn deleted file mode 100644 index 48c1a32f31..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_1.ybn deleted file mode 100644 index 5bc019ae13..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_2.ybn deleted file mode 100644 index 2a12307a03..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_0.ybn deleted file mode 100644 index 7d470f59f1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_1.ybn deleted file mode 100644 index 3019869a66..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_2.ybn deleted file mode 100644 index 2de2a87a3f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_0.ybn deleted file mode 100644 index 1c705a7589..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_1.ybn deleted file mode 100644 index b615df3c57..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_2.ybn deleted file mode 100644 index ba09b31055..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_3.ybn deleted file mode 100644 index e67a4176c7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_0.ybn deleted file mode 100644 index 5fa0c325b1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_1.ybn deleted file mode 100644 index 3e89606d64..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_2.ybn deleted file mode 100644 index 665fc1aa22..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_3.ybn deleted file mode 100644 index d03da370ea..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_6_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_0.ybn deleted file mode 100644 index 9622a2adcf..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_1.ybn deleted file mode 100644 index 794ecfa60b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_2.ybn deleted file mode 100644 index 4d2548a331..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_7_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_0.ybn deleted file mode 100644 index c1ba01150d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_1.ybn deleted file mode 100644 index 151194caa8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_2.ybn deleted file mode 100644 index d3d08d81e4..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_3.ybn deleted file mode 100644 index 688f3f8ce1..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_g_8_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_0_0.ybn deleted file mode 100644 index ea3276850a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_0_1.ybn deleted file mode 100644 index 8231c8e127..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_0.ybn deleted file mode 100644 index 02727b73c7..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_1.ybn deleted file mode 100644 index 5b93a4079d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_2.ybn deleted file mode 100644 index d8e88ca845..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_2.ybn deleted file mode 100644 index edaa6105ff..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_3_0.ybn deleted file mode 100644 index 3c17045d28..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_3_1.ybn deleted file mode 100644 index d74d522143..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_4.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_4.ybn deleted file mode 100644 index f9785295bc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_4.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_5_0.ybn deleted file mode 100644 index 91f1dcd564..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_5_1.ybn deleted file mode 100644 index d27cd65302..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_6_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_6_0.ybn deleted file mode 100644 index d8425a5e7f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_6_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_6_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_6_1.ybn deleted file mode 100644 index 8f0297d97a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_h_6_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_0.ybn deleted file mode 100644 index 45c6ace90c..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_1.ybn deleted file mode 100644 index cb0be297f8..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_2.ybn deleted file mode 100644 index f6083fbfec..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_0_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_0.ybn deleted file mode 100644 index 72bbfea646..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_1.ybn deleted file mode 100644 index ce03e0712f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_2.ybn deleted file mode 100644 index 4115fa1ee6..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_3.ybn deleted file mode 100644 index 5360092141..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_1_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_0.ybn deleted file mode 100644 index 2096a4e818..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_1.ybn deleted file mode 100644 index 454fe4dc49..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_2.ybn deleted file mode 100644 index f79bb89d78..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_3.ybn deleted file mode 100644 index bcd1fffc3b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_2_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_0.ybn deleted file mode 100644 index 5b69a8440a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_1.ybn deleted file mode 100644 index 8edaae9c5d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_2.ybn deleted file mode 100644 index 2c63ac120b..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_3.ybn deleted file mode 100644 index 1e7c9bb0dc..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_3_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_0.ybn deleted file mode 100644 index 045a11dd49..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_1.ybn deleted file mode 100644 index fb34bed8de..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_2.ybn deleted file mode 100644 index 9e4d713ad0..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_4_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_0.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_0.ybn deleted file mode 100644 index 19a31d3aee..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_0.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_1.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_1.ybn deleted file mode 100644 index 009615291f..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_1.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_2.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_2.ybn deleted file mode 100644 index d49e8e99ef..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_2.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_3.ybn b/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_3.ybn deleted file mode 100644 index 2b5ca7f438..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-southforest/stream/ybn/hi@vremastered_i_5_3.ybn and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump.ydr b/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump.ydr index 08bbc5b997..cfdf8e3798 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump.ydr and b/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump_sign.ydr b/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump_sign.ydr index 334b2094c1..688e2fe4c1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump_sign.ydr and b/resources/[mapping]/[mapping-prod]/soz-speedbump/stream/soz_speedbump_sign.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-stonkdep/fxmanifest.lua index 1f3d90c014..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-stonkdep/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-stonkdep/fxmanifest.lua @@ -1,9 +1,3 @@ fx_version 'cerulean' game 'gta5' this_is_a_map 'yes' - -files { - "interiorproxies.meta" -} - -data_file 'INTERIOR_PROXY_ORDER_FILE' 'interiorproxies.meta' diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/_manifest.ymf deleted file mode 100644 index 42a7e2d39d..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/_manifest.ymf and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/_manifestSTONK.ymf b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/_manifestSTONK.ymf new file mode 100644 index 0000000000..62631e339a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/_manifestSTONK.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/hei_dt1_03_0.ybn b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/hei_dt1_03_0.ybn index 88e06e5da9..de4a8e9f4b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/hei_dt1_03_0.ybn and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/hei_dt1_03_0.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/union_col.ybn b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/union_col.ybn index ad2e3a0171..aa89db85be 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/union_col.ybn and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ybn/union_col.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/dt1_03_build2.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/dt1_03_build2.ydr index 3249b705f4..0dbaf70ba2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/dt1_03_build2.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/dt1_03_build2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad1.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad1.ydr index 2149dbd4f3..5ce0b1dff2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad1.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad2.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad2.ydr index 372c53ef00..590098e1a4 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad2.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad2.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad23.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad23.ydr index 5716d6e910..4b34f25d29 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad23.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad23.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad3.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad3.ydr index af22942cb3..5cb42851c2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad3.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_ad3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_adarm.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_adarm.ydr index 64d68f9cd0..4df40f4438 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_adarm.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_adarm.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash.ydr index 898a059e53..de56998c01 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash1.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash1.ydr index 3efa9eb255..c67edf0e30 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash1.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_cash1.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_depglass.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_depglass.ydr index 10e5fe7a9a..931ccd87de 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_depglass.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_depglass.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_elev.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_elev.ydr index 58dd2e362a..e473e73191 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_elev.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_elev.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_korlamp.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_korlamp.ydr index 13d14c0ed0..b1a581d38b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_korlamp.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_korlamp.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_kuchlamp.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_kuchlamp.ydr index bb3da61300..d687de46ba 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_kuchlamp.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_kuchlamp.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_lampd.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_lampd.ydr index 1a356aca17..5aadc94d2b 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_lampd.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_lampd.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_maindor.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_maindor.ydr index 02b3944574..0e7e80f8be 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_maindor.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_maindor.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_mainlamp.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_mainlamp.ydr index 303915eb42..d29f71e9c1 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_mainlamp.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_mainlamp.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_odoor.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_odoor.ydr index e1249a6cb5..faef8c5891 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_odoor.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_odoor.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_recpglass.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_recpglass.ydr index 1950bf3d2d..41cf586ad2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_recpglass.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_recpglass.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_respmon.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_respmon.ydr index b39842663b..d4157955b2 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_respmon.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_respmon.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_servresh.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_servresh.ydr index eb94c80929..87deb2fad0 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_servresh.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_servresh.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_steelcash.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_steelcash.ydr index 562eda6181..636449621e 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_steelcash.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_steelcash.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_turnstyle.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_turnstyle.ydr index 81e36226ac..0534935eb6 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_turnstyle.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_turnstyle.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_vaultdoor.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_vaultdoor.ydr index e63aeea356..3857af63d6 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_vaultdoor.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/u_vaultdoor.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/union_logo.ydr b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/union_logo.ydr index 90f1d8130a..4f7d191b0c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/union_logo.ydr and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ydr/union_logo.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ytyp/union.ytyp b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ytyp/union.ytyp index cd60f05691..b3b94e7185 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ytyp/union.ytyp and b/resources/[mapping]/[mapping-prod]/soz-stonkdep/stream/ytyp/union.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/audio/v_ranch_game.dat151.rel b/resources/[mapping]/[mapping-prod]/soz-vigneron/audio/v_ranch_game.dat151.rel deleted file mode 100644 index 67d5806fd2..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/audio/v_ranch_game.dat151.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/audio/v_ranch_mix.dat15.rel b/resources/[mapping]/[mapping-prod]/soz-vigneron/audio/v_ranch_mix.dat15.rel deleted file mode 100644 index e8d28f4e0a..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/audio/v_ranch_mix.dat15.rel and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-vigneron/fxmanifest.lua index 4496547375..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-vigneron/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-vigneron/fxmanifest.lua @@ -1,11 +1,3 @@ -fx_version 'bodacious' -games { 'gta5' } +fx_version 'cerulean' +game 'gta5' this_is_a_map 'yes' - -files { - "audio/v_ranch_game.dat151.rel", - "audio/v_ranch_mix.dat15.rel", -} - -data_file 'AUDIO_GAMEDATA' 'audio/v_ranch_game.dat' -data_file 'AUDIO_DYNAMIXDATA' 'audio/v_ranch_mix.dat' diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/3499865574.ymt b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/3499865574.ymt deleted file mode 100644 index 22c8a1bc01..0000000000 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/3499865574.ymt and /dev/null differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/_manifest.ymf index abbaab74ec..dee978d80d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/_manifest.ymf and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/ch1_09b_12.ybn b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/ch1_09b_12.ybn index 76263a3e51..ea5902e58c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/ch1_09b_12.ybn and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/ch1_09b_12.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/soz_cm_wall.ydr b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/soz_cm_wall.ydr index 9e8d3aca7b..764a4c478d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/soz_cm_wall.ydr and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/soz_cm_wall.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_deta.ydr b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_deta.ydr index fff25b73d9..1d0d75e121 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_deta.ydr and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_deta.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_dyn.ydr b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_dyn.ydr index 30a0144046..f87efeda11 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_dyn.ydr and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_56_dining_dyn.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_int_56.ytyp b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_int_56.ytyp index fc0ddf8232..06ef38855c 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_int_56.ytyp and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_int_56.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_ranch.ybn b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_ranch.ybn index a8a0167d9f..06b95e8d2d 100644 Binary files a/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_ranch.ybn and b/resources/[mapping]/[mapping-prod]/soz-vigneron/stream/v_ranch.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-zerawood/fxmanifest.lua new file mode 100644 index 0000000000..6d88659951 --- /dev/null +++ b/resources/[mapping]/[mapping-prod]/soz-zerawood/fxmanifest.lua @@ -0,0 +1,3 @@ +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/_manifest.ymf b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/_manifest.ymf new file mode 100644 index 0000000000..40f18aefbe Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/_manifest.ymf differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/apa_ch2_03_long_5.ymap b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/apa_ch2_03_long_5.ymap new file mode 100644 index 0000000000..d4fe5ec67f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/apa_ch2_03_long_5.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/apa_ch2_03_strm_0.ymap b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/apa_ch2_03_strm_0.ymap new file mode 100644 index 0000000000..86ced4315f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/apa_ch2_03_strm_0.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_7.ybn b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_7.ybn new file mode 100644 index 0000000000..9fb89b2c74 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_7.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_emis_sign_slod.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_emis_sign_slod.ydr new file mode 100644 index 0000000000..345bb161c8 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_emis_sign_slod.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_emis_sign_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_emis_sign_slod_children.ydd new file mode 100644 index 0000000000..b25fa8e200 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_emis_sign_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign.ydr new file mode 100644 index 0000000000..0164b7b718 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign_lod.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign_lod.ydr new file mode 100644 index 0000000000..f27e8cd275 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign_lod.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign_slod_children.ydd b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign_slod_children.ydd new file mode 100644 index 0000000000..3dc95c2947 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_sign_slod_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signdcal.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signdcal.ydr new file mode 100644 index 0000000000..74c39077c9 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signdcal.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge01.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge01.ydr new file mode 100644 index 0000000000..4d447d1f45 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge01.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge06.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge06.ydr new file mode 100644 index 0000000000..1d3980c632 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge06.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge07.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge07.ydr new file mode 100644 index 0000000000..f13530c67e Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge07.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge08.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge08.ydr new file mode 100644 index 0000000000..05fce20a45 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signedge08.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins05.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins05.ydr new file mode 100644 index 0000000000..efd9aefee3 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins05.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins07.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins07.ydr new file mode 100644 index 0000000000..7cd5531b8c Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins07.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins08.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins08.ydr new file mode 100644 index 0000000000..4727109323 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signjoins08.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure.ydr new file mode 100644 index 0000000000..e95741443a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b.ydr new file mode 100644 index 0000000000..1c9c07e015 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b6.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b6.ydr new file mode 100644 index 0000000000..d4f8994651 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b6.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b7.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b7.ydr new file mode 100644 index 0000000000..63aef5b5e4 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b7.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b8.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b8.ydr new file mode 100644 index 0000000000..fc3e2400f1 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_signstructure_b8.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_vsignlite.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_vsignlite.ydr new file mode 100644 index 0000000000..9f581283ea Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_03_vsignlite.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_s2b_children.ydd b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_s2b_children.ydd new file mode 100644 index 0000000000..ccb33205d7 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_s2b_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_slod3.ydr b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_slod3.ydr new file mode 100644 index 0000000000..dc2742d418 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_slod3.ydr differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_slod3_children.ydd b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_slod3_children.ydd new file mode 100644 index 0000000000..d082602cf5 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/ch2_lod3_slod3_children.ydd differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/hi@ch2_03_7.ybn b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/hi@ch2_03_7.ybn new file mode 100644 index 0000000000..661244bfef Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/hi@ch2_03_7.ybn differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/soz_zerawood.ymap b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/soz_zerawood.ymap new file mode 100644 index 0000000000..f1929e9aec Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/soz_zerawood.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/soz_zerawood.ytyp b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/soz_zerawood.ytyp new file mode 100644 index 0000000000..5c164e6f0f Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/soz_zerawood.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/vw_lodlights_medium023.ymap b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/vw_lodlights_medium023.ymap new file mode 100644 index 0000000000..0f0aec035d Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/vw_lodlights_medium023.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/zerawood.ymap b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/zerawood.ymap new file mode 100644 index 0000000000..351529db0a Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/zerawood.ymap differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/zerawood.ytyp b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/zerawood.ytyp new file mode 100644 index 0000000000..66f07fbe22 Binary files /dev/null and b/resources/[mapping]/[mapping-prod]/soz-zerawood/stream/zerawood.ytyp differ diff --git a/resources/[mapping]/[mapping-prod]/soz-zkea/fxmanifest.lua b/resources/[mapping]/[mapping-prod]/soz-zkea/fxmanifest.lua index 30e9c2adaf..6d88659951 100644 --- a/resources/[mapping]/[mapping-prod]/soz-zkea/fxmanifest.lua +++ b/resources/[mapping]/[mapping-prod]/soz-zkea/fxmanifest.lua @@ -1,3 +1,3 @@ -fx_version 'bodacious' -games { 'gta5' } -this_is_a_map 'yes' \ No newline at end of file +fx_version 'cerulean' +game 'gta5' +this_is_a_map 'yes' diff --git a/resources/[props]/soz-props-fishingrod/fxmanifest.lua b/resources/[props]/soz-props-fishingrod/fxmanifest.lua new file mode 100644 index 0000000000..b80b6b77cd --- /dev/null +++ b/resources/[props]/soz-props-fishingrod/fxmanifest.lua @@ -0,0 +1,4 @@ +fx_version "cerulean" +game "gta5" + +data_file 'DLC_ITYP_REQUEST' 'stream/soz_prop_fishing_rod.ytyp' diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod.ytd b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod.ytd new file mode 100644 index 0000000000..f649bd5773 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod.ytd differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod.ytyp b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod.ytyp new file mode 100644 index 0000000000..acc7eae0f5 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod.ytyp differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_01.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_01.ydr new file mode 100644 index 0000000000..0edbac15c3 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_01.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_02.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_02.ydr new file mode 100644 index 0000000000..55939b2632 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_02.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_03.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_03.ydr new file mode 100644 index 0000000000..07c7e6aa80 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_03.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_04.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_04.ydr new file mode 100644 index 0000000000..634a452e75 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_04.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_05.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_05.ydr new file mode 100644 index 0000000000..b43bd4da69 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_05.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_06.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_06.ydr new file mode 100644 index 0000000000..db3efce87e Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_06.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_07.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_07.ydr new file mode 100644 index 0000000000..7e484c5011 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_07.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_08.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_08.ydr new file mode 100644 index 0000000000..e6e3ace664 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_08.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_09.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_09.ydr new file mode 100644 index 0000000000..7137c27234 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_09.ydr differ diff --git a/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_10.ydr b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_10.ydr new file mode 100644 index 0000000000..ecfc454702 Binary files /dev/null and b/resources/[props]/soz-props-fishingrod/stream/soz_prop_fishing_rod_10.ydr differ diff --git a/resources/[props]/soz-props-food/fxmanifest.lua b/resources/[props]/soz-props-food/fxmanifest.lua new file mode 100644 index 0000000000..9e58000af9 --- /dev/null +++ b/resources/[props]/soz-props-food/fxmanifest.lua @@ -0,0 +1,4 @@ +fx_version "cerulean" +game "gta5" + +data_file 'DLC_ITYP_REQUEST' 'stream/soz_food.ytyp' diff --git a/resources/[props]/soz-props-food/stream/soz_food.ytyp b/resources/[props]/soz-props-food/stream/soz_food.ytyp new file mode 100644 index 0000000000..5513f56ce2 Binary files /dev/null and b/resources/[props]/soz-props-food/stream/soz_food.ytyp differ diff --git a/resources/[props]/soz-props-food/stream/soz_prop_food_cheese.ydr b/resources/[props]/soz-props-food/stream/soz_prop_food_cheese.ydr new file mode 100644 index 0000000000..bb1680616b Binary files /dev/null and b/resources/[props]/soz-props-food/stream/soz_prop_food_cheese.ydr differ diff --git a/resources/[props]/soz-props-food/stream/soz_prop_food_sausage.ydr b/resources/[props]/soz-props-food/stream/soz_prop_food_sausage.ydr new file mode 100644 index 0000000000..4fe604eb58 Binary files /dev/null and b/resources/[props]/soz-props-food/stream/soz_prop_food_sausage.ydr differ diff --git a/resources/[props]/soz-props-nothappy/fxmanifest.lua b/resources/[props]/soz-props-nothappy/fxmanifest.lua new file mode 100644 index 0000000000..ad66d30c1c --- /dev/null +++ b/resources/[props]/soz-props-nothappy/fxmanifest.lua @@ -0,0 +1,4 @@ +fx_version "cerulean" +game "gta5" + +data_file 'DLC_ITYP_REQUEST' 'stream/prop_cs_protest_sign_nothappy.ytyp' diff --git a/resources/[props]/soz-props-nothappy/stream/prop_cs_protest_sign_nothappy.ydr b/resources/[props]/soz-props-nothappy/stream/prop_cs_protest_sign_nothappy.ydr new file mode 100644 index 0000000000..3f1cb60abb Binary files /dev/null and b/resources/[props]/soz-props-nothappy/stream/prop_cs_protest_sign_nothappy.ydr differ diff --git a/resources/[props]/soz-props-nothappy/stream/prop_cs_protest_sign_nothappy.ytyp b/resources/[props]/soz-props-nothappy/stream/prop_cs_protest_sign_nothappy.ytyp new file mode 100644 index 0000000000..8f937a2c26 Binary files /dev/null and b/resources/[props]/soz-props-nothappy/stream/prop_cs_protest_sign_nothappy.ytyp differ diff --git a/resources/[props]/soz-props-upw/fxmanifest.lua b/resources/[props]/soz-props-upw/fxmanifest.lua index 955a230403..6f3d0990ee 100644 --- a/resources/[props]/soz-props-upw/fxmanifest.lua +++ b/resources/[props]/soz-props-upw/fxmanifest.lua @@ -2,3 +2,5 @@ fx_version "cerulean" game "gta5" data_file 'DLC_ITYP_REQUEST' 'stream/sozupwpile.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/upwcarcharger.ytyp' +data_file 'DLC_ITYP_REQUEST' 'stream/car_charger_plug.ytyp' \ No newline at end of file diff --git a/resources/[props]/soz-props-upw/stream/car_charger_plug.ydr b/resources/[props]/soz-props-upw/stream/car_charger_plug.ydr new file mode 100644 index 0000000000..a64f706388 Binary files /dev/null and b/resources/[props]/soz-props-upw/stream/car_charger_plug.ydr differ diff --git a/resources/[props]/soz-props-upw/stream/car_charger_plug.ytyp b/resources/[props]/soz-props-upw/stream/car_charger_plug.ytyp new file mode 100644 index 0000000000..0eb2982f69 Binary files /dev/null and b/resources/[props]/soz-props-upw/stream/car_charger_plug.ytyp differ diff --git a/resources/[props]/soz-props-upw/stream/upwcarcharger.ydr b/resources/[props]/soz-props-upw/stream/upwcarcharger.ydr new file mode 100644 index 0000000000..b295cc62e7 Binary files /dev/null and b/resources/[props]/soz-props-upw/stream/upwcarcharger.ydr differ diff --git a/resources/[props]/soz-props-upw/stream/upwcarcharger.ytyp b/resources/[props]/soz-props-upw/stream/upwcarcharger.ytyp new file mode 100644 index 0000000000..60ccf665d4 Binary files /dev/null and b/resources/[props]/soz-props-upw/stream/upwcarcharger.ytyp differ diff --git a/resources/[props]/soz-props-upw/stream/upwcarchargertex.ytd b/resources/[props]/soz-props-upw/stream/upwcarchargertex.ytd new file mode 100644 index 0000000000..26823f4252 Binary files /dev/null and b/resources/[props]/soz-props-upw/stream/upwcarchargertex.ytd differ diff --git a/resources/[props]/soz-props-upw/stream/upwpiletex.ytd b/resources/[props]/soz-props-upw/stream/upwpiletex.ytd index 96e80a32fe..003850029e 100644 Binary files a/resources/[props]/soz-props-upw/stream/upwpiletex.ytd and b/resources/[props]/soz-props-upw/stream/upwpiletex.ytd differ diff --git a/resources/[qb]/progressbar/client/main.lua b/resources/[qb]/progressbar/client/main.lua index 15ec722aa5..fd7d88adf8 100644 --- a/resources/[qb]/progressbar/client/main.lua +++ b/resources/[qb]/progressbar/client/main.lua @@ -112,16 +112,22 @@ function Process(action, start, tick, finish) end end) else - TriggerEvent("hud:client:DrawNotification", "Une action est déjà en cours !", "error") + TriggerEvent("soz-core:client:notification:draw", "Une action est déjà en cours !", "error") end else - TriggerEvent("hud:client:DrawNotification", "Vous ne pouvez réaliser cette action !", "error") + TriggerEvent("soz-core:client:notification:draw", "Vous ne pouvez réaliser cette action !", "error") end end function ActionStart() runProgThread = true - LocalPlayer.state:set("inv_busy", not Action.no_inv_busy, true) -- Busy + if not Action.no_inv_busy then + exports["soz-core"]:SetPlayerState({ + isInventoryBusy = true, + }) + exports["soz-phone"]:setPhoneVisible(false) + TriggerEvent("inventory:client:closeInventory") + end CreateThread(function() while runProgThread do if isDoingAction then @@ -223,7 +229,9 @@ end function Cancel() isDoingAction = false wasCancelled = true - LocalPlayer.state:set("inv_busy", false, true) -- Not Busy + exports["soz-core"]:SetPlayerState({ + isInventoryBusy = false, + }) ActionCleanup() SendNUIMessage({ @@ -234,7 +242,9 @@ end function Finish() isDoingAction = false ActionCleanup() - LocalPlayer.state:set("inv_busy", false, true) -- Not Busy + exports["soz-core"]:SetPlayerState({ + isInventoryBusy = false, + }) end function ActionCleanup() @@ -242,7 +252,9 @@ function ActionCleanup() if Action.animation ~= nil then if Action.animation.task ~= nil or (Action.animation.animDict ~= nil and Action.animation.anim ~= nil) then - ClearPedTasks(ped) + if Action.animation.animDict ~= "mp_player_inteat@burger" and Action.animation.animDict ~= "amb@world_human_drinking@coffee@male@idle_a" then + ClearPedTasks(ped) + end ClearPedSecondaryTask(ped) StopAnimTask(ped, Action.animDict, Action.anim, 1.0) else @@ -256,11 +268,11 @@ function ActionCleanup() playerProps = {} playerHasProp = false - if prop_net then + if prop_net and NetworkDoesNetworkIdExist(prop_net) then DetachEntity(NetToObj(prop_net), 1, 1) DeleteEntity(NetToObj(prop_net)) end - if propTwo_net then + if propTwo_net and NetworkDoesNetworkIdExist(propTwo_net) then DetachEntity(NetToObj(propTwo_net), 1, 1) DeleteEntity(NetToObj(propTwo_net)) end diff --git a/resources/[qb]/qb-core/client/events.lua b/resources/[qb]/qb-core/client/events.lua index cc39dc7e5b..072c40633d 100644 --- a/resources/[qb]/qb-core/client/events.lua +++ b/resources/[qb]/qb-core/client/events.lua @@ -1,9 +1,7 @@ -- Player load and unload handling -- New method for checking if logged in across all scripts (optional) --- if LocalPlayer.state['isLoggedIn'] then RegisterNetEvent('QBCore:Client:OnPlayerLoaded', function() ShutdownLoadingScreenNui() - LocalPlayer.state:set('isLoggedIn', true, false) if QBConfig.Server.pvp then SetCanAttackFriendly(PlayerPedId(), true, false) NetworkSetFriendlyFireOption(true) @@ -11,10 +9,6 @@ RegisterNetEvent('QBCore:Client:OnPlayerLoaded', function() SetPlayerHealthRechargeMultiplier(PlayerId(), 0) end) -RegisterNetEvent('QBCore:Client:OnPlayerUnload', function() - LocalPlayer.state:set('isLoggedIn', false, false) -end) - RegisterNetEvent('QBCore:Client:PvpHasToggled', function(pvp_state) SetCanAttackFriendly(PlayerPedId(), pvp_state, false) NetworkSetFriendlyFireOption(pvp_state) @@ -52,50 +46,6 @@ RegisterNetEvent('QBCore:Command:GoToMarker', function() end end) --- Vehicle Commands - -RegisterNetEvent('QBCore:Command:SpawnVehicle', function(vehName) - local ped = PlayerPedId() - local hash = GetHashKey(vehName) - if not IsModelInCdimage(hash) then - return - end - RequestModel(hash) - while not HasModelLoaded(hash) do - Wait(10) - end - local vehicle = CreateVehicle(hash, GetEntityCoords(ped), GetEntityHeading(ped), true, false) - TaskWarpPedIntoVehicle(ped, vehicle, -1) - SetModelAsNoLongerNeeded(hash) - TriggerEvent("vehiclekeys:client:SetOwner", QBCore.Functions.GetPlate(vehicle)) -end) - -RegisterNetEvent('QBCore:Command:VehicleVariation', function(livery) - local ped = PlayerPedId() - local veh = GetVehiclePedIsUsing(ped) - if veh ~= 0 then - SetVehicleLivery(veh, tonumber(livery)) - end -end) - -RegisterNetEvent('QBCore:Command:DeleteVehicle', function() - local ped = PlayerPedId() - local veh = GetVehiclePedIsUsing(ped) - if veh ~= 0 then - SetEntityAsMissionEntity(veh, true, true) - DeleteVehicle(veh) - else - local pcoords = GetEntityCoords(ped) - local vehicles = GetGamePool('CVehicle') - for k, v in pairs(vehicles) do - if #(pcoords - GetEntityCoords(v)) <= 5.0 then - SetEntityAsMissionEntity(v, true, true) - DeleteVehicle(v) - end - end - end -end) - -- Other stuff RegisterNetEvent('QBCore:Client:SetDuty', function() diff --git a/resources/[qb]/qb-core/client/functions.lua b/resources/[qb]/qb-core/client/functions.lua index 93c05737ae..e8327d17ca 100644 --- a/resources/[qb]/qb-core/client/functions.lua +++ b/resources/[qb]/qb-core/client/functions.lua @@ -412,547 +412,3 @@ function QBCore.Functions.GetBoneDistance(entity, Type, Bone) return #(boneCoords - playerCoords) end - --- Vehicle - -function QBCore.Functions.SpawnVehicle(model, cb, coords, isnetworked) - local model = GetHashKey(model) - local ped = PlayerPedId() - if coords then - coords = type(coords) == 'table' and vec3(coords.x, coords.y, coords.z) or coords - else - coords = GetEntityCoords(ped) - end - local isnetworked = isnetworked or true - if not IsModelInCdimage(model) then - return - end - RequestModel(model) - while not HasModelLoaded(model) do - Citizen.Wait(10) - end - local veh = CreateVehicle(model, coords.x, coords.y, coords.z, coords.w, isnetworked, false) - local netid = NetworkGetNetworkIdFromEntity(veh) - SetVehicleHasBeenOwnedByPlayer(veh, true) - SetNetworkIdCanMigrate(netid, true) - SetVehicleNeedsToBeHotwired(veh, false) - SetVehRadioStation(veh, 'OFF') - SetModelAsNoLongerNeeded(model) - if cb then - cb(veh) - end -end - -function QBCore.Functions.DeleteVehicle(vehicle) - SetEntityAsMissionEntity(vehicle, true, true) - DeleteVehicle(vehicle) -end - -function QBCore.Functions.GetPlate(vehicle) - if vehicle == 0 then return end - return QBCore.Shared.Trim(GetVehicleNumberPlateText(vehicle)) -end - -function QBCore.Functions.SpawnClear(coords, radius) - local vehicles = GetGamePool('CVehicle') - local closeVeh = {} - for i=1, #vehicles, 1 do - local vehicleCoords = GetEntityCoords(vehicles[i]) - local distance = #(vehicleCoords - coords) - if distance <= radius then - closeVeh[#closeVeh + 1] = vehicles[i] - end - end - if #closeVeh > 0 then return false end - return true -end - -function QBCore.Functions.GetVehicleProperties(vehicle) - if DoesEntityExist(vehicle) then - local pearlescentColor, wheelColor = GetVehicleExtraColours(vehicle) - - local colorPrimary, colorSecondary = GetVehicleColours(vehicle) - if GetIsVehiclePrimaryColourCustom(vehicle) then - r, g, b = GetVehicleCustomPrimaryColour(vehicle) - colorPrimary = { r, g, b } - end - - if GetIsVehicleSecondaryColourCustom(vehicle) then - r, g, b = GetVehicleCustomSecondaryColour(vehicle) - colorSecondary = { r, g, b } - end - - local extras = {} - for extraId = 0, 12 do - if DoesExtraExist(vehicle, extraId) then - local state = IsVehicleExtraTurnedOn(vehicle, extraId) == 1 - extras[tostring(extraId)] = state - end - end - - local modLivery = GetVehicleMod(vehicle, 48) - if GetVehicleMod(vehicle, 48) == -1 and GetVehicleLivery(vehicle) ~= 0 then - modLivery = GetVehicleLivery(vehicle) - end - - local neons = {} - for i = 0,3 do - neons[i] = IsVehicleNeonLightEnabled(vehicle, i) - end - - local tireHealth = {} - for i = 0, 3 do - tireHealth[i] = GetVehicleWheelHealth(vehicle, i) - end - - local tireBurstState = {} - for i = 0, 5 do - tireBurstState[i] = IsVehicleTyreBurst(vehicle, i, false) - end - - local tireBurstCompletely = {} - for i = 0, 5 do - tireBurstCompletely[i] = IsVehicleTyreBurst(vehicle, i, true) - end - - local _windowStatus = {} - for i=0, 7 do - _windowStatus[i] = IsVehicleWindowIntact(vehicle, i) == 1 - end - - local _doorStatus = {} - for i=0, 5 do - _doorStatus[i] = IsVehicleDoorDamaged(vehicle, i) == 1 - end - - local oilLevel = Entity(vehicle).state.oilLevel or GetVehicleOilLevel(vehicle) - - return { - model = GetEntityModel(vehicle), - plate = QBCore.Functions.GetPlate(vehicle), - plateIndex = GetVehicleNumberPlateTextIndex(vehicle), - bodyHealth = QBCore.Shared.Round(GetVehicleBodyHealth(vehicle), 0.1), - engineHealth = QBCore.Shared.Round(GetVehicleEngineHealth(vehicle), 0.1), - tankHealth = QBCore.Shared.Round(GetVehiclePetrolTankHealth(vehicle), 0.1), - fuelLevel = QBCore.Shared.Round(GetVehicleFuelLevel(vehicle), 0.1), - dirtLevel = QBCore.Shared.Round(GetVehicleDirtLevel(vehicle), 0.1), - oilLevel = QBCore.Shared.Round(oilLevel, 0.1), - color1 = colorPrimary, - color2 = colorSecondary, - pearlescentColor = pearlescentColor, - interiorColor = GetVehicleInteriorColor(vehicle), - dashboardColor = GetVehicleDashboardColour(vehicle), - wheelColor = wheelColor, - wheels = GetVehicleWheelType(vehicle), - wheelSize = GetVehicleWheelSize(vehicle), - wheelWidth = GetVehicleWheelWidth(vehicle), - tireHealth = tireHealth, - tireBurstState = tireBurstState, - tireBurstCompletely = tireBurstCompletely, - windowTint = GetVehicleWindowTint(vehicle), - windowStatus = _windowStatus, - doorStatus = _doorStatus, - xenonColor = GetVehicleXenonLightsColour(vehicle), - neonEnabled = neons, - neonColor = table.pack(GetVehicleNeonLightsColour(vehicle)), - headlightColor = GetVehicleHeadlightsColour(vehicle), - interiorColor = GetVehicleInteriorColour(vehicle), - extras = extras, - tyreSmokeColor = table.pack(GetVehicleTyreSmokeColor(vehicle)), - modSpoilers = GetVehicleMod(vehicle, 0), - modFrontBumper = GetVehicleMod(vehicle, 1), - modRearBumper = GetVehicleMod(vehicle, 2), - modSideSkirt = GetVehicleMod(vehicle, 3), - modExhaust = GetVehicleMod(vehicle, 4), - modFrame = GetVehicleMod(vehicle, 5), - modGrille = GetVehicleMod(vehicle, 6), - modHood = GetVehicleMod(vehicle, 7), - modFender = GetVehicleMod(vehicle, 8), - modRightFender = GetVehicleMod(vehicle, 9), - modRoof = GetVehicleMod(vehicle, 10), - modEngine = GetVehicleMod(vehicle, 11), - modBrakes = GetVehicleMod(vehicle, 12), - modTransmission = GetVehicleMod(vehicle, 13), - modHorns = GetVehicleMod(vehicle, 14), - modSuspension = GetVehicleMod(vehicle, 15), - modArmor = GetVehicleMod(vehicle, 16), - modKit17 = GetVehicleMod(vehicle, 17), - modTurbo = IsToggleModOn(vehicle, 18), - modKit19 = GetVehicleMod(vehicle, 19), - modSmokeEnabled = IsToggleModOn(vehicle, 20), - modKit21 = GetVehicleMod(vehicle, 21), - modXenon = IsToggleModOn(vehicle, 22), - modFrontWheels = GetVehicleMod(vehicle, 23), - modBackWheels = GetVehicleMod(vehicle, 24), - modCustomTiresF = GetVehicleModVariation(vehicle, 23), - modCustomTiresR = GetVehicleModVariation(vehicle, 24), - modPlateHolder = GetVehicleMod(vehicle, 25), - modVanityPlate = GetVehicleMod(vehicle, 26), - modTrimA = GetVehicleMod(vehicle, 27), - modOrnaments = GetVehicleMod(vehicle, 28), - modDashboard = GetVehicleMod(vehicle, 29), - modDial = GetVehicleMod(vehicle, 30), - modDoorSpeaker = GetVehicleMod(vehicle, 31), - modSeats = GetVehicleMod(vehicle, 32), - modSteeringWheel = GetVehicleMod(vehicle, 33), - modShifterLeavers = GetVehicleMod(vehicle, 34), - modAPlate = GetVehicleMod(vehicle, 35), - modSpeakers = GetVehicleMod(vehicle, 36), - modTrunk = GetVehicleMod(vehicle, 37), - modHydrolic = GetVehicleMod(vehicle, 38), - modEngineBlock = GetVehicleMod(vehicle, 39), - modAirFilter = GetVehicleMod(vehicle, 40), - modStruts = GetVehicleMod(vehicle, 41), - modArchCover = GetVehicleMod(vehicle, 42), - modAerials = GetVehicleMod(vehicle, 43), - modTrimB = GetVehicleMod(vehicle, 44), - modTank = GetVehicleMod(vehicle, 45), - modWindows = GetVehicleMod(vehicle, 46), - modKit47 = GetVehicleMod(vehicle, 47), - modLivery = modLivery, - modKit49 = GetVehicleMod(vehicle, 49), - liveryRoof = GetVehicleRoofLivery(vehicle), - } - else - return - end -end - -function QBCore.Functions.SetVehicleProperties(vehicle, props) - if DoesEntityExist(vehicle) and props then - if props.extras then - for id, enabled in pairs(props.extras) do - if enabled then - SetVehicleExtra(vehicle, tonumber(id), 0) - else - SetVehicleExtra(vehicle, tonumber(id), 1) - end - end - end - - local colorPrimary, colorSecondary = GetVehicleColours(vehicle) - local pearlescentColor, wheelColor = GetVehicleExtraColours(vehicle) - SetVehicleModKit(vehicle, 0) - if props.plate then - SetVehicleNumberPlateText(vehicle, props.plate) - end - if props.plateIndex then - SetVehicleNumberPlateTextIndex(vehicle, props.plateIndex) - end - if props.bodyHealth then - SetVehicleBodyHealth(vehicle, props.bodyHealth + 0.0) - end - if props.engineHealth then - SetVehicleEngineHealth(vehicle, props.engineHealth + 0.0) - end - if props.tankHealth then - SetVehiclePetrolTankHealth(vehicle, props.tankHealth) - end - if props.fuelLevel then - SetVehicleFuelLevel(vehicle, props.fuelLevel + 0.0) - end - if props.oilLevel then - Entity(vehicle).state:set('oilLevel', props.oilLevel) - SetVehicleOilLevel(vehicle, props.oilLevel) - end - if props.dirtLevel then - SetVehicleDirtLevel(vehicle, props.dirtLevel + 0.0) - end - if props.tireHealth then - for wheelIndex, health in pairs(props.tireHealth) do - SetVehicleWheelHealth(vehicle, tonumber(wheelIndex), health) - end - end - if props.tireBurstState then - for wheelIndex, burstState in pairs(props.tireBurstState) do - if burstState then - SetVehicleTyreBurst(vehicle, tonumber(wheelIndex), false, 1000.0) - end - end - end - if props.tireBurstCompletely then - for wheelIndex, burstState in pairs(props.tireBurstCompletely) do - if burstState then - SetVehicleTyreBurst(vehicle, tonumber(wheelIndex), true, 1000.0) - end - end - end - if props.color1 then - if type(props.color1) == "number" then - SetVehicleColours(vehicle, props.color1, colorSecondary) - else - SetVehicleCustomPrimaryColour(vehicle, props.color1[1], props.color1[2], props.color1[3]) - end - end - if props.color2 then - if type(props.color2) == "number" then - SetVehicleColours(vehicle, props.color1 or colorPrimary, props.color2) - else - SetVehicleCustomSecondaryColour(vehicle, props.color2[1], props.color2[2], props.color2[3]) - end - end - if props.pearlescentColor then - SetVehicleExtraColours(vehicle, props.pearlescentColor, wheelColor) - end - if props.interiorColor then - SetVehicleInteriorColor(vehicle, props.interiorColor) - end - if props.dashboardColor then - SetVehicleDashboardColour(vehicle, props.dashboardColor) - end - if props.wheelColor then - SetVehicleExtraColours(vehicle, props.pearlescentColor or pearlescentColor, props.wheelColor) - end - if props.wheels then - SetVehicleWheelType(vehicle, props.wheels) - end - if props.windowTint then - SetVehicleWindowTint(vehicle, props.windowTint) - end - if props.windowStatus then - for windowIndex, smashWindow in pairs(props.windowStatus) do - if not smashWindow then SmashVehicleWindow(vehicle, tonumber(windowIndex)) end - end - end - if props.doorStatus then - for doorIndex, breakDoor in pairs(props.doorStatus) do - if breakDoor then SetVehicleDoorBroken(vehicle, tonumber(doorIndex), true) end - end - end - if props.neonEnabled then - for neonIndex, enableNeons in pairs(props.neonEnabled) do - SetVehicleNeonLightEnabled(vehicle, tonumber(neonIndex), enableNeons) - end - end - if props.neonColor then - SetVehicleNeonLightsColour(vehicle, props.neonColor[1], props.neonColor[2], props.neonColor[3]) - end - if props.headlightColor then - SetVehicleHeadlightsColour(vehicle, props.headlightColor) - end - if props.interiorColor then - SetVehicleInteriorColour(vehicle, props.interiorColor) - end - if props.wheelSize then - SetVehicleWheelSize(vehicle, props.wheelSize) - end - if props.wheelWidth then - SetVehicleWheelWidth(vehicle, props.wheelWidth) - end - if props.tyreSmokeColor then - SetVehicleTyreSmokeColor(vehicle, props.tyreSmokeColor[1], props.tyreSmokeColor[2], props.tyreSmokeColor[3]) - end - if props.modSpoilers then - SetVehicleMod(vehicle, 0, props.modSpoilers, false) - end - if props.modFrontBumper then - SetVehicleMod(vehicle, 1, props.modFrontBumper, false) - end - if props.modRearBumper then - SetVehicleMod(vehicle, 2, props.modRearBumper, false) - end - if props.modSideSkirt then - SetVehicleMod(vehicle, 3, props.modSideSkirt, false) - end - if props.modExhaust then - SetVehicleMod(vehicle, 4, props.modExhaust, false) - end - if props.modFrame then - SetVehicleMod(vehicle, 5, props.modFrame, false) - end - if props.modGrille then - SetVehicleMod(vehicle, 6, props.modGrille, false) - end - if props.modHood then - SetVehicleMod(vehicle, 7, props.modHood, false) - end - if props.modFender then - SetVehicleMod(vehicle, 8, props.modFender, false) - end - if props.modRightFender then - SetVehicleMod(vehicle, 9, props.modRightFender, false) - end - if props.modRoof then - SetVehicleMod(vehicle, 10, props.modRoof, false) - end - if props.modEngine then - SetVehicleMod(vehicle, 11, props.modEngine, false) - end - if props.modBrakes then - SetVehicleMod(vehicle, 12, props.modBrakes, false) - end - if props.modTransmission then - SetVehicleMod(vehicle, 13, props.modTransmission, false) - end - if props.modHorns then - SetVehicleMod(vehicle, 14, props.modHorns, false) - end - if props.modSuspension then - SetVehicleMod(vehicle, 15, props.modSuspension, false) - end - if props.modArmor then - SetVehicleMod(vehicle, 16, props.modArmor, false) - end - if props.modKit17 then - SetVehicleMod(vehicle, 17, props.modKit17, false) - end - if props.modTurbo then - ToggleVehicleMod(vehicle, 18, props.modTurbo) - end - if props.modKit19 then - SetVehicleMod(vehicle, 19, props.modKit19, false) - end - if props.modSmokeEnabled then - ToggleVehicleMod(vehicle, 20, props.modSmokeEnabled) - end - if props.modKit21 then - SetVehicleMod(vehicle, 21, props.modKit21, false) - end - if props.modXenon then - ToggleVehicleMod(vehicle, 22, props.modXenon) - end - if props.xenonColor then - SetVehicleXenonLightsColor(vehicle, props.xenonColor) - end - if props.modFrontWheels then - SetVehicleMod(vehicle, 23, props.modFrontWheels, false) - end - if props.modBackWheels then - SetVehicleMod(vehicle, 24, props.modBackWheels, false) - end - if props.modCustomTiresF then - SetVehicleMod(vehicle, 23, props.modFrontWheels, props.modCustomTiresF) - end - if props.modCustomTiresR then - SetVehicleMod(vehicle, 24, props.modBackWheels, props.modCustomTiresR) - end - if props.modPlateHolder then - SetVehicleMod(vehicle, 25, props.modPlateHolder, false) - end - if props.modVanityPlate then - SetVehicleMod(vehicle, 26, props.modVanityPlate, false) - end - if props.modTrimA then - SetVehicleMod(vehicle, 27, props.modTrimA, false) - end - if props.modOrnaments then - SetVehicleMod(vehicle, 28, props.modOrnaments, false) - end - if props.modDashboard then - SetVehicleMod(vehicle, 29, props.modDashboard, false) - end - if props.modDial then - SetVehicleMod(vehicle, 30, props.modDial, false) - end - if props.modDoorSpeaker then - SetVehicleMod(vehicle, 31, props.modDoorSpeaker, false) - end - if props.modSeats then - SetVehicleMod(vehicle, 32, props.modSeats, false) - end - if props.modSteeringWheel then - SetVehicleMod(vehicle, 33, props.modSteeringWheel, false) - end - if props.modShifterLeavers then - SetVehicleMod(vehicle, 34, props.modShifterLeavers, false) - end - if props.modAPlate then - SetVehicleMod(vehicle, 35, props.modAPlate, false) - end - if props.modSpeakers then - SetVehicleMod(vehicle, 36, props.modSpeakers, false) - end - if props.modTrunk then - SetVehicleMod(vehicle, 37, props.modTrunk, false) - end - if props.modHydrolic then - SetVehicleMod(vehicle, 38, props.modHydrolic, false) - end - if props.modEngineBlock then - SetVehicleMod(vehicle, 39, props.modEngineBlock, false) - end - if props.modAirFilter then - SetVehicleMod(vehicle, 40, props.modAirFilter, false) - end - if props.modStruts then - SetVehicleMod(vehicle, 41, props.modStruts, false) - end - if props.modArchCover then - SetVehicleMod(vehicle, 42, props.modArchCover, false) - end - if props.modAerials then - SetVehicleMod(vehicle, 43, props.modAerials, false) - end - if props.modTrimB then - SetVehicleMod(vehicle, 44, props.modTrimB, false) - end - if props.modTank then - SetVehicleMod(vehicle, 45, props.modTank, false) - end - if props.modWindows then - SetVehicleMod(vehicle, 46, props.modWindows, false) - end - if props.modKit47 then - SetVehicleMod(vehicle, 47, props.modKit47, false) - end - if props.modLivery then - SetVehicleMod(vehicle, 48, props.modLivery, false) - if props.modLivery ~= -1 then - SetVehicleLivery(vehicle, props.modLivery) - else - SetVehicleLivery(vehicle, 0) - end - end - if props.modKit49 then - SetVehicleMod(vehicle, 49, props.modKit49, false) - end - if props.liveryRoof then - SetVehicleRoofLivery(vehicle, props.liveryRoof) - end - end -end - - -local function tablelength(T) - local count = 0 - for _ in pairs(T) do count = count + 1 end - return count - end - -local function equals(o1, o2) - if o1 == o2 then - return true - end - if type(o1) == "table" and type(o2) == "table" then - if tablelength(o1) ~= tablelength(o2) then - return false - end - for k, v in pairs(o1) do - if k == "neonEnabled" then - for keyn, neon1 in pairs(v) do - for keyj, neon2 in pairs(o2[tostring(k)]) do - if tonumber(keyn) == tonumber(keyj) and neon1 ~= neon2 then - return false - end - end - end - elseif k == "neonColor" or k == "tyreSmokeColor" then - if (tonumber(v[1]) ~= tonumber(o2[tostring(k)][1])) or (tonumber(v[2]) ~= tonumber(o2[tostring(k)][2])) or (tonumber(v[3]) ~= tonumber(o2[tostring(k)][3])) then - return false - end - elseif not equals(v, o2[tostring(k)]) then - return false - end - end - return true - end - return false -end - -function QBCore.Functions.AreModsEquale(old, new) - if old and new then - return equals(old, new) - end - return false -end - diff --git a/resources/[qb]/qb-core/client/loops.lua b/resources/[qb]/qb-core/client/loops.lua deleted file mode 100644 index 972f8cd278..0000000000 --- a/resources/[qb]/qb-core/client/loops.lua +++ /dev/null @@ -1,29 +0,0 @@ -CreateThread(function() - local lib, anim = "move_m@_idles@out_of_breath", "idle_c" - - while true do - Wait(QBCore.Config.StatusInterval) - if LocalPlayer.state.isLoggedIn then - local PlayerData = QBCore.Functions.GetPlayerData() - - if PlayerData.metadata['isdead'] then - goto skip - end - - if PlayerData.metadata['hunger'] <= 0 or PlayerData.metadata['thirst'] <= 0 or PlayerData.metadata['alcohol'] >= 100 then - local ped = PlayerPedId() - - if GetEntityHealth(ped) > 0 then - QBCore.Functions.RequestAnimDict(lib) - ClearPedTasksImmediately(ped) - TaskPlayAnim(ped, lib, anim, 8.0, -8.0, 8000, 0, 0, 0, 0, 0) - Wait(8000) - - SetEntityHealth(ped, 0) - end - end - - ::skip:: - end - end -end) diff --git a/resources/[qb]/qb-core/fxmanifest.lua b/resources/[qb]/qb-core/fxmanifest.lua index 17efb8abdf..56ee577cbc 100644 --- a/resources/[qb]/qb-core/fxmanifest.lua +++ b/resources/[qb]/qb-core/fxmanifest.lua @@ -13,7 +13,6 @@ shared_scripts { 'shared/jobs.lua', 'shared/vehicles.lua', 'shared/gangs.lua', - 'shared/weapons.lua', 'shared/uuid.lua', 'shared/trunks.lua', 'shared/upw.lua', @@ -22,7 +21,6 @@ shared_scripts { client_scripts { 'client/main.lua', 'client/functions.lua', - 'client/loops.lua', 'client/events.lua' } diff --git a/resources/[qb]/qb-core/server/commands.lua b/resources/[qb]/qb-core/server/commands.lua index 1b5eb1fa2d..caf9cf02e3 100644 --- a/resources/[qb]/qb-core/server/commands.lua +++ b/resources/[qb]/qb-core/server/commands.lua @@ -53,7 +53,7 @@ QBCore.Commands.Add('tp', 'TP To Player or Coords (Admin Only)', { { name = 'id/ local coords = GetEntityCoords(target) TriggerClientEvent('QBCore:Command:TeleportToPlayer', src, coords) else - TriggerClientEvent('hud:client:DrawNotification', src, 'Joueur non trouvé', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Joueur non trouvé', "error") end else if args[1] and args[2] and args[3] then @@ -63,10 +63,10 @@ QBCore.Commands.Add('tp', 'TP To Player or Coords (Admin Only)', { { name = 'id/ if (x ~= 0) and (y ~= 0) and (z ~= 0) then TriggerClientEvent('QBCore:Command:TeleportToCoords', src, x, y, z) else - TriggerClientEvent('hud:client:DrawNotification', src, 'Format non valide', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Format non valide', "error") end else - TriggerClientEvent('hud:client:DrawNotification', src, 'Format non valide', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Format non valide', "error") end end end, 'helper') @@ -92,7 +92,7 @@ QBCore.Commands.Add('givemoney', 'Give A Player Money (Admin Only)', { { name = if Player then Player.Functions.AddMoney(tostring(args[2]), tonumber(args[3])) else - TriggerClientEvent('hud:client:DrawNotification', src, 'Joueur non trouvé', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Joueur non trouvé', "error") end end, 'admin') @@ -102,7 +102,7 @@ QBCore.Commands.Add('setmoney', 'Set Players Money Amount (Admin Only)', { { nam if Player then Player.Functions.SetMoney(tostring(args[2]), tonumber(args[3])) else - TriggerClientEvent('hud:client:DrawNotification', src, 'Joueur non trouvé', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Joueur non trouvé', "error") end end, 'admin') @@ -111,7 +111,7 @@ end, 'admin') QBCore.Commands.Add('job', 'Check Your Job', {}, false, function(source) local src = source local PlayerJob = QBCore.Functions.GetPlayer(src).PlayerData.job - TriggerClientEvent('hud:client:DrawNotification', src, string.format('[Job]: %s [Grade]: %s [On Duty]: %s', PlayerJob.id, PlayerJob.grade, PlayerJob.onduty)) + TriggerClientEvent('soz-core:client:notification:draw', src, string.format('[Job]: %s [Grade]: %s [On Duty]: %s', PlayerJob.id, PlayerJob.grade, PlayerJob.onduty)) end, 'user') QBCore.Commands.Add('setjob', 'Set A Players Job (Admin Only)', { { name = 'id', help = 'Player ID' }, { name = 'job', help = 'Job name' }, { name = 'grade', help = 'Grade' } }, true, function(source, args) @@ -120,7 +120,7 @@ QBCore.Commands.Add('setjob', 'Set A Players Job (Admin Only)', { { name = 'id', if Player then Player.Functions.SetJob(tostring(args[2]), tostring(args[3])) else - TriggerClientEvent('hud:client:DrawNotification', src, 'Joueur non trouvé', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Joueur non trouvé', "error") end end, 'admin') @@ -129,7 +129,7 @@ end, 'admin') QBCore.Commands.Add('gang', 'Check Your Gang', {}, false, function(source) local src = source local PlayerGang = QBCore.Functions.GetPlayer(source).PlayerData.gang - TriggerClientEvent('hud:client:DrawNotification', src, string.format('[Gang]: %s [Grade]: %s', PlayerGang.label, PlayerGang.grade.name)) + TriggerClientEvent('soz-core:client:notification:draw', src, string.format('[Gang]: %s [Grade]: %s', PlayerGang.label, PlayerGang.grade.name)) end, 'user') QBCore.Commands.Add('setgang', 'Set A Players Gang (Admin Only)', { { name = 'id', help = 'Player ID' }, { name = 'gang', help = 'Name of a gang' }, { name = 'grade', help = 'Grade' } }, true, function(source, args) @@ -138,7 +138,7 @@ QBCore.Commands.Add('setgang', 'Set A Players Gang (Admin Only)', { { name = 'id if Player then Player.Functions.SetGang(tostring(args[2]), tonumber(args[3])) else - TriggerClientEvent('hud:client:DrawNotification', src, 'Joueur non trouvé', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Joueur non trouvé', "error") end end, 'admin') diff --git a/resources/[qb]/qb-core/server/debug.lua b/resources/[qb]/qb-core/server/debug.lua index 78fe21f218..ca9c631c86 100644 --- a/resources/[qb]/qb-core/server/debug.lua +++ b/resources/[qb]/qb-core/server/debug.lua @@ -36,9 +36,9 @@ function QBCore.Debug(table, indent) end function QBCore.ShowError(resource, msg) - exports['soz-monitor']:Log('ERROR', msg, { resource = resource }) + exports['soz-core']:Log('ERROR', msg, { resource = resource }) end function QBCore.ShowSuccess(resource, msg) - exports['soz-monitor']:Log('INFO', msg, { resource = resource }) + exports['soz-core']:Log('INFO', msg, { resource = resource }) end diff --git a/resources/[qb]/qb-core/server/events.lua b/resources/[qb]/qb-core/server/events.lua index a534017e09..10546506ea 100644 --- a/resources/[qb]/qb-core/server/events.lua +++ b/resources/[qb]/qb-core/server/events.lua @@ -4,7 +4,7 @@ AddEventHandler('playerDropped', function() local src = source if QBCore.Players[src] then local Player = QBCore.Players[src] - exports['soz-monitor']:Event('player_disconnect', { player_source = src }, {}) + exports['soz-core']:Event('player_disconnect', { player_source = src }, {}) Player.Functions.Save() _G.Player_Buckets[Player.PlayerData.license] = nil TriggerEvent('inventory:DropPlayerInventory', src) @@ -28,7 +28,7 @@ AddEventHandler('chatMessage', function(source, n, message) table.remove(args, 1) if isGod or hasPerm or isPrincipal then if (QBCore.Commands.List[command].argsrequired and #QBCore.Commands.List[command].arguments ~= 0 and args[#QBCore.Commands.List[command].arguments] == nil) then - TriggerClientEvent('hud:client:DrawNotification', src, 'Il vous manque des paramètres !', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Il vous manque des paramètres !', "error") else QBCore.Commands.List[command].callback(src, args) end @@ -41,7 +41,6 @@ end) -- Player Connecting local function OnPlayerConnecting(name, setKickReason, deferrals) - -- @TODO we will validate in another way using steam and a specific queue system, bypass this code ATM deferrals.defer() local src = source local steam = QBCore.Functions.GetSozIdentifier(src) @@ -52,7 +51,7 @@ local function OnPlayerConnecting(name, setKickReason, deferrals) local defaultAnonymousRole = GetConvar("soz_anonymous_default_role", "user") if not steam then - exports["soz-monitor"]:Log("ERROR", name .. ": error finding steam id for this user.", { + exports["soz-core"]:Log("ERROR", name .. ": error finding steam id for this user.", { event = "playerConnecting" }) @@ -63,7 +62,8 @@ local function OnPlayerConnecting(name, setKickReason, deferrals) end end - local account = QBCore.Functions.GetUserAccount(src) + local useTestMode = GetConvar("soz_enable_test_auth", "false") == "true" + local account = QBCore.Functions.GetUserAccount(src, useTestMode) if not account then if not allowAnonymous then @@ -73,6 +73,8 @@ local function OnPlayerConnecting(name, setKickReason, deferrals) end QBCore.Functions.SetPermission(steam, defaultAnonymousRole) + elseif useTestMode then + QBCore.Functions.SetPermission(steam, 'admin') else QBCore.Functions.SetPermission(steam, account.role or 'user') end @@ -135,7 +137,6 @@ RegisterNetEvent('QBCore:Server:SetMetaData', function(meta, data) if Player then Player.Functions.SetMetaData(meta, data) end - TriggerClientEvent('hud:client:UpdateNeeds', src, Player.PlayerData.metadata['hunger'], Player.PlayerData.metadata['thirst'], Player.PlayerData.metadata['alcohol'], Player.PlayerData.metadata['drug']) end) RegisterNetEvent('QBCore:ToggleDuty', function() @@ -144,26 +145,32 @@ RegisterNetEvent('QBCore:ToggleDuty', function() local itt = player.PlayerData.metadata["itt"] if itt then - TriggerClientEvent('hud:client:DrawNotification', src, 'Vous êtes en interdiction de travail temporaire', "info") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Vous êtes en interdiction de travail temporaire', "info") return end if player.PlayerData.job.onduty then player.Functions.SetJobDuty(false) - TriggerClientEvent('hud:client:DrawNotification', src, 'Vous êtes hors service', "info") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Vous êtes hors service', "info") else player.Functions.SetJobDuty(true) - TriggerClientEvent('hud:client:DrawNotification', src, 'Vous êtes en service', "info") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Vous êtes en service', "info") end - Player(player.PlayerData.source).state.onDuty = player.PlayerData.job.onduty TriggerClientEvent('QBCore:Client:SetDuty', src, player.PlayerData.job.onduty) - TriggerEvent('QBCore:Server:SetDuty', player.PlayerData.job.id, player.PlayerData.job.onduty) + TriggerEvent('QBCore:Server:SetDuty', player.PlayerData.job.id, player.PlayerData.job.onduty, src) +end) + +RegisterNetEvent('QBCore:GetEmployOnDuty', function() + local player = QBCore.Functions.GetPlayer(source) + local player_names = QBCore.Functions.GetPlayerNamesOnDuty(player.PlayerData.job.id) + + TriggerClientEvent('soz-job:client:OpenOnDutyMenu', source, player_names, player.PlayerData.job.id) end) -- Items RegisterNetEvent('QBCore:Server:RemoveItem', function(itemName, amount, slot) local Player = QBCore.Functions.GetPlayer(source) - exports['soz-monitor']:Log('FATAL', 'DEPRECATED use of QBCore:Server:RemoveItem ! item: '.. itemName, Player) + exports['soz-core']:Log('ERROR', 'DEPRECATED use of QBCore:Server:RemoveItem ! item: '.. itemName, Player) exports['soz-inventory']:RemoveItem(Player.PlayerData.source, itemName, amount, false, slot) end) @@ -179,7 +186,7 @@ RegisterNetEvent('QBCore:CallCommand', function(command, args) local isPrincipal = IsPlayerAceAllowed(src, 'command') if (QBCore.Commands.List[command].permission == Player.PlayerData.job.id) or isGod or hasPerm or isPrincipal then if (QBCore.Commands.List[command].argsrequired and #QBCore.Commands.List[command].arguments ~= 0 and args[#QBCore.Commands.List[command].arguments] == nil) then - TriggerClientEvent('hud:client:DrawNotification', src, 'Il vous manque des paramètres !', "error") + TriggerClientEvent('soz-core:client:notification:draw', src, 'Il vous manque des paramètres !', "error") else QBCore.Commands.List[command].callback(src, args) end diff --git a/resources/[qb]/qb-core/server/functions.lua b/resources/[qb]/qb-core/server/functions.lua index b82bc572d1..79184e7820 100644 --- a/resources/[qb]/qb-core/server/functions.lua +++ b/resources/[qb]/qb-core/server/functions.lua @@ -23,6 +23,12 @@ function QBCore.Functions.GetIdentifier(source, idtype) end function QBCore.Functions.GetSozIdentifier(source) + local forcedIdentifier = GetConvar('soz_force_player_identifier', '') + + if forcedIdentifier ~= '' then + return forcedIdentifier + end + if GetConvar("soz_disable_steam_credential", "false") == "true" then return QBCore.Functions.GetIdentifier(source, 'license') end @@ -39,21 +45,32 @@ function QBCore.Functions.GetSozIdentifier(source) end -- This is the default function for getting a player account, change this method to do your own auth system -function QBCore.Functions.GetUserAccount(source) +function QBCore.Functions.GetUserAccount(source, useTestMode) local steam = QBCore.Functions.GetSozIdentifier(source) local status, result = pcall(function() local p = promise.new() local resolved = false - MySQL.single("SELECT a.* FROM soz_api.accounts a LEFT JOIN soz_api.account_identities ai ON a.id = ai.accountId WHERE a.whitelistStatus = 'ACCEPTED' AND ai.identityType = 'STEAM' AND ai.identityId = ? LIMIT 1", {steam}, function(result) - if resolved then - return - end + if useTestMode then + MySQL.single("SELECT a.* FROM soz_api.accounts a LEFT JOIN soz_api.account_identities ai ON a.id = ai.accountId WHERE a.whitelistStatus = 'ACCEPTED' AND ai.identityType = 'STEAM' AND ai.identityId = ? AND (a.vip = 1 OR a.role IN ('ADMIN', 'STAFF', 'GAMEMASTER', 'HELPER')) LIMIT 1", {steam}, function(result) + if resolved then + return + end - p:resolve(result) - resolved = true - end) + p:resolve(result) + resolved = true + end) + else + MySQL.single("SELECT a.* FROM soz_api.accounts a LEFT JOIN soz_api.account_identities ai ON a.id = ai.accountId WHERE a.whitelistStatus = 'ACCEPTED' AND ai.identityType = 'STEAM' AND ai.identityId = ? LIMIT 1", {steam}, function(result) + if resolved then + return + end + + p:resolve(result) + resolved = true + end) + end Citizen.SetTimeout(1000, function() resolved = true @@ -65,7 +82,7 @@ function QBCore.Functions.GetUserAccount(source) end) if not status or not result then - exports["soz-monitor"]:Log("ERROR", "cannot find account for this user: '" .. json.encode(result) .. "'", { + exports["soz-core"]:Log("ERROR", "cannot find account for this user: '" .. json.encode(result) .. "'", { steam = steam, }) @@ -155,6 +172,21 @@ function QBCore.Functions.GetPlayersOnDuty(job) return players, count end +--- Gets a list of all on duty player names of a specified job +function QBCore.Functions.GetPlayerNamesOnDuty(job) + local player_names = {} + + for _, Player in pairs(QBCore.Players) do + if Player.PlayerData.job.id == job then + if Player.PlayerData.job.onduty then + player_names[#player_names + 1] = Player.PlayerData.charinfo.firstname .. " " .. Player.PlayerData.charinfo.lastname + end + end + end + + return player_names +end + -- Returns only the amount of players on duty for the specified job function QBCore.Functions.GetDutyCount(job) local count = 0 @@ -277,7 +309,6 @@ end function QBCore.Functions.UseItem(source, item) local src = source QBCore.UseableItems[item.name](src, item) - TriggerClientEvent('soz-core:client:item:use', src, item.name, QBCore.Shared.Items[item.name]) end -- Kick Player diff --git a/resources/[qb]/qb-core/server/player.lua b/resources/[qb]/qb-core/server/player.lua index 1c82f0765a..5f1dc95524 100644 --- a/resources/[qb]/qb-core/server/player.lua +++ b/resources/[qb]/qb-core/server/player.lua @@ -13,12 +13,17 @@ function QBCore.Player.Login(source, citizenid, newData) local PlayerData = exports.oxmysql:singleSync('SELECT * FROM player where citizenid = ?', { citizenid }) local apartment = exports.oxmysql:singleSync('SELECT id,property_id,label,price,owner,tier,has_parking_place FROM housing_apartment where ? IN (owner, roommate)', { citizenid }) local role = GetConvar("soz_anonymous_default_role", "user") - local account = QBCore.Functions.GetUserAccount(src) + local useTestMode = GetConvar("soz_enable_test_auth", "false") == "true" + local account = QBCore.Functions.GetUserAccount(src, useTestMode) if account then role = account.role:lower() end + if useTestMode then + role = 'admin' + end + if PlayerData and (license == PlayerData.license or role == 'admin') then PlayerData.money = json.decode(PlayerData.money) PlayerData.job = json.decode(PlayerData.job) @@ -32,6 +37,7 @@ function QBCore.Player.Login(source, citizenid, newData) if apartment then PlayerData.address = apartment.label PlayerData.apartment = apartment + PlayerData.apartment.price = apartment.price else PlayerData.apartment = nil end @@ -172,12 +178,16 @@ function QBCore.Player.CheckPlayerData(source, PlayerData) PlayerData.metadata['criminal_talents'] = PlayerData.metadata['criminal_talents'] or {} PlayerData.metadata['criminal_state'] = PlayerData.metadata['criminal_state'] or 0 PlayerData.metadata['criminal_reputation'] = PlayerData.metadata['criminal_reputation'] or 0 + PlayerData.metadata['drugs_skills'] = PlayerData.metadata['drugs_skills'] or {} + PlayerData.metadata['drugs_heavy_contract_date'] = PlayerData.metadata['drugs_heavy_contract_date'] or 0 PlayerData.metadata['injuries_count'] = PlayerData.metadata['injuries_count'] or 0 PlayerData.metadata['injuries_date'] = PlayerData.metadata['injuries_date'] or 0 PlayerData.metadata['mort'] = PlayerData.metadata['mort'] or '' + PlayerData.metadata['rp_death'] = PlayerData.metadata['rp_death'] or false + if not PlayerData.metadata.lastBidTime then PlayerData.metadata.canBid = true else @@ -202,7 +212,6 @@ function QBCore.Player.CheckPlayerData(source, PlayerData) PlayerData.job.id = PlayerData.job.id or 'unemployed' PlayerData.job.onduty = false - Player(PlayerData.source).state.onDuty = PlayerData.job.onduty PlayerData.job.grade = tostring(PlayerData.job.grade) or "1" -- Gang PlayerData.gang = PlayerData.gang or {} @@ -255,6 +264,8 @@ function QBCore.Player.CreatePlayer(PlayerData) self.Functions.UpdatePlayerData = function(dontUpdateChat) TriggerClientEvent('QBCore:Player:SetPlayerData', self.PlayerData.source, self.PlayerData) + TriggerEvent('QBCore:Server:PlayerUpdate', self.PlayerData) + if dontUpdateChat == nil then QBCore.Commands.Refresh(self.PlayerData.source) end @@ -262,7 +273,7 @@ function QBCore.Player.CreatePlayer(PlayerData) self.Functions.SetFeatures = function(features) self.PlayerData.features = features or {} - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.SetJob = function(jobId, gradeId) @@ -271,7 +282,7 @@ function QBCore.Player.CreatePlayer(PlayerData) grade = tostring(gradeId), onduty = self.PlayerData.job.onduty or false, } - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) TriggerClientEvent('QBCore:Client:OnJobUpdate', self.PlayerData.source, self.PlayerData.job) TriggerEvent('QBCore:Server:OnJobUpdate', self.PlayerData.source, self.PlayerData.job) @@ -308,21 +319,30 @@ function QBCore.Player.CreatePlayer(PlayerData) self.Functions.SetJobDuty = function(onDuty) self.PlayerData.job.onduty = onDuty - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.SetMetaData = function(meta, val) local meta = meta:lower() if val ~= nil then self.PlayerData.metadata[meta] = val - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end end + self.Functions.SetMetaDatas = function(metas) + for meta, val in pairs(metas) do + local meta = meta:lower() + self.Functions.SetMetaData(meta, val) + end + + self.Functions.UpdatePlayerData(true) + end + self.Functions.AddJobReputation = function(amount) local amount = tonumber(amount) self.PlayerData.metadata['jobrep'][self.PlayerData.job.id] = self.PlayerData.metadata['jobrep'][self.PlayerData.job.id] + amount - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.AddMoney = function(moneytype, amount, reason) @@ -334,9 +354,7 @@ function QBCore.Player.CreatePlayer(PlayerData) end if self.PlayerData.money[moneytype] then self.PlayerData.money[moneytype] = self.PlayerData.money[moneytype] + amount - self.Functions.UpdatePlayerData() - - TriggerClientEvent('hud:client:OnMoneyChange', self.PlayerData.source, moneytype, amount, false) + self.Functions.UpdatePlayerData(true) return true end @@ -359,8 +377,7 @@ function QBCore.Player.CreatePlayer(PlayerData) end end self.PlayerData.money[moneytype] = self.PlayerData.money[moneytype] - amount - self.Functions.UpdatePlayerData() - TriggerClientEvent('hud:client:OnMoneyChange', self.PlayerData.source, moneytype, amount, true) + self.Functions.UpdatePlayerData(true) if moneytype == 'bank' then TriggerClientEvent('qb-phone:client:RemoveBankMoney', self.PlayerData.source, amount) end @@ -380,7 +397,7 @@ function QBCore.Player.CreatePlayer(PlayerData) if self.PlayerData.money[moneytype] then self.PlayerData.money[moneytype] = amount - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) return true end @@ -404,7 +421,7 @@ function QBCore.Player.CreatePlayer(PlayerData) self.PlayerData.items = items self.Functions.UpdatePlayerData(dontUpdateChat) - exports['soz-monitor']:Log('TRACE', 'Inventory movement - Set ! items set: ' .. json.encode(items), { player = self.PlayerData }) + exports['soz-core']:Log('DEBUG', 'Inventory movement - Set ! items set: ' .. json.encode(items), { player = self.PlayerData }) end self.Functions.SetSkin = function(skin, skipApply) @@ -415,7 +432,7 @@ function QBCore.Player.CreatePlayer(PlayerData) TriggerClientEvent("soz-character:Client:ApplyCurrentSkin", self.PlayerData.source) end - exports['soz-monitor']:Log('TRACE', 'Update player skin ' .. json.encode(skin), { player = self.PlayerData }) + exports['soz-core']:Log('DEBUG', 'Update player skin ' .. json.encode(skin), { player = self.PlayerData }) end self.Functions.UpdateMaxWeight = function() @@ -442,11 +459,15 @@ function QBCore.Player.CreatePlayer(PlayerData) end end - if (baseBag == 0 and jobBag == 0) or ((baseBag ~= 0 or jobBag ~= 0) and self.PlayerData.cloth_config.Config.HideBag) then - exports["soz-inventory"]:SetMaxWeight(self.PlayerData.source, math.floor(baseWeight)) - else - exports["soz-inventory"]:SetMaxWeight(self.PlayerData.source, math.floor(baseWeight + 40000)) + if exports['soz-core']:HasTemporaryCrimiWeight(self.PlayerData.source) then + baseWeight = baseWeight + 40000 end + + if (baseBag ~= 0 or jobBag ~= 0) and not self.PlayerData.cloth_config.Config.HideBag then + baseWeight = baseWeight + 40000 + end + + exports["soz-inventory"]:SetMaxWeight(self.PlayerData.source, math.floor(baseWeight)) end self.Functions.UpdateArmour = function() @@ -469,7 +490,7 @@ function QBCore.Player.CreatePlayer(PlayerData) SetPedArmour(ped, self.PlayerData.metadata["armor"].current) end - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.SetClothConfig = function(config, skipApply) @@ -481,12 +502,9 @@ function QBCore.Player.CreatePlayer(PlayerData) if not skipApply then TriggerClientEvent("soz-character:Client:ApplyCurrentClothConfig", self.PlayerData.source) - if Player(self.PlayerData.source).state.isWearingPatientOutfit then - Player(self.PlayerData.source).state.isWearingPatientOutfit = false - end end - exports['soz-monitor']:Log('TRACE', 'Update player cloth config ' .. json.encode(config), { player = self.PlayerData }) + exports['soz-core']:Log('DEBUG', 'Update player cloth config ' .. json.encode(config), { player = self.PlayerData }) end self.Functions.GetItemByName = function(item) @@ -512,7 +530,7 @@ function QBCore.Player.CreatePlayer(PlayerData) self.Functions.SetCreditCard = function(cardNumber) self.PlayerData.charinfo.card = cardNumber - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.GetCardSlot = function(cardNumber, cardType) @@ -540,13 +558,13 @@ function QBCore.Player.CreatePlayer(PlayerData) local licences = self.PlayerData.metadata.licences if licences[licence] ~= nil then licences[licence] = tonumber(points) - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end end self.Functions.SetVehicleLimit = function (limit) self.PlayerData.metadata.vehiclelimit = limit - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.SetApartment = function(apartment) @@ -556,17 +574,17 @@ function QBCore.Player.CreatePlayer(PlayerData) self.PlayerData.address = "" end self.PlayerData.apartment = apartment - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.SetApartmentTier = function(tier) self.PlayerData.apartment.tier = tier - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.SetApartmentHasParkingPlace = function(value) self.PlayerData.apartment.has_parking_place = value - self.Functions.UpdatePlayerData() + self.Functions.UpdatePlayerData(true) end self.Functions.Save = function() @@ -617,7 +635,7 @@ function QBCore.Player.Save(source) features = json.encode(PlayerData.features), }) else - exports['soz-monitor']:Log('ERROR', 'Save player error ! PlayerData is empty', { player = PlayerData }) + exports['soz-core']:Log('ERROR', 'Save player error ! PlayerData is empty', { player = PlayerData }) end end @@ -647,10 +665,10 @@ function QBCore.Player.DeleteCharacter(source, citizenid) for k, v in pairs(playertables) do exports.oxmysql:execute('DELETE FROM ' .. v.table .. ' WHERE citizenid = ?', { citizenid }) end - exports['soz-monitor']:Log('WARN', 'Character Deleted ! deleted' .. citizenid, { steam = license }) + exports['soz-core']:Log('WARN', 'Character Deleted ! deleted' .. citizenid, { steam = license }) else DropPlayer(src, 'You Have Been Kicked For Exploitation') - exports['soz-monitor']:Log('WARN', 'Anti-Cheat ! Player has Been Dropped For Character Deletion Exploit', { steam = license }) + exports['soz-core']:Log('WARN', 'Anti-Cheat ! Player has Been Dropped For Character Deletion Exploit', { steam = license }) end end diff --git a/resources/[qb]/qb-core/shared/items.lua b/resources/[qb]/qb-core/shared/items.lua index 69887826c9..b7cf3b729f 100644 --- a/resources/[qb]/qb-core/shared/items.lua +++ b/resources/[qb]/qb-core/shared/items.lua @@ -255,6 +255,17 @@ QBShared.Items = { ['description'] = 'Retour à l\'âge de pierre.', ['illustrator'] = '.Smogogo', }, + ['weapon_candycane'] = { + ['name'] = 'weapon_candycane', + ['label'] = 'Canne à sucre', + ['weight'] = 500, + ['type'] = 'weapon', + ['ammotype'] = nil, + ['unique'] = true, + ['useable'] = true, + ['description'] = 'La magie de Noel.', + ['illustrator'] = '.NariieL' + }, -- Handguns ['weapon_pistol'] = { @@ -451,6 +462,27 @@ QBShared.Items = { ['useable'] = true, ['description'] = 'Arme Pistolet considérée par certains comme étant un gadget' }, + ['weapon_stungun_mp'] = { + ['name'] = 'weapon_stungun_mp', + ['label'] = 'Taser 2', + ['weight'] = 500, + ['type'] = 'weapon', + ['ammotype'] = nil, + ['unique'] = true, + ['useable'] = false, + ['description'] = 'Arme électrique de corps à corps, causant une paralysie.' + }, + ['weapon_pistolxm3'] = { + ['name'] = 'weapon_pistolxm3', + ['label'] = 'Pistolet WM 29', + ['weight'] = 1500, + ['type'] = 'weapon', + ['ammotype'] = 'AMMO_PISTOL', + ['unique'] = true, + ['useable'] = true, + ['description'] = 'Un petit pistolet mais efficace.', + ['illustrator'] = '.NariieL' + }, -- Submachine Guns ['weapon_microsmg'] = { @@ -485,13 +517,14 @@ QBShared.Items = { }, ['weapon_assaultsmg'] = { ['name'] = 'weapon_assaultsmg', - ['label'] = 'Mitraillette d\'assaut', - ['weight'] = 4200, + ['label'] = 'P90 GEN2', + ['weight'] = 2400, ['type'] = 'weapon', ['ammotype'] = 'AMMO_SMG', ['unique'] = true, ['useable'] = false, - ['description'] = 'Une version plus lourde de la mitrailette.' + ['description'] = 'Une version modifié et améliorée de la célèbre P90, idéale pour vider un chargeur en une respiration.', + ['illustrator'] = '.Sniteur' }, ['weapon_combatpdw'] = { ['name'] = 'weapon_combatpdw', @@ -533,17 +566,28 @@ QBShared.Items = { ['useable'] = true, ['description'] = 'Adapté pour dégommer tout ce qui passe à votre portée.' }, + ['weapon_tecpistol'] = { + ['name'] = 'weapon_tecpistol', + ['label'] = 'Mitraillette Tactique', + ['weight'] = 1500, + ['type'] = 'weapon', + ['ammotype'] = 'AMMO_SMG', + ['unique'] = true, + ['useable'] = true, + ['description'] = "La puissance de feu d'une mitraillette avec la taille d'un pistolet.", + ['illustrator'] = '.NariieL' + }, -- Shotguns ['weapon_pumpshotgun'] = { ['name'] = 'weapon_pumpshotgun', - ['label'] = 'Fusil à pompe', - ['weight'] = 2500, + ['label'] = 'Remington 870 Non lethal', + ['weight'] = 2300, ['type'] = 'weapon', ['ammotype'] = 'AMMO_SHOTGUN', ['unique'] = true, ['useable'] = false, - ['description'] = 'Un fusil à pompe, efficace à courte portée.' + ['description'] = "L'arme idéale pour mettre au sol n'importe quel individu sans pour autant l'abattre." }, ['weapon_sawnoffshotgun'] = { ['name'] = 'weapon_sawnoffshotgun', @@ -583,7 +627,8 @@ QBShared.Items = { ['ammotype'] = 'AMMO_SHOTGUN', ['unique'] = true, ['useable'] = false, - ['description'] = 'Fusil léger d\'époque, idéal à moyenne distance.' + ['description'] = 'Fusil léger d\'époque, idéal à moyenne distance.', + ['illustrator'] = '.Poulpito' }, ['weapon_heavyshotgun'] = { ['name'] = 'weapon_heavyshotgun', @@ -757,6 +802,17 @@ QBShared.Items = { ['useable'] = true, ['description'] = 'Fusil d\'assaut lourd de qualité.' }, + ['weapon_tacticalrifle'] = { + ['name'] = 'weapon_tacticalrifle', + ['label'] = 'Fusil tactique', + ['weight'] = 4000, + ['type'] = 'weapon', + ['ammotype'] = 'AMMO_RIFLE', + ['unique'] = true, + ['useable'] = true, + ['description'] = 'Fusil d\'assaut tactique.', + ['illustrator'] = '.NariieL' + }, -- Light Machine Guns ['weapon_mg'] = { @@ -871,6 +927,17 @@ QBShared.Items = { ['useable'] = true, ['description'] = 'Un fusil à lunette.' }, + ['weapon_precisionrifle'] = { + ['name'] = 'weapon_precisionrifle', + ['label'] = 'Fusil de précision', + ['weight'] = 4500, + ['type'] = 'weapon', + ['ammotype'] = 'AMMO_SNIPER', + ['unique'] = true, + ['useable'] = true, + ['description'] = "Un fusil de précision lourd sans lunette", + ['illustrator'] = '.NariieL' + }, -- Heavy Weapons ['weapon_rpg'] = { @@ -973,6 +1040,15 @@ QBShared.Items = { ['useable'] = false, ['description'] = 'Un lance-grenades dans un format très compacté.' }, + ['weapon_railgunxm3'] = { + ['name'] = 'weapon_railgunxm3', + ['label'] = 'Railgun', + ['weight'] = 6000, + ['type'] = 'weapon', + ['ammotype'] = 'AMMO_FLARE', + ['unique'] = true, + ['useable'] = false, + }, -- Throwables ['weapon_grenade'] = { @@ -1059,13 +1135,14 @@ QBShared.Items = { }, ['weapon_smokegrenade'] = { ['name'] = 'weapon_smokegrenade', - ['label'] = 'Fumigène', - ['weight'] = 500, + ['label'] = 'Grenade fumigène', + ['weight'] = 300, ['type'] = 'weapon', ['ammotype'] = nil, ['unique'] = true, ['useable'] = false, - ['description'] = 'Grenade libérant un épais nuage de fumée.' + ['description'] = 'Parfaite pour ne strictement plus rien voir devant nous.', + ['illustrator'] = '.Sniteur' }, ['weapon_flare'] = { ['name'] = 'weapon_flare', @@ -1077,6 +1154,16 @@ QBShared.Items = { ['useable'] = false, ['description'] = 'Petit dispositif pyrotechnique utilisés pour l\'éclairage et la signalisation.' }, + ['weapon_acidpackage'] = { + ['name'] = 'weapon_acidpackage', + ['label'] = "Journal", + ['weight'] = 800, + ['type'] = 'weapon', + ['ammotype'] = nil, + ['unique'] = true, + ['useable'] = false, + ['description'] = 'Chute de News' + }, -- Miscellaneous ['weapon_petrolcan'] = { ['name'] = 'weapon_petrolcan', @@ -1225,7 +1312,8 @@ QBShared.Items = { ['useable'] = true, ['shouldClose'] = true, ['combinable'] = nil, - ['description'] = '' + ['description'] = "Elle est destinée à engager des cibles jusqu'à 200 mètres et à perforer les protections individuelles comme les gilets pare-balles ou les casques. Sa légèreté lui permet de perdre rapidement son énergie lors d'un impact, ce qui limite les risques de surpénétration et les dommages collatéraux qu'ils impliquent.", + ['illustrator'] = '.Sniteur' }, ['ammo_05'] = { ['name'] = 'ammo_05', @@ -1258,7 +1346,8 @@ QBShared.Items = { ['useable'] = true, ['shouldClose'] = true, ['combinable'] = nil, - ['description'] = '' + ['description'] = '', + ['illustrator'] = '.Sniteur' }, ['ammo_08'] = { ['name'] = 'ammo_08', @@ -1280,7 +1369,8 @@ QBShared.Items = { ['useable'] = true, ['shouldClose'] = true, ['combinable'] = nil, - ['description'] = '' + ['description'] = '', + ['illustrator'] = '.Crash' }, ['ammo_10'] = { ['name'] = 'ammo_10', @@ -1359,6 +1449,17 @@ QBShared.Items = { ['combinable'] = nil, ['description'] = '' }, + ['ammo_17'] = { + ['name'] = 'ammo_17', + ['label'] = "Billes caoutchouc", + ['weight'] = 300, + ['type'] = 'weapon_ammo', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Je ne vous conseille pas de subir un tir à l'aide de cette bille ! Elle laisse une marque à vie sur le corps de l'individu." + }, -- Card ITEMS ['lawyerpass'] = { @@ -1460,8 +1561,72 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'prop_sandwich_01', + bone = 60309, + coords = { x = 0.05, y = -0.01, z = -0.01 }, + rotation = { x = 30.01, y = 0.0, z = 0.0 }, + }, ['illustrator'] = '.LeakFlood', }, + ['instantazouille'] = { + ['name'] = 'instantazouille', + ['label'] = 'Instan\'Ta\'Zouille', + ['weight'] = 150, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['durability'] = 2, + ['combinable'] = nil, + ['description'] = 'En vérité, il faut bien 7min au micro-onde pour qu\'elles soient mangeables.', + ['nutrition'] = { + ['hunger'] = 20, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 0, + ['sugar'] = 1, + ['protein'] = 1, + ['alcohol'] = 0, + }, + prop = { + model = 'prop_sandwich_01', + bone = 60309, + coords = { x = 0.05, y = -0.01, z = -0.01 }, + rotation = { x = 30.01, y = 0.0, z = 0.0 }, + }, + ['illustrator'] = '.Poulpito', + }, + ['mini_zigmac'] = { + ['name'] = 'mini_zigmac', + ['label'] = 'Mini ZigMac', + ['weight'] = 150, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['durability'] = 2, + ['combinable'] = nil, + ['description'] = 'Froid au centre et brûlant à l\'extérieur.', + ['nutrition'] = { + ['hunger'] = 20, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 0, + ['sugar'] = 1, + ['protein'] = 1, + ['alcohol'] = 0, + }, + prop = { + model = 'prop_sandwich_01', + bone = 60309, + coords = { x = 0.05, y = -0.01, z = -0.01 }, + rotation = { x = 30.01, y = 0.0, z = 0.0 }, + }, + ['illustrator'] = '.Poulpito', + }, -- Drink ITEMS ['water_bottle'] = { @@ -1485,8 +1650,69 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'ba_prop_club_water_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.06 }, + }, ['illustrator'] = '.LeakFlood', }, + ['zait_fruite'] = { + ['name'] = 'zait_fruite', + ['label'] = 'Zait Fruité', + ['weight'] = 150, + ['type'] = 'drink', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['durability'] = 31, + ['combinable'] = nil, + ['description'] = 'Un genre de lait de fruit, les informations diététique sont écrites dans une autre langue.', + ['nutrition'] = { + ['hunger'] = 0, + ['thirst'] = 20, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 0, + ['sugar'] = 0, + ['protein'] = 0, + ['alcohol'] = 0, + }, + prop = { + model = 'ba_prop_club_water_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.06 }, + }, + ['illustrator'] = '.Poulpito', + }, + ['zanta_glace_energetique'] = { + ['name'] = 'zanta_glace_energetique', + ['label'] = 'Zanta Glacé Énergétique', + ['weight'] = 150, + ['type'] = 'drink', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['durability'] = 31, + ['combinable'] = nil, + ['description'] = 'Prétend fournir de l\'énergie en un temps record... Mais entre nous, il faut surtout une dose d\'imagination pour y croire !', + ['nutrition'] = { + ['hunger'] = 0, + ['thirst'] = 20, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 0, + ['sugar'] = 0, + ['protein'] = 0, + ['alcohol'] = 0, + }, + prop = { + model = 'ba_prop_club_water_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.06 }, + }, + ['illustrator'] = '.Poulpito', + }, ['coffee'] = { ['name'] = 'coffee', ['label'] = 'Café', @@ -1507,6 +1733,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + ['prop'] = { + model = 'prop_fib_coffee', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = 0.01 }, + }, ['illustrator'] = '.Sniteur', }, ['kurkakola'] = { @@ -1670,6 +1901,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 28, }, + ['prop'] = { + model = 'prop_wine_red', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.18 }, + }, ['illustrator'] = '.Omega', }, ['wine2'] = { @@ -1695,6 +1931,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 28, }, + ['prop'] = { + model = 'prop_wine_white', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.18 }, + }, ['illustrator'] = '.Wyron', }, ['wine3'] = { @@ -1720,6 +1961,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 28, }, + ['prop'] = { + model = 'prop_wine_bot_02', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.18 }, + }, ['illustrator'] = '.Wyron', }, ['wine4'] = { @@ -1745,6 +1991,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 28, }, + ['prop'] = { + model = 'prop_wine_white', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.18 }, + }, ['illustrator'] = '.Wyron', }, ['grapejuice1'] = { @@ -1770,6 +2021,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'ba_prop_club_tonic_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + }, ['illustrator'] = '.Omega', }, ['grapejuice2'] = { @@ -1795,6 +2051,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'ba_prop_club_tonic_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + }, ['illustrator'] = '.Volkstat', }, ['grapejuice3'] = { @@ -1820,6 +2081,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'ba_prop_club_tonic_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + }, ['illustrator'] = '.Volkstat', }, ['grapejuice4'] = { @@ -1845,6 +2111,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'ba_prop_club_tonic_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + }, ['illustrator'] = '.Volkstat', }, ['grapejuice5'] = { @@ -1870,6 +2141,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'ba_prop_club_tonic_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + }, ['illustrator'] = '.Volkstat', }, ['tripe'] = { @@ -2048,6 +2324,11 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_sausage', + bone = 60309, + coords = { x = 0.04, y = -0.01, z = -0.01 }, + }, ['illustrator'] = '.Volkstat', }, ['sausage2'] = { @@ -2073,6 +2354,11 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_sausage', + bone = 60309, + coords = { x = 0.04, y = -0.01, z = -0.01 }, + }, ['illustrator'] = '.Volkstat', }, ['sausage3'] = { @@ -2098,6 +2384,11 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_sausage', + bone = 60309, + coords = { x = 0.04, y = -0.01, z = -0.01 }, + }, ['illustrator'] = '.Volkstat' }, ['sausage4'] = { @@ -2123,6 +2414,11 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_sausage', + bone = 60309, + coords = { x = 0.04, y = -0.01, z = -0.01 }, + }, ['illustrator'] = '.Volkstat', }, ['sausage5'] = { @@ -2148,13 +2444,18 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_sausage', + bone = 60309, + coords = { x = 0.04, y = -0.01, z = -0.01 }, + }, ['illustrator'] = '.Volkstat' }, ['milk'] = { ['name'] = 'milk', ['label'] = 'Pot de lait entier', ['weight'] = 3000, - ['type'] = 'food', + ['type'] = 'drink', ['unique'] = false, ['useable'] = true, ['shouldClose'] = false, @@ -2171,13 +2472,18 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 0, }, + prop = { + model = 'prop_cs_milk_01', + bone = 28422, + coords = { x = 0.03, y = -0.01, z = -0.06 }, + }, ['illustrator'] = '.Sniteur', }, ['semi_skimmed_milk'] = { ['name'] = 'semi_skimmed_milk', ['label'] = 'Pot de lait demi-écrémé', ['weight'] = 3000, - ['type'] = 'food', + ['type'] = 'drink', ['unique'] = false, ['useable'] = true, ['shouldClose'] = false, @@ -2194,13 +2500,18 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'prop_cs_milk_01', + bone = 28422, + coords = { x = 0.03, y = -0.01, z = -0.06 }, + }, ['illustrator'] = '.Sniteur', }, ['skimmed_milk'] = { ['name'] = 'skimmed_milk', ['label'] = 'Pot de lait écrémé', ['weight'] = 3000, - ['type'] = 'food', + ['type'] = 'drink', ['unique'] = false, ['useable'] = true, ['shouldClose'] = false, @@ -2217,6 +2528,11 @@ QBShared.Items = { ['protein'] = 1, ['alcohol'] = 0, }, + prop = { + model = 'prop_cs_milk_01', + bone = 28422, + coords = { x = 0.03, y = -0.01, z = -0.06 }, + }, ['illustrator'] = '.Sniteur', }, ['cheese1'] = { @@ -2242,6 +2558,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Volkstat' }, ['cheese2'] = { @@ -2267,6 +2589,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Freaks' }, ['cheese3'] = { @@ -2292,6 +2620,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Freaks' }, ['cheese4'] = { @@ -2317,6 +2651,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Volkstat' }, ['cheese5'] = { @@ -2342,6 +2682,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Volkstat' }, ['cheese6'] = { @@ -2367,6 +2713,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Freaks' }, ['cheese7'] = { @@ -2392,6 +2744,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Freaks' }, ['cheese8'] = { @@ -2417,6 +2775,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Volkstat' }, ['cheese9'] = { @@ -2442,6 +2806,12 @@ QBShared.Items = { ['protein'] = 0.5, ['alcohol'] = 0, }, + prop = { + model = 'soz_prop_food_cheese', + bone = 60309, + coords = { x = -0.01, y = -0.03, z = -0.01 }, + rotation = { x = 0.01, y = 330.01, z = 90.01 }, + }, ['illustrator'] = '.Freaks' }, ['meal_box'] = { @@ -2455,6 +2825,7 @@ QBShared.Items = { ['durability'] = 7, ['combinable'] = nil, ['description'] = 'Contient de nombreux plats.', + ['illustrator'] = '.Poulpito' }, ['vegan_meal'] = { ['name'] = 'vegan_meal', @@ -2775,7 +3146,7 @@ QBShared.Items = { ['lockpick'] = { ['name'] = 'lockpick', ['label'] = 'Crochet', - ['weight'] = 200, + ['weight'] = 0, ['type'] = 'item_illegal', ['unique'] = false, ['useable'] = true, @@ -2813,6 +3184,30 @@ QBShared.Items = { ['combinable'] = nil, ['description'] = 'L\'outil parfait pour faire infecter un ordinateur' }, + ['umbrella'] = { + ['name'] = 'umbrella', + ['label'] = 'Parapluie', + ['weight'] = 600, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = 'Pour rester au sec sous la drache', + ['illustrator'] = '.Sniteur' + }, + ['protestsign'] = { + ['name'] = 'protestsign', + ['label'] = 'Pancarte de manifestation', + ['weight'] = 600, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = 'Pas content ! Pas content !', + ['illustrator'] = '.Poulpito' + }, -- Vehicle Tools ['repairkit'] = { ['name'] = 'repairkit', @@ -2921,6 +3316,7 @@ QBShared.Items = { ['unique'] = false, ['useable'] = true, ['shouldClose'] = true, + ['durability'] = 21, ['combinable'] = nil, ['description'] = 'Utile pour réanimer', ['illustrator'] = '.Smogogo' @@ -2996,7 +3392,7 @@ QBShared.Items = { ['type'] = 'item', ['image'] = 'Défibrillateur.png', ['unique'] = false, - ['useable'] = true, + ['useable'] = false, ['shouldClose'] = true, ['combinable'] = nil, ['description'] = 'Utile pour réanimer', @@ -3130,7 +3526,7 @@ QBShared.Items = { }, ['laptop'] = { ['name'] = 'laptop', - ['label'] = 'Ordinateur portable volé', + ['label'] = 'Ordinateur portable', ['weight'] = 1800, ['type'] = 'item_illegal', ['unique'] = false, @@ -3141,7 +3537,7 @@ QBShared.Items = { }, ['tablet'] = { ['name'] = 'tablet', - ['label'] = 'Tablette volée', + ['label'] = 'Tablette', ['weight'] = 500, ['type'] = 'item_illegal', ['unique'] = false, @@ -3226,7 +3622,7 @@ QBShared.Items = { }, ['10kgoldchain'] = { ['name'] = '10kgoldchain', - ['label'] = 'Chaîne en or volée', + ['label'] = 'Chaîne en or', ['weight'] = 500, ['type'] = 'item_illegal', ['unique'] = false, @@ -3623,7 +4019,8 @@ QBShared.Items = { ['useable'] = false, ['shouldClose'] = false, ['combinable'] = nil, - ['description'] = 'Du carburant conditionné servant à remplir les différentes stations services.' + ['description'] = 'Du carburant conditionné servant à remplir les différentes stations services.', + ['illustrator'] = '.LeakFlood' }, ['essence_jerrycan'] = { ['name'] = 'essence_jerrycan', @@ -3711,6 +4108,18 @@ QBShared.Items = { ['description'] = '', ['illustrator'] = '.Smogogo & Omega' }, + ['energy_cell_solar'] = { + ['name'] = 'energy_cell_solar', + ['label'] = "Cellule d'énergie solaire", + ['weight'] = 5000, + ['type'] = 'energy', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = '', + ['illustrator'] = '.Smogogo & Omega' + }, ['seeweed_acid'] = { ['name'] = 'seeweed_acid', ['label'] = "Acide d’algue conditionnée", @@ -3723,35 +4132,83 @@ QBShared.Items = { ['description'] = '', ['illustrator'] = '.Darabesque' }, - - -- zkea - ['house_map'] = { - ['name'] = 'house_map', - ['label'] = 'Carte des habitations', - ['weight'] = 100, + ['car_charger'] = { + ['name'] = 'car_charger', + ['label'] = "Borne de recharge", + ['weight'] = 50000, ['type'] = 'item', - ['unique'] = true, - ['useable'] = false, + ['unique'] = false, + ['useable'] = true, ['shouldClose'] = true, ['combinable'] = nil, - ['description'] = 'Pour retrouver ton chez toi !', - ['illustrator'] = '.Smogogo', + ['description'] = 'Kit d’installation d’une luxueuse borne de recharge idéale aux différentes stations essences de San Andreas.', + ['illustrator'] = '.NariieL' }, - - -- other - ['welcome_book'] = { - ['name'] = 'welcome_book', - ['label'] = 'Dépliant Touristique', - ['weight'] = 100, + ['lithium_battery'] = { + ['name'] = 'lithium_battery', + ['label'] = "Batterie lithium-ion", + ['weight'] = 25000, ['type'] = 'item', - ['unique'] = true, - ['useable'] = true, - ['shouldClose'] = true, + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, ['combinable'] = nil, - ['description'] = 'Bienvenue sur SOZ !', - ['illustrator'] = '.Kutz', + ['description'] = 'Idéale afin de réaliser l’entretien d’un véhicule électrique.', + ['illustrator'] = '.NariieL' }, - ['health_book'] = { + ['empty_lithium_battery'] = { + ['name'] = 'empty_lithium_battery', + ['label'] = "Batterie lithium-ion vide", + ['weight'] = 25000, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Elle n'a pas l'air de servir à grand chose.", + ['illustrator'] = '.NariieL' + }, + ['car_portable_battery'] = { + ['name'] = 'car_portable_battery', + ['label'] = "Batterie portable", + ['weight'] = 10000, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Batterie moderne permettant d’être transportée facilement et de recharger en cas d’urgence n’importe quel véhicule électrique.", + ['illustrator'] = '.NariieL' + }, + + -- zkea + ['house_map'] = { + ['name'] = 'house_map', + ['label'] = 'Carte des habitations', + ['weight'] = 100, + ['type'] = 'item', + ['unique'] = true, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = 'Pour retrouver ton chez toi !', + ['illustrator'] = '.Smogogo', + }, + + -- other + ['welcome_book'] = { + ['name'] = 'welcome_book', + ['label'] = 'Dépliant touristique de San Andreas', + ['weight'] = 100, + ['type'] = 'item', + ['unique'] = true, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Bienvenue à San Andreas ! N'hésitez pas à aller voir MANDATORY, le Gouvernement ou les Forces de l'ordre afin qu'ils t'initient à la vie de notre merveilleux État.", + ['illustrator'] = '.Kutz', + }, + ['health_book'] = { ['name'] = 'health_book', ['label'] = 'Guide de santé', ['weight'] = 100, @@ -3763,6 +4220,18 @@ QBShared.Items = { ['description'] = 'Votre guide de santé..', ['illustrator'] = '.NariieL', }, + ['politic_book'] = { + ['name'] = 'politic_book', + ['label'] = 'Dépliant politique de San Andreas', + ['weight'] = 250, + ['type'] = 'item', + ['unique'] = true, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Tu souhaites comprendre et te renseigner sur la hiérarchie fédérale de San Andreas ? Ce document est idéal pour cela ! La séparation du pouvoir y est expliquée à l'aide du Législatif, du Judiciaire et de l'Exécutif.", + ['illustrator'] = '.NariieL', + }, -- Benny's ['diagnostic_pad'] = { @@ -3789,6 +4258,7 @@ QBShared.Items = { ['shouldClose'] = false, ['combinable'] = nil, ['description'] = '', + ['carrybox'] = 'prop_log_01', ['illustrator'] = '.Omega' }, ['wood_plank'] = { @@ -3840,10 +4310,10 @@ QBShared.Items = { ['combinable'] = nil, ['description'] = '', ['resellPrice'] = { - [1] = 80, - [2] = 250, - [3] = 800, - [4] = 3000, + [1] = 160, + [2] = 500, + [3] = 1600, + [4] = 6000, }, ['resellZkeaQty'] = { [1] = 1, @@ -3981,6 +4451,12 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 16, }, + prop = { + model = 'prop_vodka_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + rotation = { x = 0.01, y = 0.01, z = 90.01 }, + }, illustrator = ".Kutz" }, gin = { @@ -4004,6 +4480,12 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 16, }, + prop = { + model = 'prop_tequila_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + rotation = { x = 0.01, y = 0.01, z = 90.01 }, + }, }, tequila = { name = 'tequila', @@ -4026,6 +4508,12 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 16, }, + prop = { + model = 'prop_tequila_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + rotation = { x = 0.01, y = 0.01, z = 90.01 }, + }, illustrator = ".Kutz" }, whisky = { @@ -4049,6 +4537,12 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 16, }, + prop = { + model = 'prop_whiskey_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + rotation = { x = 0.01, y = 0.01, z = 90.01 }, + }, illustrator = ".Kutz" }, cognac = { @@ -4072,6 +4566,12 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 16, }, + prop = { + model = 'prop_bottle_cognac', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + rotation = { x = 0.01, y = 0.01, z = 90.01 }, + }, illustrator = ".Kutz" }, rhum = { @@ -4095,6 +4595,12 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 16, }, + prop = { + model = 'prop_rum_bottle', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.12 }, + rotation = { x = 0.01, y = 0.01, z = 90.01 }, + }, illustrator = ".Kutz" }, green_lemon = { @@ -4281,6 +4787,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Kutz" }, lapicolada = { @@ -4304,6 +4815,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Smogogo" }, sunrayou = { @@ -4327,6 +4843,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Smogogo" }, ponche = { @@ -4350,6 +4871,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Kutz" }, pinkenny = { @@ -4373,6 +4899,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Smogogo" }, phasmopolitan = { @@ -4396,6 +4927,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Smogogo" }, escalier = { @@ -4419,6 +4955,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Kutz" }, whicanelle = { @@ -4442,6 +4983,11 @@ QBShared.Items = { ['protein'] = 0, ['alcohol'] = 8, }, + prop = { + model = 'prop_shots_glass_cs', + bone = 28422, + coords = { x = 0.01, y = -0.01, z = -0.01 }, + }, illustrator = ".Kutz" }, ['horror_cauldron'] = { @@ -4623,6 +5169,58 @@ QBShared.Items = { ['description'] = 'Enrobe délicatement vos formes pour les mettre en valeur lors de soirées trop arrosées.', ['illustrator'] = '.drako666 & Azur0ra' }, + ['garment_gloves'] = { + ['name'] = 'garment_gloves', + ['label'] = "Gants", + ['pluralLabel'] = "Gants", + ['weight'] = 500, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = 'Protège vos mains des intempéries.', + ['illustrator'] = '.Freaks' + }, + ['garment_bag'] = { + ['name'] = 'garment_bag', + ['label'] = "Sac", + ['pluralLabel'] = "Sacs", + ['weight'] = 1500, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = 'Pour transporter vos affaires.', + ['illustrator'] = '.Crash' + }, + ['garment_underwear_top'] = { + ['name'] = 'garment_underwear_top', + ['label'] = "Haut de sous-vêtement", + ['pluralLabel'] = "Hauts de sous-vêtement", + ['weight'] = 800, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Marre d'être torse nu ?", + ['illustrator'] = '.Smogogo' + }, + ['garment_mask'] = { + ['name'] = 'garment_mask', + ['label'] = "Masque", + ['pluralLabel'] = "Masques", + ['weight'] = 900, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Parfait pour les soirées déguisées. Ou pour autre chose...", + ['illustrator'] = '.Smogogo' + }, ['luxury_garment_top'] = { ['name'] = 'luxury_garment_top', ['label'] = "Haut de vêtement luxueux", @@ -4675,6 +5273,45 @@ QBShared.Items = { ['description'] = "Ça moule pas trop j'espère ?", ['illustrator'] = '.Kutz & Devy' }, + ['luxury_garment_gloves'] = { + ['name'] = 'luxury_garment_gloves', + ['label'] = "Gants luxueux", + ['pluralLabel'] = "Gants luxueux", + ['weight'] = 500, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = 'De magnifiques gants pour vos magnifiques mains.', + ['illustrator'] = '.GautSlayer' + }, + ['luxury_garment_bag'] = { + ['name'] = 'luxury_garment_bag', + ['label'] = "Sac luxueux", + ['pluralLabel'] = "Sacs luxueux", + ['weight'] = 1500, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = 'Celui là est un Louis Zuitton !', + ['illustrator'] = '.Crash' + }, + ['luxury_garment_underwear_top'] = { + ['name'] = 'luxury_garment_underwear_top', + ['label'] = "Haut de sous-vêtement luxueux", + ['pluralLabel'] = "Hauts de sous-vêtement luxueux", + ['weight'] = 800, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Doux et soyeux, comme une peau de bébé.", + ['illustrator'] = '.Smogogo' + }, work_clothes = { name = 'work_clothes', label = 'Tenue de travail', @@ -5142,17 +5779,17 @@ QBShared.Items = { }, ['cigarette_used'] = { ['name'] = 'cigarette_used', - ['label'] = 'Cigarette usagée "Era"', + ['label'] = "Cigarette usagée 'Era'", ['weight'] = 50, ['type'] = 'item_illegal', ['unique'] = false, - ['useable'] = true, + ['useable'] = false, ['description'] = 'Cigarette déja utilisée.', ['illustrator'] = '.NariieL', }, ['cigarette_pack'] = { ['name'] = 'cigarette_pack', - ['label'] = 'Paquet de cigarette "Era"', + ['label'] = 'Paquet de cigarette \'Era\'', ['weight'] = 300, ['type'] = 'item_illegal', ['unique'] = false, @@ -5468,7 +6105,7 @@ QBShared.Items = { ['label'] = 'Ticket nouvel arrivant', ['weight'] = 0, ['type'] = 'item', - ['durability'] = 9, + ['durability'] = 10, ['unique'] = false, ['useable'] = true, ['not_searchable'] = true, @@ -5579,7 +6216,7 @@ QBShared.Items = { ['suspicious_package'] = { ['name'] = 'suspicious_package', ['label'] = 'Colis suspect', - ['weight'] = 1000, + ['weight'] = 0, ['type'] = 'item_illegal', ['unique'] = false, ['useable'] = false, @@ -5630,6 +6267,17 @@ QBShared.Items = { ['combinable'] = nil, ['description'] = 'Ne doit pas être utilisé pour faire des records. ', }, + ["screening_test"] = { + ['name'] = "screening_test", + ['label'] = "Test de dépistage", + ['weight'] = 200, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['combinable'] = nil, + ['description'] = "Je vous jure que j'ai pas fumé. Sauf une fois au chalet.", + ['illustrator'] = '.Poulpito', + }, ['zip'] = { ['name'] = 'zip', ['label'] = 'Zip', @@ -5670,7 +6318,7 @@ QBShared.Items = { }, ['clothing_job_low'] = { ['name'] = 'clothing_job_low', - ['label'] = 'Tenue de stagiaire pôle emploie', + ['label'] = 'Tenue de stagiaire Pôle emploi', ['weight'] = 2000, ['type'] = 'item_illegal', ['unique'] = false, @@ -5735,10 +6383,10 @@ QBShared.Items = { ['hunger'] = 50, ['thirst'] = 50, ['stamina'] = 0, - ['fiber'] = 0, - ['lipid'] = 0, + ['fiber'] = 10, + ['lipid'] = 5, ['sugar'] = 0, - ['protein'] = 0, + ['protein'] = 10, ['alcohol'] = 0, }, ['illustrator'] = '.Chouki', @@ -5899,7 +6547,7 @@ QBShared.Items = { ['illustrator'] = '.Poulpito' }, ['jewelbag_illegal'] = { - ['name'] = 'jewelbag', + ['name'] = 'jewelbag_illegal', ['label'] = 'Sac de bijoux', ['weight'] = 5000, ['type'] = 'item_illegal', @@ -5911,7 +6559,7 @@ QBShared.Items = { ['illustrator'] = '.DaraBesque' }, ['small_moneybag_illegal'] = { - ['name'] = 'small_moneybag', + ['name'] = 'small_moneybag_illegal', ['label'] = 'Petit sac d\'argent', ['weight'] = 1000, ['type'] = 'item_illegal', @@ -5923,9 +6571,9 @@ QBShared.Items = { ['illustrator'] = '.Sniteur' }, ['medium_moneybag_illegal'] = { - ['name'] = 'medium_moneybag', + ['name'] = 'medium_moneybag_illegal', ['label'] = 'Moyen sac d’argent', - ['weight'] = 2000, + ['weight'] = 1500, ['type'] = 'item_illegal', ['unique'] = false, ['useable'] = false, @@ -5935,9 +6583,9 @@ QBShared.Items = { ['illustrator'] = '.Sniteur' }, ['big_moneybag_illegal'] = { - ['name'] = 'big_moneybag', - ['label'] = 'Grand sac d\'argent [volé]', - ['weight'] = 3000, + ['name'] = 'big_moneybag_illegal', + ['label'] = 'Grand sac d\'argent', + ['weight'] = 2000, ['type'] = 'item_illegal', ['unique'] = false, ['useable'] = false, @@ -5946,4 +6594,3441 @@ QBShared.Items = { ['description'] = "De quoi être plein aux as. ", ['illustrator'] = '.Sniteur' }, + ['police_pliers'] = { + ['name'] = 'police_pliers', + ['label'] = 'Pince policière', + ['weight'] = 200, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Attention ca coupe. ", + ['illustrator'] = '.Poulpito' + }, + ['torn_garbagebag'] = { + ['name'] = 'torn_garbagebag', + ['label'] = 'Sac de détritus déchiré', + ['weight'] = 4000, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Quelqu'un est passé par là et à tout déchiré...", + ['illustrator'] = '.Poulpito' + }, + ['golden_egg'] = { + ['name'] = 'golden_egg', + ['label'] = "Œuf d'or", + ['weight'] = 1200, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Orné de gravures et d'incrustations précieuses, cet œuf en or est un objet précieux et rare qui est souvent associé à la prospérité. Tu as de la chance de l'avoir !", + ['illustrator'] = '.Poulpito' + }, + ['chocolate_bunny'] = { + ['name'] = 'chocolate_bunny', + ['label'] = "Lapin en chocolat", + ['weight'] = 300, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Délicieuse gourmandise sucrée fabriqué à partir de chocolat au lait, blanc ou noir et est moulé dans la forme d'un lapin.", + ['nutrition'] = { + ['hunger'] = 15, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 5, + ['sugar'] = 10, + ['protein'] = 0, + ['alcohol'] = 0, + }, + ['illustrator'] = '.Poulpito' + }, + ['easter_basket'] = { + ['name'] = 'easter_basket', + ['label'] = "Panier de Pâques", + ['weight'] = 500, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Objet décoratif traditionnel utilisé pour collecter et contenir des œufs de Pâques. Celui-ci est fabriqué à partir de matériaux naturels tels que de l'osier. De nombreux oeufs de pâques sont prêts à être manger à l'intérieur.", + ['nutrition'] = { + ['hunger'] = 50, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 15, + ['sugar'] = 30, + ['protein'] = 0, + ['alcohol'] = 0, + }, + ['illustrator'] = '.Poulpito' + }, + ['stuffed_rabbit'] = { + ['name'] = 'stuffed_rabbit', + ['label'] = "Peluche 'Lapin'", + ['weight'] = 150, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Cette peluche est faite d'un tissu doux et moelleux, et sa forme représente celle d'un lapin, avec de grandes oreilles et une queue moelleuse. Sa mignonnerie vous détend et vous rend tout doux !", + ['illustrator'] = '.Poulpito' + }, + ['easter_bell'] = { + ['name'] = 'easter_bell', + ['label'] = "Cloche de Pâques", + ['weight'] = 2500, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Traditionnellement utilisé pour annoncer l'arrivée de Pâques, cette cloche vous rappel de bons souvenirs. Son poids est cependant étonnamment important.", + ['illustrator'] = '.Poulpito' + }, + ['chocolat_bread'] = { + ['name'] = 'chocolat_bread', + ['label'] = "Pain au chocolatine", + ['weight'] = 200, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Tendre et moelleux, cette viennoiserie à la pâte feuilletée vous fait succuber. Mais attendez... Quel est ce nom ? Serait-ce un mix entre un Pain au Chocolat et une Chocolatine ?!....", + ['nutrition'] = { + ['hunger'] = 15, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 3, + ['sugar'] = 8, + ['protein'] = 0, + ['alcohol'] = 0, + }, + ['illustrator'] = '.Poulpito' + }, + ['chocolat_egg'] = { + ['name'] = 'chocolat_egg', + ['label'] = "Œuf en chocolat", + ['weight'] = 50, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Elle est sexy, raffinée (sexy, raffinée) ! Chocolat, cho-cho-cho-chocolat.", + ['nutrition'] = { + ['hunger'] = 5, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 1, + ['sugar'] = 3, + ['protein'] = 0, + ['alcohol'] = 0, + }, + ['illustrator'] = '.Poulpito' + }, + ['chocolat_milk_egg'] = { + ['name'] = 'chocolat_milk_egg', + ['label'] = "Œuf en chocolat au lait", + ['weight'] = 50, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Elle est sexy, raffinée (sexy, raffinée) ! Chocolat, cho-cho-cho-chocolat au lait !", + ['nutrition'] = { + ['hunger'] = 5, + ['thirst'] = 0, + ['stamina'] = 0, + ['fiber'] = 0, + ['lipid'] = 1, + ['sugar'] = 3, + ['protein'] = 0, + ['alcohol'] = 0, + }, + ['illustrator'] = '.Poulpito' + }, + ['bunny_ear'] = { + ['name'] = 'bunny_ear', + ['label'] = "Oreille de lapin.e", + ['weight'] = 100, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Mignonne paire d'oreilles de lapin.e ! Idéale pour... Mmmmh.", + ['illustrator'] = '.Poulpito' + }, + ['paycrimi_card'] = { + ['name'] = 'paycrimi_card', + ['label'] = "Carte PayCrimi™", + ['weight'] = 150, + ['type'] = 'item_illegal', + ['durability'] = 7, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Fabriquée à partir de plusieurs matériaux, cette carte bancaire assure à n'importe qui de pouvoir payer une seule transaction, que ça soit amende ou facture, à l'aide d'argent sale.", + ['illustrator'] = '.Poulpito' + }, + ['empty_lunchbox'] = { + ['name'] = 'empty_lunchbox', + ['label'] = "Panier-Repas vide", + ['weight'] = 200, + ['type'] = 'crate', + ['unique'] = false, + ['combinable'] = nil, + ['description'] = "Idéal pour y ajouter nourritures et boissons !", + ['illustrator'] = '.Poulpito' + }, + ['lunchbox'] = { + ['name'] = 'lunchbox', + ['label'] = "Panier-Repas", + ['weight'] = 200, + ['useable'] = true, + ['type'] = 'crate', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Panier-repas contenant :", + ['illustrator'] = '.Poulpito' + }, + ['fleeca_money_bag'] = { + ['name'] = 'fleeca_money_bag', + ['label'] = "Sac de FLEECA", + ['weight'] = 5000, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = 'Money money money !', + ['illustrator'] = '.Poulpito' + }, + ['medal_of_merit'] = { + ['name'] = 'medal_of_merit', + ['label'] = "Médaille du mérite", + ['weight'] = 500, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Décernée aux membres des forces de l'ordre ainsi qu'aux civils travaillant pour la Défense qui se sont distingués par leur conduite et leur manière de servir ou par des prestations occasionnelles qui revêtent un caractère exceptionnel.", + }, + ['products_heavy_box'] = { + ['name'] = 'products_heavy_box', + ['label'] = "Lourde caisse de produits", + ['weight'] = 2000, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Cette lourde caisse semble être remplit de cachets, seringues et poudres diverses. Une odeur peu familière s'en dégage.", + ['illustrator'] = '.Sniteur' + }, + ['900k_album'] = { + ['name'] = '900k_album', + ['label'] = "Album 900k", + ['weight'] = 200, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Album musical du plus grand des artistes français.", + ['illustrator'] = '.Nariiel' + }, + + ['sell_contract'] = { + ['name'] = 'sell_contract', + ['label'] = 'Contrat de vente', + ['weight'] = 250, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['onlyone'] = true, + ['durability'] = 10, + ['description'] = "Un texte y demandant plusieurs pochons de drogues en même temps, à direction de plusieurs adresses inconnues.", + ['illustrator'] = '.Sniteur' + }, + ['heavy_sell_contract'] = { + ['name'] = 'heavy_sell_contract', + ['label'] = 'Contrat de vente lourde', + ['weight'] = 250, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['onlyone'] = true, + ['durability'] = 10, + ['description'] = "Plusieurs écrits stipulent de lourdes caisses de drogues, en direction de plusieurs adresses mystères.", + ['illustrator'] = '.Sniteur' + }, + + ['mushroom'] = { + ['name'] = 'mushroom', + ['label'] = 'Champignon', + ['weight'] = 750, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Inoffensifs à première vue, mais à la forte caractéristique hallucinogène.", + ['illustrator'] = '.Sniteur' + }, + ['fruiting_bag'] = { + ['name'] = 'fruiting_bag', + ['label'] = 'Sac de fructification', + ['weight'] = 1000, + ['type'] = 'drug_pot', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Prêt à être utilisé afin d'y faire développer quelconque écosystème.", + ['illustrator'] = '.Sniteur', + ['drug_pot'] = { + ['target'] = 'mushrooms_fruiting_bag', + ['ingredient'] = 'mushroom', + ['nbIngredient'] = 60, + } + }, + ['mushrooms_fruiting_bag'] = { + ['name'] = 'mushrooms_fruiting_bag', + ['label'] = 'Sac de fructification à champignons', + ['weight'] = 7500, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Permet aux champignons de se développer parfaitement dans un environnement propice à celui-ci.", + ['illustrator'] = '.Sniteur' + }, + ['processed_psilocybine'] = { + ['name'] = 'processed_psilocybine', + ['label'] = 'Psilocybine traitée', + ['weight'] = 750, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Est un puissant hallucinogène fabriqué à partir de champignon. Elle est réputée pour ses effets euphoriques et sa capacité à provoquer une hyperactivité.", + ['illustrator'] = '.Sniteur' + }, + ['psilocybine_space_cake'] = { + ['name'] = 'psilocybine_space_cake', + ['label'] = 'Gâteau Spatial Psilocybine', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Décollage, direction l'espace !", + ['nutrition'] = { + ['hunger'] = 20, + ['drug'] = 30, + }, + ['illustrator'] = '.Sniteur' + }, + ['psilocybine_bag'] = { + ['name'] = 'psilocybine_bag', + ['label'] = 'Sachet de Psilocybine', + ['weight'] = 525, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Contient assez de Psilocybine pour être vendu à n'importe quel client.", + ['illustrator'] = '.Sniteur' + }, + ['psilocybine_box'] = { + ['name'] = 'psilocybine_box', + ['label'] = 'Caisse de Psilocybine', + ['weight'] = 2250, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['carrybox'] = 'prop_mp_drug_pack_blue', + ['description'] = "Il y a assez de Psilocybine à l'intérieur pour faire une soirée avec pleins d'amis.", + ['illustrator'] = '.Sniteur' + }, + ['zeed'] = { + ['name'] = 'zeed', + ['label'] = 'Feuille de Zeed', + ['weight'] = 500, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Plante naturel qui dégage une odeur agréable.", + ['illustrator'] = '.Sniteur' + }, + ['soil_pot'] = { + ['name'] = 'soil_pot', + ['label'] = 'Pot de terre', + ['weight'] = 1000, + ['type'] = 'drug_pot', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Idéal pour faire pousser de belles plantations.", + ['illustrator'] = '.Sniteur', + ['drug_pot'] = { + ['target'] = 'zeed_pot', + ['ingredient'] = 'zeed', + ['nbIngredient'] = 60, + } + }, + ['zeed_pot'] = { + ['name'] = 'zeed_pot', + ['label'] = 'Pot de Zeed', + ['weight'] = 5000, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Pousse jeune plante, pousse !", + ['illustrator'] = '.Sniteur' + }, + ['processed_zeed'] = { + ['name'] = 'processed_zeed', + ['label'] = 'Zeed Traitée', + ['weight'] = 500, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Est un puissant perturbateurs fabriqué à partir de feuilles naturelles. Elle est réputée pour ses effets de bien-être et sa capacité de provoquer de violent bad-trip.", + ['illustrator'] = '.Sniteur' + }, + ['zeed_joint'] = { + ['name'] = 'zeed_joint', + ['label'] = 'Joint de Zeed', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Idéal pour se mettre bien.", + ['illustrator'] = '.Sniteur' + }, + ['zeed_bag'] = { + ['name'] = 'zeed_bag', + ['label'] = 'Sachet de Zeed', + ['weight'] = 350, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Contient assez de Zeed pour être vendu à n'importe quel client.", + ['illustrator'] = '.Sniteur' + }, + ['zeed_box'] = { + ['name'] = 'zeed_box', + ['label'] = 'Caisse de Zeed', + ['weight'] = 1500, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['carrybox'] = 'prop_mp_drug_package', + ['description'] = "Il y a assez de Zeed à l'intérieur pour faire une soirée avec pleins d'amis.", + ['illustrator'] = '.Sniteur' + }, + + ['toxic_flesh'] = { + ['name'] = 'toxic_flesh', + ['label'] = 'Chair toxique', + ['weight'] = 1000, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Ne donne vraiment pas envie d'être dégusté. L'odeur qui s'en dégage est insoutenable.", + ['illustrator'] = '.Sniteur' + }, + ['fermentation_pot'] = { + ['name'] = 'fermentation_pot', + ['label'] = 'Marmite de fermentation', + ['weight'] = 4000, + ['type'] = 'drug_pot', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "C'est important de bien fermenter la viande.", + ['illustrator'] = '.Sniteur', + ['drug_pot'] = { + ['target'] = 'toxic_flesh_pot', + ['ingredient'] = 'toxic_flesh', + ['nbIngredient'] = 20, + } + }, + ['toxic_flesh_pot'] = { + ['name'] = 'toxic_flesh_pot', + ['label'] = 'Marmite de Chair toxique', + ['weight'] = 10000, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Marmite remplie de chair toxique prête à chauffer à plusieurs centaines de degrés afin d'amplifier les toxines.", + ['illustrator'] = '.Sniteur' + }, + ['processed_pandoxine'] = { + ['name'] = 'processed_pandoxine', + ['label'] = 'Pandoxine Traitée', + ['weight'] = 1000, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Est un puissant analgésique fabriqué à partir de chair d'animal. Elle est utilisée pour soulager la douleur extrême, mais son utilisation prolongée peut entraîner une dépendance sévère.", + ['illustrator'] = '.Sniteur' + }, + ['tablet_pandoxine'] = { + ['name'] = 'tablet_pandoxine', + ['label'] = 'Cachet de Pandoxine', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Qui veut mes bonbons sucrés ? Qui veut ?", + ['nutrition'] = { + ['stress'] = -2, + ['drug'] = 25, + }, + ['illustrator'] = '.Poulpito' + }, + ['pandoxine_bag'] = { + ['name'] = 'pandoxine_bag', + ['label'] = 'Sachet de Pandoxine', + ['weight'] = 700, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Contient assez de Pandoxine pour être vendu à n'importe quel client.", + ['illustrator'] = '.Sniteur' + }, + ['pandoxine_box'] = { + ['name'] = 'pandoxine_box', + ['label'] = 'Caisse de Pandoxine', + ['weight'] = 3000, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['carrybox'] = 'prop_mp_drug_pack_red', + ['description'] = "Il y a assez de Pandoxine à l'intérieur pour faire une soirée avec pleins d'amis.", + ['illustrator'] = '.Sniteur' + }, + + ['ciguatoxine'] = { + ['name'] = 'ciguatoxine', + ['label'] = 'Ciguatoxine', + ['weight'] = 500, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Forte toxine provenant d'animal marin.", + ['illustrator'] = '.Sniteur' + }, + ['heating_tank'] = { + ['name'] = 'heating_tank', + ['label'] = 'Bidon de chauffe', + ['weight'] = 2000, + ['type'] = 'drug_pot', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Qu'est-ce qu'on pourrait bien faire chauffer là-dedans ? Sûrement une grande quantité de liquide !", + ['illustrator'] = '.Sniteur', + ['drug_pot'] = { + ['target'] = 'ciguatoxine_tank', + ['ingredient'] = 'ciguatoxine', + ['nbIngredient'] = 20, + } + }, + ['ciguatoxine_tank'] = { + ['name'] = 'ciguatoxine_tank', + ['label'] = 'Bidon de Ciguatoxine', + ['weight'] = 5000, + ['type'] = 'item_illegal', + ['durability'] = 14, + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Bidon remplit de Ciguatoxine prêt à être bouillie à plusieurs centaines de degrés afin d'en créer une puissante drogue.", + ['illustrator'] = '.Sniteur' + }, + ['processed_krakenine'] = { + ['name'] = 'processed_krakenine', + ['label'] = 'Krakenine Traitée', + ['weight'] = 500, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Est un puissant stimulant fabriqué à partir de glandes liquides d'animaux marins. Elle est utilisée pour créer de fortes excitations, mais son utilisation prolongée peut entraîner une folie sévère.", + ['illustrator'] = '.Sniteur' + }, + ['syringe_krakenine'] = { + ['name'] = 'syringe_krakenine', + ['label'] = 'Seringue de Krakenine', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Direction le paradis ou les enfers, au choix.", + ['nutrition'] = { + ['hunger'] = -10, + ['thirst'] = -10, + ['stress'] = -4, + ['drug'] = 50, + }, + ['stressGroup'] = true, + ['illustrator'] = '.Sniteur' + }, + ['krakenine_bag'] = { + ['name'] = 'krakenine_bag', + ['label'] = 'Sachet de Krakenine', + ['weight'] = 350, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Contient assez de Krakenine pour être vendu à n'importe quel client.", + ['illustrator'] = '.Sniteur' + }, + ['krakenine_box'] = { + ['name'] = 'krakenine_box', + ['label'] = 'Caisse de Krakenine', + ['weight'] = 1500, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = true, + ['combinable'] = nil, + ['carrybox'] = 'prop_mp_drug_package', + ['description'] = "Il y a assez de Krakenine à l'intérieur pour faire une soirée avec pleins d'amis.", + ['illustrator'] = '.Sniteur' + }, + + ['restful_patch'] = { + ['name'] = 'restful_patch', + ['label'] = 'Patch reposant', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Idéal après une longue journée.", + ['illustrator'] = '.Sniteur' + }, + ['relax_cookie'] = { + ['name'] = 'relax_cookie', + ['label'] = 'Cookies relaxant', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Tout le monde aime les cookies.", + ['nutrition'] = { + ['hunger'] = 20, + ['drug'] = 30, + ['stress'] = -2, + }, + ['illustrator'] = '.NariieL' + }, + ['calm_beverage'] = { + ['name'] = 'calm_beverage', + ['label'] = 'Boisson apaisante', + ['weight'] = 250, + ['type'] = 'drug', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['durability'] = 14, + ['description'] = "Les plantes c'est la vie.", + ['nutrition'] = { + ['hunger'] = 20, + ['drug'] = 20, + ['stress'] = -2, + }, + ['illustrator'] = '.NariieL' + }, + ['naloxone'] = { + ['name'] = 'naloxone', + ['label'] = 'Naloxone', + ['weight'] = 200, + ['type'] = 'item', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Composé polycyclique complexe et le principal antagoniste des récepteurs de la morphine. Dans les cas d'intoxication aiguë aux morphiniques, la naloxone est administrée afin de déplacer la morphine de ses sites récepteurs et d'arrêter son action.", + ['illustrator'] = '.Poulpito' + }, + ['lsmc_triathlon_2023_medal'] = { + ['name'] = 'lsmc_triathlon_2023_medal', + ['label'] = 'Médaille "Triathlon LSMC 2023"', + ['useable'] = false, + ['weight'] = 500, + ['type'] = 'item', + ['description'] = "Bravo à toi ! Tu as gagné cette médaille à la sueur de ton front en franchissant la ligne d'arrivée du Marathon LSMC 2023. Y'a pas de quoi flamber non plus, mais ça fera toujours joli dans l'étagère du salon.", + ['illustrator'] = '.Beardy', + }, + ['road_festival_2023_trophy'] = { + ['name'] = 'road_festival_2023_trophy', + ['label'] = 'Trophée "Road Festival 2023"', + ['useable'] = false, + ['weight'] = 5000, + ['type'] = 'item', + ['description'] = "Prix du gagnant du festival thématisé autour des courses de rues en 2023. Désigné ainsi meilleur pilote de la ville.", + ['illustrator'] = '.Poulpito', + }, + ['dirt_festival_2023_trophy'] = { + ['name'] = 'dirt_festival_2023_trophy', + ['label'] = 'Trophée "Dirt Festival 2023"', + ['useable'] = false, + ['weight'] = 5000, + ['type'] = 'item', + ['description'] = "Prix du gagnant du festival thématisé autour des courses de boues en 2023. Désigné ainsi meilleur pilote de la campagne.", + ['illustrator'] = '.Poulpito', + }, + ['mountain_festival_2023_trophy'] = { + ['name'] = 'mountain_festival_2023_trophy', + ['label'] = 'Trophée "Mountain Festival 2023"', + ['useable'] = false, + ['weight'] = 5000, + ['type'] = 'item', + ['description'] = "Prix du gagnant du festival thématisé autour des courses à fort dénivelé en 2023. Désigné ainsi meilleur pilote de la montagne.", + ['illustrator'] = '.Poulpito', + }, + ['worldtour_festival_2023_trophy'] = { + ['name'] = 'worldtour_festival_2023_trophy', + ['label'] = 'Trophée "Worl Tour Festival 2023"', + ['useable'] = false, + ['weight'] = 5000, + ['type'] = 'item', + ['description'] = "Prix du gagnant du festival thématisé autour des courses gyrophares allumés en 2023. Désigné ainsi meilleur pilote de véhicules d'intervention.", + ['illustrator'] = '.Poulpito', + }, + ['summer_race_2023_gold_medal'] = { + ['name'] = 'summer_race_2023_gold_medal', + ['label'] = 'Médaille d\'or "Summer Races 2023"', + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prix reçu à l'occasion d'un Top 10 lors d'un festival des Summer Races 2023.", + ['illustrator'] = '.Poulpito', + }, + ['summer_race_2023_silver_medal'] = { + ['name'] = 'summer_race_2023_silver_medal', + ['label'] = 'Médaille d\'argent "Summer Races 2023"', + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prix reçu à l'occasion d'un Top 20 lors d'un festival des Summer Races 2023.", + ['illustrator'] = '.Poulpito', + }, + ['summer_race_2023_bronze_medal'] = { + ['name'] = 'summer_race_2023_bronze_medal', + ['label'] = 'Médaille de bronze "Summer Races 2023"', + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prix reçu à l'occasion d'un Top 30 lors d'un festival des Summer Races 2023.", + ['illustrator'] = '.Poulpito', + }, + ['kerozene_jerrycan_low'] = { + ['name'] = 'kerozene_jerrycan_low', + ['label'] = 'Bidons de kérozène artisanal', + ['weight'] = 1000, + ['type'] = 'item_illegal', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['durability'] = 7, + ['combinable'] = nil, + ['description'] = 'Ton bateau volé te remerciera.', + ['illustrator'] = '.Poulpito', + }, + ['mre_peach'] = { + ['name'] = 'mre_peach', + ['label'] = 'MRE Peach', + ['weight'] = 1000, + ['type'] = 'food', + ['unique'] = false, + ['useable'] = true, + ['shouldClose'] = true, + ['durability'] = 7, + ['combinable'] = nil, + ['description'] = 'Pour ceux qui ont un goût encore plus douteux.', + ['nutrition'] = { + ['hunger'] = 50, + ['thirst'] = 50, + ['stamina'] = 0, + ['fiber'] = 5, + ['lipid'] = 5, + ['sugar'] = 10, + ['protein'] = 0, + ['alcohol'] = 0, + }, + ['illustrator'] = '.Poulpito', + }, + ['fake_id_papers'] = { + ['name'] = 'fake_id_papers', + ['label'] = "Papiers d'identités factices", + ['weight'] = 1000, + ['type'] = 'item_illegal', + ['unique'] = true, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Il s'appelle Juste Leblanc... Ah bon, il n'a pas de prénom ?", + ['illustrator'] = '.Poulpito', + }, + ['artisanal_jammer'] = { + ['name'] = 'artisanal_jammer', + ['label'] = "Brouilleur d'ondes artisanal", + ['weight'] = 1000, + ['type'] = 'item_illegal', + ['unique'] = true, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Ce bijou de technologie est capable de faire disparaitre n'importe quel véhicule des forces de l'ordre du radar durant environ une heure.", + ['illustrator'] = '.Poulpito', + }, + + --- PAWL + ['chainsaw'] = { + ['name'] = 'chainsaw', + ['label'] = "Tronçonneuse", + ['weight'] = 4000, + ['useable'] = false, + ['type'] = 'item', + ['shouldClose'] = true, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Outil des enfers qui coupe des arbres.", + ['illustrator'] = '.Aurukh' + }, + + --- Fishing Items + ['basic_rod'] = { + ['name'] = 'basic_rod', + ['label'] = "Canne à pêche basique", + ['weight'] = 1000, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Un simple bâton de bois avec un bout de ficelle.", + ['illustrator'] = '.Aurukh' + }, + + ['prestige_rod'] = { + ['name'] = 'prestige_rod', + ['label'] = "Canne à pêche prestige", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Le matériel du pêcheur professionnel.", + ['illustrator'] = '.Aurukh' + }, + ['littoral_rod'] = { + ['name'] = 'littoral_rod', + ['label'] = "Canne à pêche \"Littoral\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Qui n'a jamais collectionné les coquillages sur la plage ?", + ['illustrator'] = '.Aurukh' + }, + ['canals_rod'] = { + ['name'] = 'canals_rod', + ['label'] = "Canne à pêche \"Canaux\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "C'était certain qu'avec la pollution et tous les produits chimiques dans les canaux que la canne à pêche allait muter !", + ['illustrator'] = '.Aurukh' + }, + ['river_rod'] = { + ['name'] = 'river_rod', + ['label'] = "Canne à pêche \"Rivière\"", + ['weight'] = 500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Salut vieille branche !", + ['illustrator'] = '.Aurukh' + }, + ['little_lake_rod'] = { + ['name'] = 'little_lake_rod', + ['label'] = "Canne à pêche \"Petit Lac\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Le roseau plie mais ne se romps pas", + ['illustrator'] = '.Aurukh' + }, + ['big_lake_rod'] = { + ['name'] = 'big_lake_rod', + ['label'] = "Canne à pêche \"Grand Lac\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Le sable, la forêt et la montagne", + ['illustrator'] = '.Aurukh' + }, + ['north_sea_rod'] = { + ['name'] = 'north_sea_rod', + ['label'] = "Canne à pêche \"Mer du Nord\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Vogue sur l'océan, moussaillon !", + ['illustrator'] = '.Aurukh' + }, + ['south_sea_rod'] = { + ['name'] = 'south_sea_rod', + ['label'] = "Canne à pêche \"Mer du Sud\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "Avec un trident et un filet, quoi de mieux pour pécher ?", + ['illustrator'] = '.Aurukh' + }, + ['ultim_rod'] = { + ['name'] = 'ultim_rod', + ['label'] = "Canne à pêche \"Ultime\"", + ['weight'] = 1500, + ['useable'] = true, + ['type'] = 'fishing_rod', + ['shouldClose'] = false, + ['unique'] = true, + ['combinable'] = nil, + ['description'] = "La vie aquatique dans toute sa splendeur", + ['illustrator'] = '.Aurukh' + }, + + ['juicy_bait'] = { + ['name'] = 'juicy_bait', + ['label'] = "Appât Juteux", + ['weight'] = 100, + ['useable'] = false, + ['type'] = 'fishing_bait', + ['shouldClose'] = false, + ['unique'] = false, + ['combinable'] = nil, + ['description'] = "Appât dégoulinant, les animaux marins se réveilleront peu importe l'heure pour venir déguster cette chose gluante.", + ['illustrator'] = '.Moustash' + }, + ['tender_bait'] = { + ['name'] = 'tender_bait', + ['label'] = "Appât Tendre", + ['weight'] = 100, + ['useable'] = false, + ['type'] = 'fishing_bait', + ['shouldClose'] = false, + ['unique'] = false, + ['combinable'] = nil, + ['description'] = "Appât fait d'un met délicieux, peu importe le mauvais temps, les animaux marins se rueront vers lui.", + ['illustrator'] = '.Moustash' + }, + ['furious_bait'] = { + ['name'] = 'furious_bait', + ['label'] = "Appât Furieux", + ['weight'] = 150, + ['useable'] = false, + ['type'] = 'fishing_bait', + ['shouldClose'] = false, + ['unique'] = false, + ['combinable'] = nil, + ['description'] = "Cet appat N.R.V. donnera un sale coup au moral de la prise, ce sera plus facile de la tirer de l'eau le moment venu", + ['illustrator'] = '.Moustash' + }, + ['inshape_bait'] = { + ['name'] = 'inshape_bait', + ['label'] = "Appât Musclé", + ['weight'] = 250, + ['useable'] = false, + ['type'] = 'fishing_bait', + ['shouldClose'] = false, + ['unique'] = false, + ['combinable'] = nil, + ['description'] = "Cet appat musclé permettra d'aller rapidement au contact des animaux marin, la prise devrait arriver plus rapidement.", + ['illustrator'] = '.Moustash' + }, + ['sozedex'] = { + ['name'] = 'sozedex', + ['label'] = "Sozedex", + ['weight'] = 600, + ['type'] = 'item', + ['unique'] = true, + ['useable'] = true, + ['shouldClose'] = true, + ['combinable'] = nil, + ['description'] = "Indispensable à tout bon pêcheur, il est idéal pour noter vos exploits de pêche.", + ['illustrator'] = '.XLKa' + }, + + --- FISHING GARBAGES --- + ['old_shoes'] = { + ['name'] = 'old_shoes', + ['label'] = "Paire de chaussure pourrie", + ['weight'] = 400, + ['type'] = 'fishing_garbage', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Un coup de polish et elles sont niquel... Non ?", + ['illustrator'] = '.Poulpito' + }, + ['disgusting_jar'] = { + ['name'] = 'disgusting_jar', + ['label'] = "Bocal répugnant", + ['weight'] = 150, + ['type'] = 'fishing_garbage', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Berk, un écosystème autonome s'est établit sur ce bocal.", + ['illustrator'] = '.Moustash' + }, + ['disgusting_can'] = { + ['name'] = 'disgusting_can', + ['label'] = "Boîte de conserve dégoutante", + ['weight'] = 200, + ['type'] = 'fishing_garbage', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Miam miam le petit ragoût !", + ['illustrator'] = '.Moustash' + }, + ['old_coffee_cup'] = { + ['name'] = 'old_coffee_cup', + ['label'] = "Gobelet en plastique dégoulinant", + ['weight'] = 200, + ['type'] = 'fishing_garbage', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Une représentation parfaite de la vie.", + ['illustrator'] = '.Poulpito' + }, + ['used_junky_syringue'] = { + ['name'] = 'used_junky_syringue', + ['label'] = "Seringue de junky usagée", + ['weight'] = 100, + ['type'] = 'fishing_garbage', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Les ravages de VALORANT, encore une personne ayant trop joué.", + ['illustrator'] = '.Moustash' + }, + ['lost_tire'] = { + ['name'] = 'lost_tire', + ['label'] = "Pneu perdu", + ['weight'] = 500, + ['type'] = 'fishing_garbage', + ['unique'] = false, + ['useable'] = false, + ['shouldClose'] = false, + ['combinable'] = nil, + ['description'] = "Il y autant d'habitants vivants sur ce pneu qu'une station orbitale de science-fiction dans l'espace.", + ['illustrator'] = '.Poulpito' + }, + + --- BADGES --- + ['badge_south_sea'] = { + ['name'] = 'badge_south_sea', + ['label'] = "Badge \"Mer du sud\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex de la Mer du Sud.", + ['illustrator'] = '.Poulpito', + }, + ['badge_north_sea'] = { + ['name'] = 'badge_north_sea', + ['label'] = "Badge \"Mer du nord\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex de la Mer du Nord.", + ['illustrator'] = '.Poulpito', + }, + ['badge_canals'] = { + ['name'] = 'badge_canals', + ['label'] = "Badge \"Canaux\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex des Canaux.", + ['illustrator'] = '.Poulpito', + }, + ['badge_littoral'] = { + ['name'] = 'badge_littoral', + ['label'] = "Badge \"Littoral\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex du Littoral.", + ['illustrator'] = '.Poulpito', + }, + ['badge_big_lake'] = { + ['name'] = 'badge_big_lake', + ['label'] = "Badge \"Grand Lac\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex du Grand Lac.", + ['illustrator'] = '.Poulpito', + }, + ['badge_little_lake'] = { + ['name'] = 'badge_little_lake', + ['label'] = "Badge \"Petit Lac\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex des Petits Lacs.", + ['illustrator'] = '.Poulpito', + }, + ['badge_river'] = { + ['name'] = 'badge_river', + ['label'] = "Badge \"Rivières\"", + ['useable'] = false, + ['weight'] = 2000, + ['type'] = 'item', + ['description'] = "Prestige reçu à l'occasion de la complétion du Sozédex des Rivières.", + ['illustrator'] = '.Poulpito', + }, + --- FISHES --- + ['petite_grosse_baleine'] = { + ['name'] = 'petite_grosse_baleine', + ['label'] = "Petite grosse baleine", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette variété triviale de baleine est plus petite que ses cousines. Comme elle adore manger et qu’elle est toute ronde, les pécheurs ont pris l’habitude de l’appeler \"petite grosse\", ce qui a fini par devenir son nom officiel. Elle chante souvent, tantôt appelant un certain \"Jude\", tantôt fredonnant sur un air de « na na na », ce qui attire alors un banc de poissons autour d’elle.", + ['illustrator'] = '.Devychou', + ['fishing_area'] = { 'south_sea', 'north_sea', 'big_lake', ' little_lake' }, + ['fishing_weather'] = { 'HALLOWEEN', 'OVERCAST', 'NEUTRAL' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 1000, + ['max_weight'] = 3000, + ['min_length'] = 50, + ['max_length'] = 250, + ['sozedex_id'] = 1, + ['price'] = 44 + }, + ['pfister_fish'] = { + ['name'] = 'pfister_fish', + ['label'] = "Pfister Fish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Arc-en-ciel est le plus beau poisson de tous les océans. Ses écailles brillent et scintillent de toutes les couleurs de l'arc-en-ciel. Mais il est aussi très fier, et les autres petits poissons finissent par lui tourner le dos... Et s'il n'y avait de bonheur que dans le partage ?", + ['illustrator'] = '.OxmozCreeps', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 300, + ['max_weight'] = 800, + ['min_length'] = 15, + ['max_length'] = 40, + ['sozedex_id'] = 2, + ['price'] = 21 + }, + ['barrycuda'] = { + ['name'] = 'barrycuda', + ['label'] = "Barrycuda", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ayant beaucoup d'appétit et se guidant à la lumière du phare, il n'est pas rare de croiser les barrycuda en groupe prêt à défendre ses congénères. Rapide et furieux, on peux dire que tu a eu de la chance, ou du talent...", + ['illustrator'] = '.Mr_Gedehamsen', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 2900, + ['max_weight'] = 3800, + ['min_length'] = 80, + ['max_length'] = 120, + ['sozedex_id'] = 3, + ['price'] = 76 + }, + ['angry_fish'] = { + ['name'] = 'angry_fish', + ['label'] = "Angry Fish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Angry Fish est un poisson dangereux que l'on peut trouver autour de Cayo Perico à la surface de l'océan la nuit. Ses écailles rouges brillent à la lueur de la lune, faisant croire que sa queue prenne feu sous l'eau. Il est qualifié de dangereux car cette espèce ne se préoccupe guère des autres animaux croisant sa route excepté les requins et les humains. Il attaque ses proies généralement en grignotant la chaire comme un piranha. On raconte que sa chaire à une capacité, une fois consommé, de faire voir dans le noir. Cependant, soyez prudent, il peut aussi bien vous empoisonner si vous ne l'avez pas cuisiné correctement.", + ['illustrator'] = '.Baddy', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 2100, + ['max_weight'] = 2500, + ['min_length'] = 60, + ['max_length'] = 120, + ['sozedex_id'] = 4, + ['price'] = 44 + }, + ['cristalfish'] = { + ['name'] = 'cristalfish', + ['label'] = "Cristalfish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La légende raconte que ce petit poisson est né dans la neige du Mont Chiliad. C'est une multitude de flocons réunis qui l'ont formé. Il a par la suite profité de la fonte des neiges pour descendre dans le lac de Sandy Shore puis la mer.", + ['illustrator'] = '.Ro0my_', + ['fishing_area'] = { 'big_lake', 'river', 'littoral' }, + ['fishing_weather'] = { 'BLIZZARD', 'XMAS', 'SNOW', 'SNOWLIGHT' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 10, + ['max_weight'] = 30, + ['min_length'] = 5, + ['max_length'] = 12, + ['sozedex_id'] = 5, + ['price'] = 73 + }, + ['le_poulpe_thor'] = { + ['name'] = 'le_poulpe_thor', + ['label'] = "Poulpe Thor", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Une espèce de poulpe qui a évolué pour se défendre contre une autre espèce de poulpe. Ces poulpes ont développé un moyen de défense proche de celui de l'anguille électrique : l'extrémité de ses ventouses, souvent bleues, possède des cellules électrocytes qui sont responsables des décharges électriques, allant jusqu'à une tension de 400V, lorsqu'ils se sentent en danger. Cette espèce vit dans les grands espaces tel que les océans.", + ['illustrator'] = '.PoulpitorLeVrai', + ['fishing_area'] = { 'south_sea', 'north_sea', 'littoral' }, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night', 'evening'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 800, + ['max_weight'] = 3200, + ['min_length'] = 85, + ['max_length'] = 195, + ['sozedex_id'] = 6, + ['price'] = 40 + }, + ['glowriffy'] = { + ['name'] = 'glowriffy', + ['label'] = "GlowRiffy", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "GlowRiffy est une petite méduse lumineuse, que l'on trouve aux abords des épaves présentes le long des cotes de San Andreas. Elle peut émettre une lueur éblouissante ayant des vertus bienfaisantes pour l'homme, ce qui a attiré l'attention des scientifiques et pêcheurs. Elle est aujourd'hui considérée comme une espèce rare et protégée par les autorités locales.", + ['illustrator'] = '.Gw3n___', + ['fishing_area'] = { 'south_sea', 'north_sea', 'littoral' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'RAIN' }, + ['fishing_period'] = {'night', 'evening'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 500, + ['max_weight'] = 1500, + ['min_length'] = 20, + ['max_length'] = 45, + ['sozedex_id'] = 7, + ['price'] = 61 + }, + ['carpe_diam'] = { + ['name'] = 'carpe_diam', + ['label'] = "Carpe Diam", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette carpe utilise ses couleurs et ses paillettes pour vous hypnotiser et vous apaiser. Parfait lors d'une sortie pêche ou yoga.", + ['illustrator'] = '.Berson', + ['fishing_area'] = { 'big_lake', 'little_lake', 'river' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'SMOG' }, + ['fishing_period'] = {'evening', 'afternoon'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 200, + ['max_weight'] = 800, + ['min_length'] = 70, + ['max_length'] = 90, + ['sozedex_id'] = 8, + ['price'] = 64 + }, + ['chibhippocampe'] = { + ['name'] = 'chibhippocampe', + ['label'] = "Chibhippocampe", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "On trouve cette petite créature cachée dans les rochers. Si vous écoutez attentivement, vous pourrez l'entendre chantonner.", + ['illustrator'] = '.Sm0g0go', + ['fishing_area'] = { 'big_lake', 'littoral', 'river' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'SMOG' }, + ['fishing_period'] = {'morning', 'afternoon'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 40, + ['max_weight'] = 100, + ['min_length'] = 10, + ['max_length'] = 20, + ['sozedex_id'] = 9, + ['price'] = 37 + }, + ['stepafou_moustachou'] = { + ['name'] = 'stepafou_moustachou', + ['label'] = "Stepafou moustachou", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Poisson à poil long, une foi que l'on retire les poils, il n'y a plus grand chose à manger. Il est très moche pour faire peur aux prédateur mais il est très bon.", + ['illustrator'] = '.MAgnollo', + ['fishing_area'] = { 'north_sea', 'littoral', 'south_sea' }, + ['fishing_weather'] = { 'CLOUDS', 'NEUTRAL' }, + ['fishing_period'] = {'evening', 'afternoon'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 899, + ['max_weight'] = 2400, + ['min_length'] = 30, + ['max_length'] = 280, + ['sozedex_id'] = 10, + ['price'] = 23 + }, + ['graie_montas'] = { + ['name'] = 'graie_montas', + ['label'] = "Graie-Montas", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Graie-Montas est un type de raie bien spécial qui a pour particularité de faire \"ZAC\" lorsqu'elle remonte à la surface. Les habitants d'Alamo et de ces alentour on prit d'ailleurs l'habitude de l'appeler la Graie-monta ZAC, ça forme rappel également un verre de vin ! D'après une légende locale, sa consommation aurait déjà donné une sensation d'ébriété !", + ['illustrator'] = '.GTime', + ['fishing_area'] = { 'big_lake' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'evening', 'afternoon', 'night'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 407, + ['max_weight'] = 777, + ['min_length'] = 50, + ['max_length'] = 77, + ['sozedex_id'] = 11, + ['price'] = 41 + }, + ['carpotresor'] = { + ['name'] = 'carpotresor', + ['label'] = "Carpotrésor", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Qui y a t-il de mieux pour protéger son trésor que la carte bouge dans les rivières. Le célèbre Pirate Delmar l'avait compris, il inscrit sur sa carpe de compagnie le chemin vers son trésor familial. Un sortilège puissant rendait la carpe invulnérable et il fallait pour la faire sortir de l'eau attendre que le ciel soit agité.", + ['illustrator'] = '.octobaz', + ['fishing_area'] = { 'river' }, + ['fishing_weather'] = { 'OVERCAST', 'CLOUDS', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'morning' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 200, + ['max_weight'] = 1000, + ['min_length'] = 21, + ['max_length'] = 29, + ['sozedex_id'] = 12, + ['price'] = 67 + }, + ['hypnoisson'] = { + ['name'] = 'hypnoisson', + ['label'] = "Hypnoisson", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "L'hypnoisson est un poisson nocturne de récif coralliens endémique à l’île de Cayo Perico . Avec ses écailles chatoyantes et son corps élégant, cet être aquatique peut influencer l'esprit de ses proies en émettant des ondes sonores spéciales. Une fois sous son emprise, les proies perdent leur volonté et sont captivées par la beauté de l'Hypnoisson qui en profite pour s'en délecter . Aucune influence n'a encore été détectée sur l'être humain , mais soyez prudents , qui sait ? Les seuls pêcheurs qui en aient vu étaient bien alcoolisés , coïncidence ?", + ['illustrator'] = '.RedKanyon', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'SMOG' }, + ['fishing_period'] = {'evening', 'night' }, + ['fishman_status'] = 'alcool', + ['min_weight'] = 50, + ['max_weight'] = 250, + ['min_length'] = 6, + ['max_length'] = 20, + ['sozedex_id'] = 13, + ['price'] = 72 + }, + ['meduze_de_fe_de_la_morre_qui_tu'] = { + ['name'] = 'meduze_de_fe_de_la_morre_qui_tu', + ['label'] = "Méduze de fe de la morre qui tu", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Une espèce de méduse d'eau douce et nocturne, découverte par un enfant de 5 ans, elle est capable de générer une chaleur intense au point de former des flammes même sous l'eau, elle lui servent de moyen de défense en cas d'agression, de parade nuptiale pour trouver sa compagne et lui permettent aussi de se déplacer dans les climats les plus froids pour passer l'hiver même dans des lacs gelés !", + ['illustrator'] = '.Pastouke', + ['fishing_area'] = { 'big_lake' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD' }, + ['fishing_period'] = {'night' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 800, + ['max_weight'] = 1200, + ['min_length'] = 30, + ['max_length'] = 80, + ['sozedex_id'] = 14, + ['price'] = 56 + }, + ['marine'] = { + ['name'] = 'marine', + ['label'] = "Marine", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Poulpe de couleur violette. Le premier specimen a été découvert par des médecins du LSMC, dans le ventre d’un patient noyé dans la marina (d’où son nom). Particulièrement petite, elle se faufile partout. Elle est capable de se propulser rapidement grâce à un puissant jet d’eau, très pratique en cas de danger. Psssshhhiiiiit ! ", + ['illustrator'] = '.ShiroYuno', + ['fishing_area'] = { 'canals', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD' }, + ['fishing_period'] = {'alltime' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 50, + ['max_weight'] = 500, + ['min_length'] = 1, + ['max_length'] = 10, + ['sozedex_id'] = 15, + ['price'] = 41 + }, + ['purple_omen'] = { + ['name'] = 'purple_omen', + ['label'] = "Purple Omen", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Emydocephalus Draconis, appelé Purple Omen, est un serpent marin vivant dans les eaux profondes. Lors des nuits orageuses, une lumière violette peut être visible au fond de l'eau, on raconte qu'apercevoir cette lumière présage un futur radieux, elle redonne espoirs aux marins perdus dans des tempêtes. C'est en réalité l'Omen qui chasse en émettant une lumière violette hypnotisant ses petites proies.", + ['illustrator'] = '.Crash', + ['fishing_area'] = { 'south_sea', 'north_sea' }, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 965, -- poids minimal en grammes + ['max_weight'] = 4300, -- poids maxmimal en grammes + ['min_length'] = 76, -- taille minimale en cm + ['max_length'] = 183, -- taille minimale en cm + ['sozedex_id'] = 16, + ['price'] = 42 + }, + ['bigornoob'] = { + ['name'] = 'bigornoob', + ['label'] = "Bigornoob", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le bigornoob est un gastéropode marin, le plus consommé au monde. Reconnaissable à sa coquille qu'il porte sur son dos, il est délicieux une fois cuit. Son nom vient du fait qu'il débute dans la vie marine sans aucune information transmise par ses parents, il doit tout apprendre par lui même et celà peut être parfois compliqué.", + ['illustrator'] = '.PsyTeK', + ['fishing_area'] = { 'littoral', 'big_lake', 'river' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 15, -- poids minimal en grammes + ['max_weight'] = 20, -- poids maxmimal en grammes + ['min_length'] = 1, -- taille minimale en cm + ['max_length'] = 4, -- taille minimale en cm + ['sozedex_id'] = 17, + ['price'] = 78 + }, + ['le_sunny'] = { + ['name'] = 'le_sunny', + ['label'] = "Sunny", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Sunny, qui tire son nom de sa couleur jaune extrêmement vive et de sa forme ronde finissant en pointe, est un corail que l'on retrouve proche des côtes, il peut mesurer jusqu'à 23 cm de diamètre sur 48 cm de haut, on le retrouve principalement dans des eaux peu profondes du a son besoin de lumière essentiel à sa survie. La fragilité de son squelette fait qu'il se retrouve souvent cassé et accroché aux hameçons des pêcheurs.", + ['illustrator'] = '.Itchinaru', + ['fishing_area'] = { 'littoral', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 400, -- poids minimal en grammes + ['max_weight'] = 800, -- poids maxmimal en grammes + ['min_length'] = 31, -- taille minimale en cm + ['max_length'] = 48, -- taille minimale en cm + ['sozedex_id'] = 18, + ['price'] = 54 + }, + ['croaky_froggy'] = { + ['name'] = 'croaky_froggy', + ['label'] = "Croaky Froggy", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Avec sa peau verte vif, ses grands yeux brillants et ses pattes palmées, cette grenouille a l'air d'avoir sauté tout droit d'un conte de fées. En fixant ses yeux brillants, elle peut calmer les nerfs les plus tendus et apaiser les esprits les plus agités. C'est pourquoi elle est une compagnie si appréciée pour les moments de détente et de méditation.", + ['illustrator'] = '.Tommy', + ['fishing_area'] = { 'south_sea', 'little_lake', 'river' }, + ['fishing_weather'] = { 'RAIN', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'evening', 'night' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 10, -- poids minimal en grammes + ['max_weight'] = 30, -- poids maxmimal en grammes + ['min_length'] = 3, -- taille minimale en cm + ['max_length'] = 10, -- taille minimale en cm + ['sozedex_id'] = 19, + ['price'] = 52 + }, + ['chaxo'] = { + ['name'] = 'chaxo', + ['label'] = "Chaxo", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette petite créature a beau être mignonne, attention à ne pas y laisser un doigt ! Le Chaxo passe son temps à l'abris des regards, sous des rochers car il n'aime pas être embêter. Il se nourrit de petits néons qui donnent cette couleur éclatante à sa petite crête au dessus de sa tête.", + ['illustrator'] = '.Anthinaé', + ['fishing_area'] = { 'littoral', 'big_lake', 'canals' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 60, -- poids minimal en grammes + ['max_weight'] = 150, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 30, -- taille minimale en cm + ['sozedex_id'] = 20, + ['price'] = 74 + }, + ['morpheus_somnolent'] = { + ['name'] = 'morpheus_somnolent', + ['label'] = "Morpheus Somnolent", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Morpheus Somnolent se reconnaît à son air perdu et sa couleur violette. Il bénéficie d'une formidable capacité d'adaptation lui permettant d'absorber les éléments autour de lui, même les plus toxiques, ce qui change aussi son apparence. Celui-là a du absorber une bonne quantité des déchets du port pour avoir autant de pustules !", + ['illustrator'] = '.JakeFreaks', + ['fishing_area'] = { 'littoral', 'canals' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 600, -- poids minimal en grammes + ['max_weight'] = 1200, -- poids maxmimal en grammes + ['min_length'] = 25, -- taille minimale en cm + ['max_length'] = 50, -- taille minimale en cm + ['sozedex_id'] = 21, + ['price'] = 59 + }, + ['portinet'] = { + ['name'] = 'portinet', + ['label'] = "Portinet", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Portinet est un poisson de petite taille et craintif. Il adore se cacher dans des petits recoins (coraux, débris). Pour effrayer les prédateurs, il gruike et n'hésite pas à balancer des bulles d'eau avec son nez ressemblant à un groin de cochon. C'est un poisson qui se plaira parfaitement dans votre aquarium ! Essayer, c'est l'adopter !", + ['illustrator'] = '.Hendreil', + ['fishing_area'] = { 'littoral', 'north_sea', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'SMOG' }, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 750, -- poids minimal en grammes + ['max_weight'] = 2200, -- poids maxmimal en grammes + ['min_length'] = 90, -- taille minimale en cm + ['max_length'] = 140, -- taille minimale en cm + ['sozedex_id'] = 22, + ['price'] = 36 + }, + ['la_clebsouille'] = { + ['name'] = 'la_clebsouille', + ['label'] = "Clebsouille", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Doté d'un flair redoutable, spécifiquement envers les uniformes, le passe-temps favori de la Clebsouille consiste à aboyer sans réelle revendication. La légende raconte qu'elle fait son nid à partir de sous-vêtements d'agents des forces de l'ordre, nid pouvant d'ailleurs accueillir jusqu'à une vingtaine d'individu. Sa fertilité aurait pour origine l'amour des daronnes.", + ['illustrator'] = '.Tluap', + ['fishing_area'] = { 'canals', 'little_lake', 'river' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 3000, -- poids minimal en grammes + ['max_weight'] = 4000, -- poids maxmimal en grammes + ['min_length'] = 60, -- taille minimale en cm + ['max_length'] = 100, -- taille minimale en cm + ['sozedex_id'] = 23, + ['price'] = 34 + }, + ['fichouette'] = { + ['name'] = 'fichouette', + ['label'] = "Fichouette", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La Fichouette est une créature aquatique mystérieuse et envoûtante, dont les nageoires souples et agiles lui permettent de glisser avec aisance dans les eaux sombres. Ses grands yeux noirs perçants lui permettent de voir à travers les ténèbres les plus épaisses, tandis que son bec pointu et acéré, la rend redoutable pour les petites créatures aquatiques qu'elle chasse avec facilité. Elle est une véritable merveille de la nature, rappelant la beauté et la diversité du monde sous-marin.", + ['illustrator'] = '.Caracole', + ['fishing_area'] = { 'littoral', 'north_sea', 'south_sea' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'evening', 'night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 1000, -- poids maxmimal en grammes + ['min_length'] = 50, -- taille minimale en cm + ['max_length'] = 100, -- taille minimale en cm + ['sozedex_id'] = 24, + ['price'] = 30 + }, + ['merou_colerique_tachete'] = { + ['name'] = 'merou_colerique_tachete', + ['label'] = "Mérou Colérique Tacheté", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le mérou colérique tacheté tient son nom de la description faite par les quelques pêcheurs qui ont pu l'apercevoir, décrivant un poisson très coloré mais au regard noir, d'où son nom. Cependant, la plupart de ceux qui l'ont vu étant dans un état second, l'existence de ce poisson fût longtemps reléguée au rang d'hallucination. Des recherches récentes ont pu prouver que ce poisson aux yeux particulier existe bel et bien.", + ['illustrator'] = '.KamiBaal', + ['fishing_area'] = { 'littoral', 'canals' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG'}, + ['fishing_period'] = {'night', 'morning'}, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 1000, -- poids maxmimal en grammes + ['min_length'] = 13, -- taille minimale en cm + ['max_length'] = 54, -- taille minimale en cm + ['sozedex_id'] = 25, + ['price'] = 66 + }, + ['chromabranchus_virosa'] = { + ['name'] = 'chromabranchus_virosa', + ['label'] = "Chromabranchus Virosa", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Chaînon manquant entre l'amphibien et le mollusque, la Chromabranchus virosa communément appelée Santos-slug est une espèce endémique de San Andreas très connue à l'étranger. Elle doit sa notoriété au film d'animation \"Shroom & Toxin : Gateway to San-Atlantis\" par Fred's Pictures. Elle est aussi tristement célèbre pour le braconnage qu'elle subit en raison des propriétés hallucinogènes de son venin.Sa résistance aux polluants et son caractère docile en font bon un animal domestique si on sait la manipuler. Après une campagne d'élevage fondée par l’État depuis 2001 jusqu'à nos jours, l'espèce n'est plus en danger.", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = { 'littoral', 'canals' }, + ['fishing_weather'] = { 'RAIN', 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'CLOUDS'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 1500, -- poids maxmimal en grammes + ['min_length'] = 7, -- taille minimale en cm + ['max_length'] = 40, -- taille minimale en cm + ['sozedex_id'] = 26, + ['price'] = 77 + }, + ['mossiferne'] = { + ['name'] = 'mossiferne', + ['label'] = "Mossiferne", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La concentration importante de polluants chimiques dans certaines eaux chaudes a amené des micro-organismes à se développer et s'agglomérer pour former des êtres à part entière appelés Mossiferne. Ce sont des être-vivants hermaphrodites qui peuvent se reproduire de façon monoparentale, c'est à dire sans partenaire. Ils se nourrissent des divers polluants que l'ont peut retrouver dans les eaux chaudes près des côtes, là ou la pollution est la plus forte bien sûr.", + ['illustrator'] = '.XLKa', + ['fishing_area'] = { 'littoral', 'canals', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY'}, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 50, -- poids minimal en grammes + ['max_weight'] = 300, -- poids maxmimal en grammes + ['min_length'] = 20, -- taille minimale en cm + ['max_length'] = 90, -- taille minimale en cm + ['sozedex_id'] = 27, + ['price'] = 76 + }, + ['figel'] = { + ['name'] = 'figel', + ['label'] = "Figel", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson endémique de San Andreas a de nombreuses caractéristiques marquantes. Ses écailles, d'un violet vif , ainsi que le fait que c'est un des poissons les plus bruyants de son espèce. Cela vient de la taille de sa gueule la plus grande des espèces locales. Son nom viendrait du bruit qu'il fait quand il mange, on a l'impression qu'il l'épelle.", + ['illustrator'] = '.Burnthead', + ['fishing_area'] = { 'river'}, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 3500, -- poids minimal en grammes + ['max_weight'] = 4800, -- poids maxmimal en grammes + ['min_length'] = 250, -- taille minimale en cm + ['max_length'] = 388, -- taille minimale en cm + ['sozedex_id'] = 28, + ['price'] = 66 + }, + ['rosailee'] = { + ['name'] = 'rosailee', + ['label'] = "Rosailée", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La Rosailée (Purpurascens Alatus) est un poisson volant qui se trouve principalement dans les zones tropicales. Ses écailles remarquables, mélange de noir et de rose, lui confèrent une allure unique. Ce qui rend ce poisson encore plus extraordinaire, c'est sa capacité d'envol digne d'un jet. Grâce à ses nageoires spéciales, elle peut s'élancer hors de l'eau, offrant un spectacle aérien fascinant.", + ['illustrator'] = '.Kutz', + ['fishing_area'] = { 'south_sea'}, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'evening', 'night'}, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 300, -- poids minimal en grammes + ['max_weight'] = 600, -- poids maxmimal en grammes + ['min_length'] = 30, -- taille minimale en cm + ['max_length'] = 50, -- taille minimale en cm + ['sozedex_id'] = 29, + ['price'] = 79 + }, + ['le_perlea'] = { + ['name'] = 'le_perlea', + ['label'] = "Perléa", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Perléa est un poisson aquatique coloré. Son nom provient de sa capacité à recevoir la lumière et crée un spectacle visuel éblouissant telle une perle. Le Perléa préfère les eaux calmes et claires où il peut nager gracieusement en groupe. Il est connu pour percevoir les émotions des autres animaux marins grâce à son extraordinaire sensibilité. Il est souvent considéré comme un bijou de la mer, capable de réconforter les autres créatures avec son aura.", + ['illustrator'] = '.Nils', + ['fishing_area'] = { 'little_lake', 'big_lake', 'river' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'morning', 'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 250, -- poids minimal en grammes + ['max_weight'] = 500, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 25, -- taille minimale en cm + ['sozedex_id'] = 30, + ['price'] = 79 + }, + ['sanajvit'] = { + ['name'] = 'sanajvit', + ['label'] = "Sanajvit", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Poisson endémique des mers de San Andreas, on raconte que la première fois qu'un ranger l'aurait aperçu, il se serait écrié: ça nage vite ! le baptisant au passage. Il est reconnaissable à son large aileron dorsal utile autant pour sa parade nuptiale que pour chasser en fonçant à plus de 130km/h sur ses proies pour les assommer d'un coup de tête.", + ['illustrator'] = '.Danacol', + ['fishing_area'] = { 'south_sea', 'north_sea' }, + ['fishing_weather'] = { 'CLEARING', 'CLEAR','EXTRASUNNY' }, + ['fishing_period'] = { 'evening','night' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1000, -- poids minimal en grammes + ['max_weight'] = 2700, -- poids maxmimal en grammes + ['min_length'] = 33, -- taille minimale en cm + ['max_length'] = 38, -- taille minimale en cm + ['sozedex_id'] = 31, + ['price'] = 71 + }, + ['simone'] = { + ['name'] = 'simone', + ['label'] = "Simone", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Simone l'anémone de mer est rivée à son rocher depuis bien trop longtemps et rêve d'évasion et de voyage dans cet océan infini qui réserve tant de surprises.", + ['illustrator'] = '.Nina_lana', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'CLEARING', 'CLEAR', 'EXTRASUNNY', 'RAIN', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = { 'alltime' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 50, -- poids minimal en grammes + ['max_weight'] = 150, -- poids maxmimal en grammes + ['min_length'] = 5, -- taille minimale en cm + ['max_length'] = 10, -- taille minimale en cm + ['sozedex_id'] = 32, + ['price'] = 51 + }, + ['axowin_dragonnet_splendide'] = { + ['name'] = 'axowin_dragonnet_splendide', + ['label'] = "Axowin Dragonnet Splendide", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Poisson faisant le chaînon manquant entre les poissons et les reptiles aux couleurs riches à dominantes de bleu et violet. C'est un animal nocturne, constamment sur le qui vive et dormant peu. Vit en groupe et protecteur de ses congénères et petits. Attiré par les coraux de couleurs vives pour se camoufler avec ses propres couleurs, et vivant dans les petits fonds marins. Grâce à ses petites pattes, il peut facilement se mouvoir sur les récifs et se nourrir des petits crustacés passant à sa portée. Il réagit aux ondes produites par des bruits de sirène en se cachant, curieux, il finit par regarder d'où ça vient, où ça va et si c'est pour lui.", + ['illustrator'] = '.Mad_max17', + ['fishing_area'] = { 'south_sea', 'north_sea', 'littoral' }, + ['fishing_weather'] = { 'CLEARING', 'CLEAR', 'EXTRASUNNY', 'RAIN' }, + ['fishing_period'] = { 'alltime' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 150, -- poids minimal en grammes + ['max_weight'] = 250, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 25, -- taille minimale en cm + ['sozedex_id'] = 33, + ['price'] = 67 + }, + ['fire_plouf'] = { + ['name'] = 'fire_plouf', + ['label'] = "Fire-Plouf", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Fire-Plouf est un petit poisson d'eau douce insectivor endémique de l'État de San Andreas. Nocturne par nature, il tire avantage de ses couleurs et de sa bioluminescence flamboyante pour leurrer ses proies. Grâce à sa puissante queue, il est capable de se projeter hors de l'eau pour gober son repas, brisant dans sa chute le silence de la nuit d'un magnifique Plouf. Ce mode de vie le rend également cible de choix des oiseaux.", + ['illustrator'] = '.GautSlayer', + ['fishing_area'] = { 'big_lake', 'river', 'little_lake' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = { 'evening', 'night' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 50, -- poids minimal en grammes + ['max_weight'] = 200, -- poids maxmimal en grammes + ['min_length'] = 8, -- taille minimale en cm + ['max_length'] = 12, -- taille minimale en cm + ['sozedex_id'] = 34, + ['price'] = 35 + }, + ['aquatic_wood_runner'] = { + ['name'] = 'aquatic_wood_runner', + ['label'] = "Aquatic Wood-Runner", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Espèce originaire des Grands Lacs d'Amérique du Nord. Surnommé le Runner du Michigan, son petit physique lui permet d'être vif et très rapide. Possédant une excellente endurance, il est un symbole du sportif par excellence. Péché dès le XVIIIe siècle, mais extrêmement difficile à capturer à cause de sa rapidité, il est l'une des spécialités de la région avec une cuisson fumée au bois de sapin.", + ['illustrator'] = '.Aurukh', + ['fishing_area'] = { 'river', 'big_lake' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG' }, + ['fishing_period'] = { 'night' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 200, -- poids maxmimal en grammes + ['min_length'] = 5, -- taille minimale en cm + ['max_length'] = 10, -- taille minimale en cm + ['sozedex_id'] = 35, + ['price'] = 36 + }, + ['squalopoisson'] = { + ['name'] = 'squalopoisson', + ['label'] = "Squalopoisson", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Squalopoisson, il tire son nom du Squalus, un requin vivant en eau profonde. Un poisson redoutable doté d'une apparence féroce et d'une nage rapide, sa particularité réside dans le fait qu'il préfère vivre principalement dans les eaux troubles.", + ['illustrator'] = '.Eadsword', + ['fishing_area'] = { 'river', 'big_lake', 'south_sea' }, + ['fishing_weather'] = { 'RAIN' }, + ['fishing_period'] = { 'alltime' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 900, -- poids maxmimal en grammes + ['min_length'] = 30, -- taille minimale en cm + ['max_length'] = 50, -- taille minimale en cm + ['sozedex_id'] = 36, + ['price'] = 59 + }, + ['rastortue'] = { + ['name'] = 'rastortue', + ['label'] = "Rastortue", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette espèce de tortue ne pourrait être aperçue que par les pêcheurs les plus attentifs. Ses cheveux peuvent varier de couleur en fonction du milieu dans lequel il est pêché.", + ['illustrator'] = '.Zack_93', + ['fishing_area'] = { 'river', 'littoral' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'RAIN' }, + ['fishing_period'] = { 'evening' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 800, -- poids minimal en grammes + ['max_weight'] = 1500, -- poids maxmimal en grammes + ['min_length'] = 40, -- taille minimale en cm + ['max_length'] = 55, -- taille minimale en cm + ['sozedex_id'] = 37, + ['price'] = 35 + }, + ['voile_souvenir'] = { + ['name'] = 'voile_souvenir', + ['label'] = "Voile Souvenir", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le voile souvenir ou velum memoria est un poisson blanc avec une touche de couleur dont la teinte et l'emplacement dépendent des individus, malgré ses airs fantomatiques, c'est un poisson calme et pacifique. La légende raconte que les personnes qui fixent trop longtemps les ondulations envoutantes de ses voilages se voient replongés dans de lointains souvenirs...", + ['illustrator'] = '.Nahora', + ['fishing_area'] = { 'river', 'little_lake', 'canals' }, + ['fishing_weather'] = { 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD', 'FOGGY', 'SMOG' }, + ['fishing_period'] = { 'alltime' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 400, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 40, -- taille minimale en cm + ['sozedex_id'] = 38, + ['price'] = 80 + }, + ['sandre_florale'] = { + ['name'] = 'sandre_florale', + ['label'] = "Sandre Florale", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce carnassier se distingue par sa magnifique petite fleur blanche qui orne sa tête. Mais ne vous y trompez pas, derrière cette beauté se cache un redoutable prédateur connu pour sa voracité...", + ['illustrator'] = '.Sniteur', + ['fishing_area'] = { 'river', 'big_lake', 'canals' }, + ['fishing_weather'] = { 'RAIN', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = { 'evening' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 2500, -- poids minimal en grammes + ['max_weight'] = 4000, -- poids maxmimal en grammes + ['min_length'] = 200, -- taille minimale en cm + ['max_length'] = 350, -- taille minimale en cm + ['sozedex_id'] = 39, + ['price'] = 38 + }, + ['pinky_punky_fish'] = { + ['name'] = 'pinky_punky_fish', + ['label'] = "Pinky Punky Fish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson est tellement bizarre et psychédélique que l'on se dit toujours en le voyant, est-ce que je viens vraiment de pécher ça ? ou j'ai halluciné...", + ['illustrator'] = '.Beer', + ['fishing_area'] = { 'river', 'big_lake', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = { 'alltime' }, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 1000, -- poids minimal en grammes + ['max_weight'] = 2000, -- poids maxmimal en grammes + ['min_length'] = 51, -- taille minimale en cm + ['max_length'] = 151, -- taille minimale en cm + ['sozedex_id'] = 40, + ['price'] = 30 + }, + ['electropoulpe'] = { + ['name'] = 'electropoulpe', + ['label'] = "Eléctropoulpe", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Chargé en électricité, il faut prendre ses précautions lorsqu'on attrape un éléctropoulpe ! Avec son regard presque toujours froncé, il n'hésitera pas à vous électriser si vous le chatouillez trop! Cependant, si vous arrivez à le dompter, sa viande est succulente avec un bon vin blanc!", + ['illustrator'] = '.TheSeds', + ['fishing_area'] = { 'littoral', 'south_sea', 'north_sea' }, + ['fishing_weather'] = { 'RAIN', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = { 'alltime' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1500, -- poids minimal en grammes + ['max_weight'] = 2500, -- poids maxmimal en grammes + ['min_length'] = 175, -- taille minimale en cm + ['max_length'] = 230, -- taille minimale en cm + ['sozedex_id'] = 41, + ['price'] = 27 + }, + ['verdipoulpe'] = { + ['name'] = 'verdipoulpe', + ['label'] = "Verdipoulpo", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "On raconte que ceux qui avaient la chance de rencontrer un Verdipoulpo pouvaient ressentir une profonde joie et un apaisement intérieur. Ils sont connus pour se rassembler en communautés chaleureuses et solidaires. Ils se déplaçaient toujours en groupe, nageant en harmonie les uns avec les autres.", + ['illustrator'] = '.Nooby', + ['fishing_area'] = { 'littoral', 'north_sea', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = { 'morning', 'afternoon' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 200, -- poids maxmimal en grammes + ['min_length'] = 30, -- taille minimale en cm + ['max_length'] = 50, -- taille minimale en cm + ['sozedex_id'] = 42, + ['price'] = 36 + }, + ['pilulieu'] = { + ['name'] = 'pilulieu', + ['label'] = "Pilulieu", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson discret n'est semble-t-il trouvable qu'à proximité de lieux médicaux. Nous ignorons s'il a servi à des expériences, les pilules Humam Labs sont là complètement par hasard.", + ['illustrator'] = '.UnclePeps_', + ['fishing_area'] = { 'canals', 'south_sea' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'RAIN' }, + ['fishing_period'] = { 'night', 'morning' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 150, -- poids minimal en grammes + ['max_weight'] = 250, -- poids maxmimal en grammes + ['min_length'] = 20, -- taille minimale en cm + ['max_length'] = 30, -- taille minimale en cm + ['sozedex_id'] = 43, + ['price'] = 57 + }, + ['orions_star'] = { + ['name'] = 'orions_star', + ['label'] = "Orion's star", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La légende raconte qu'il serait d'origine de la constellation d'Orion. Une autre légende raconte que l'offrir un soir très étoilés à une personne permettrait de transporter les étoiles qu'il a sur ces écailles dans les yeux du receveur.", + ['illustrator'] = '.Ouragan', + ['fishing_area'] = { 'river', 'big_lake', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = { 'night' }, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 200, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 20, -- taille minimale en cm + ['sozedex_id'] = 44, + ['price'] = 43 + }, + ['globenciel'] = { + ['name'] = 'globenciel', + ['label'] = "Globenciel", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Parait-il que les rayons du soleil se reflétant sur l'eau font remonter du fond de l'océan cette merveilleuse petite créature. Beaucoup trop adorable pour être pêchée, non ?", + ['illustrator'] = '.Typhaine_', + ['fishing_area'] = { 'river', 'littoral' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'RAIN' }, + ['fishing_period'] = { 'afternoon' }, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 200, -- poids minimal en grammes + ['max_weight'] = 500, -- poids maxmimal en grammes + ['min_length'] = 7, -- taille minimale en cm + ['max_length'] = 12, -- taille minimale en cm + ['sozedex_id'] = 45, + ['price'] = 72 + }, + ['poissoncisson'] = { + ['name'] = 'poissoncisson', + ['label'] = "Poissoncisson", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Il aime le soleil et bien cuisiné Il a en plus de la couleur le goût du saucisson ", + ['illustrator'] = '.Blacksad', + ['fishing_area'] = { 'canals', 'river' }, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'CLEARING' }, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 1000, -- poids maxmimal en grammes + ['min_length'] = 20, -- taille minimale en cm + ['max_length'] = 30, -- taille minimale en cm + ['sozedex_id'] = 46, + ['price'] = 45 + }, + ['le_pipoulpe'] = { + ['name'] = 'le_pipoulpe', + ['label'] = "Pipoulpe", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Pipoulpe est un poulpe farceur, le pôtit clown toujours à faire des blagues aux autres individus de son espèce ! Cependant, c'est un prédateur féroce. Il attire ses proies grâce à ses pôtits yeux, ces dernières sont comme ensorcelées en croisant son regard. Il chasse le matin et est donc les plus vulnérable à ce moment-là. Le reste du temps il joue ou se repose (une vie de rêve...) !", + ['illustrator'] = '.Matthelot', + ['fishing_area'] = { 'river', 'littoral' }, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'CLEARING', 'FOGGY', 'SMOG' }, + ['fishing_period'] = { 'morning'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 300, -- poids minimal en grammes + ['max_weight'] = 600, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 15, -- taille minimale en cm + ['sozedex_id'] = 47, + ['price'] = 65 + }, + ['luminosa'] = { + ['name'] = 'luminosa', + ['label'] = "Luminosa", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "C'est un poisson qui présente des excroissances lumineuses sur sa tête, ainsi que des reflets brillants sur ses flancs. Ces caractéristiques ont pour objectif d'aider les autres individus de son espèce à le localiser plus facilement dans l'obscurité. En terme de comportement, ce poisson est sociable et aime se vivre en petits groupes. Il est souvent vu nageant autour des coraux, cherchant de la nourriture et interagissant avec les autres membres de son espèce. La légende raconte que si quelqu'un lui murmure miaou, il répondra par un maouuu.", + ['illustrator'] = '.Mimosa_d_hiver', + ['fishing_area'] = { 'littoral' }, + ['fishing_weather'] = { 'OVERCAST', 'CLOUDS', 'RAIN' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 5, -- poids minimal en grammes + ['max_weight'] = 5, -- poids maxmimal en grammes + ['min_length'] = 9, -- taille minimale en cm + ['max_length'] = 9, -- taille minimale en cm + ['sozedex_id'] = 48, + ['price'] = 60 + }, + ['poulamar'] = { + ['name'] = 'poulamar', + ['label'] = "Poulamar", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Poulamar est un adorable animal marin rigolo, mélangeant un poulpe et un lamantin. Avec ses couleurs vives, ses tentacules en mouvement constant et ses nageoires ressemblant à des ailes, il charme tout le monde avec sa démarche maladroite et ses facéties joyeuses. Un compagnon marin amical et joueur à découvrir !", + ['illustrator'] = '.PiRDub', + ['fishing_area'] = { 'canals', 'river' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'RAIN' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 1000, -- poids maxmimal en grammes + ['min_length'] = 300, -- taille minimale en cm + ['max_length'] = 300, -- taille minimale en cm + ['sozedex_id'] = 49, + ['price'] = 52 + }, + ['electraie'] = { + ['name'] = 'electraie', + ['label'] = "Électraie", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La raie (Dasyatis sp.), majestueuse créature marine, glisse gracieusement dans les eaux cristallines. Conduisant l'électricité comme le métal, elle éblouit par sa capacité unique à générer des courants électriques. Sa silhouette élancée et ses motifs captivent le regard. Un chef-d'œuvre vivant de l'océan.", + ['illustrator'] = '.Dave Creach', + ['fishing_area'] = { 'canals', 'river' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 2600, -- poids minimal en grammes + ['max_weight'] = 3800, -- poids maxmimal en grammes + ['min_length'] = 40, -- taille minimale en cm + ['max_length'] = 70, -- taille minimale en cm + ['sozedex_id'] = 50, + ['price'] = 25 + }, + ['bolingbroke_fish'] = { + ['name'] = 'bolingbroke_fish', + ['label'] = "Bolingbroke Fish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Poisson côtier, il affectionne les baies et les criques chaudes. Ses écailles orangées se parent de noir en fonction de la qualité (ou pollution) du plancton, ce qui peut le rendre impropre à la consommation. Il tient son nom de sa vivacité... Poisson très vif, il ne tiendra pas en place plus de 3 minutes et tentera de s'échapper au plus vite. ", + ['illustrator'] = '.Dwerimeth', + ['fishing_area'] = { 'littoral', 'south_sea' }, + ['fishing_weather'] = { 'SUNNY', 'EXTRASUNNY', 'CLEAR', 'CLEARING' }, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1000, -- poids minimal en grammes + ['max_weight'] = 3000, -- poids maxmimal en grammes + ['min_length'] = 15, -- taille minimale en cm + ['max_length'] = 40, -- taille minimale en cm + ['sozedex_id'] = 51, + ['price'] = 74 + }, + ['nebulith'] = { + ['name'] = 'nebulith', + ['label'] = "Nebulith", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette merveille aquatique insaisissable, possède une lueur étrange et un comportement évasif, ce qui en fait un véritable défi à capturer. La légende veut que le Nébulith, né de la poussière d'étoiles et des eaux éclairées par la lune, accorde une fortune inimaginable à ceux qui sont assez habiles pour capturer sa forme insaisissable.", + ['illustrator'] = '.Noxyss', + ['fishing_area'] = { 'canals', 'river' }, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'evening','night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 3000, -- poids minimal en grammes + ['max_weight'] = 3000, -- poids maxmimal en grammes + ['min_length'] = 60, -- taille minimale en cm + ['max_length'] = 60, -- taille minimale en cm + ['sozedex_id'] = 52, + ['price'] = 69 + }, + ['mariusson'] = { + ['name'] = 'mariusson', + ['label'] = "Mariusson", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le mariusson est un poisson qui tire son nom du domaine viticole de l’île d’où il est originaire. Simple poisson clown de par ses ancêtres, on raconte qu’il aurait goûté au délice des grappes du domaine perdues dans les eaux alentours du vignoble. Ses écailles en forme de grappes étoffent cette légende.", + ['illustrator'] = '.Floreil', + ['fishing_area'] = { 'river', 'littoral' }, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'CLEARING', 'CLOUDS', 'OVERCAST' }, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 250, -- poids minimal en grammes + ['max_weight'] = 250, -- poids maxmimal en grammes + ['min_length'] = 12, -- taille minimale en cm + ['max_length'] = 12, -- taille minimale en cm + ['sozedex_id'] = 53, + ['price'] = 76 + }, + ['dobbry_rok'] = { + ['name'] = 'dobbry_rok', + ['label'] = "Dobbry Rok", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Dans les eaux cristallines de Cayo Perico, vivait un poisson aux couleurs chatoyantes nommé Dobbry rok. Son nom, signifiant \"Bonne Année\" dans la langue des créatures marines, lui avait été donné en raison de son rôle spécial dans le cycle de la vie sous-marine.", + ['illustrator'] = '.D3D3_59', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'FOGGY', 'EXTRASUNNY', 'CLEAR', 'CLEARING', 'SMOG' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 1000, -- poids minimal en grammes + ['max_weight'] = 2500, -- poids maxmimal en grammes + ['min_length'] = 17, -- taille minimale en cm + ['max_length'] = 26, -- taille minimale en cm + ['sozedex_id'] = 54, + ['price'] = 62 + }, + ['ablyssus'] = { + ['name'] = 'ablyssus', + ['label'] = "Ablyssus", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Récit d'un pirate - Ablyssus. Non loin d'une île, j'eus une vision. Submergé par les flots furieux, mes sens troublés d'ivresse, je vis une scène hors du temps. D'une main je la capturai avant qu'elle ne retourne aux abysses. Tel un spectre, elle surgit des profondeurs. Son corps aux yeux d'émeraude se fond dans la nuit, seule sa queue, telle une lanterne ensorcelée, attire ses proies vers les abîmes où elle se repaît de leur présence. Seuls, les plus téméraires peuvent espérer un jour la croiser en mer...", + ['illustrator'] = '.ΩmegA', + ['fishing_area'] = { 'south_sea' }, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 113, -- poids minimal en grammes + ['max_weight'] = 633, -- poids maxmimal en grammes + ['min_length'] = 17, -- taille minimale en cm + ['max_length'] = 66, -- taille minimale en cm + ['sozedex_id'] = 55, + ['price'] = 58 + }, + ['zirvine_dracopis'] = { + ['name'] = 'zirvine_dracopis', + ['label'] = "Zirvine Dracopis", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Zirvine Dracopis est un poisson aussi rare que fascinant. Avec son apparence de tétard et de petit dragon, cette créature semble tout droit sortie d'un conte de fées. Ne vous fiez pas à son adorable apparence, le Zirvine est avant tout un poisson qui tentera de prendre tout ce qui brille mais aussi de défendre avec ses petites griffes acérées s'il se sent en danger. Il peut se contenter de petites choses et faire le tour d'un bocal tout en étant impressionné, comme si c'était génial.", + ['illustrator'] = '.mcfloy', + ['fishing_area'] = { 'river' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG' }, + ['fishing_period'] = {'morning'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 620, -- poids minimal en grammes + ['max_weight'] = 850, -- poids maxmimal en grammes + ['min_length'] = 38, -- taille minimale en cm + ['max_length'] = 45, -- taille minimale en cm + ['sozedex_id'] = 56, + ['price'] = 33 + }, + ['gobie_vaseux'] = { + ['name'] = 'gobie_vaseux', + ['label'] = "Gobie Vaseux", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Gobie Vaseux est une mutation, l'eau du lac qui se déverse vers la mer en formant des marécages, a drainé ces poissons et des polluants présents dans le lac jusqu'ici, ou le Gobie à petit à petit évolué, finissant, au fil des générations, par devenir amphibie.Il se déplace très peu, la vase le recouvrant lui permettant de se camoufler et de chasser les insectes qui viennent jusqu'à lui, attirés par sa forte odeur.", + ['illustrator'] = '.Neochrom', + ['fishing_area'] = { 'river' }, + ['fishing_weather'] = { 'FOGGY', 'RAIN', 'SMOG' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 350, -- poids maxmimal en grammes + ['min_length'] = 5, -- taille minimale en cm + ['max_length'] = 20, -- taille minimale en cm + ['sozedex_id'] = 57, + ['price'] = 41 + }, + ['trashark'] = { + ['name'] = 'trashark', + ['label'] = "TraShark", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Un requin très opportuniste qui se nourrit de tout ce qui passe devant son nez et qui est en état de décomposition : détritus, poissons morts, morceaux de cadavres putréfiés, etc. Il aime vivre dans les ports ou près des usines, où il trouve la majeure partie de sa nourriture. Il refuse catégoriquement de toucher tout poisson complètement sain et propre.", + ['illustrator'] = ". L'Atelier d'Adrien", + ['fishing_area'] = { 'canals', 'south_sea' }, + ['fishing_weather'] = { 'CLOUDS', 'RAIN', 'OVERCAST' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 4000, -- poids minimal en grammes + ['max_weight'] = 5000, -- poids maxmimal en grammes + ['min_length'] = 250, -- taille minimale en cm + ['max_length'] = 350, -- taille minimale en cm + ['sozedex_id'] = 58, + ['price'] = 29 + }, + ['akumaaaa'] = { + ['name'] = 'akumaaaa', + ['label'] = "AKUMAAAA", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "AKUMAAAA est un prédateur marin de la famille des Serranidae aussi appelé le \"Démon des profondeur\". Il peut mesurer entre 30 et 150cm. Prédateur aguerri, l'AKUMAAAA se nourrit tout ce qui osent s'aventurer sur son territoire. Sa robe noire lui permet de se camoufler et seules ses nageoires restent visible afin d'attirer ses proies. Poisson sans merci, il se sert de sa vitesse et de sa mâchoire pour s'attaquer directement à la tête de ses proies. Dans de rares cas, l'AKUMAAAA se sert de sa nageoire arrière comme d'un marteau pour les assomer.", + ['illustrator'] = '.Vinsm0ke', + ['fishing_area'] = { 'littoral', 'south_sea', 'north_sea' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'RAIN' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 288, -- poids minimal en grammes + ['max_weight'] = 5000, -- poids maxmimal en grammes + ['min_length'] = 30, -- taille minimale en cm + ['max_length'] = 150, -- taille minimale en cm + ['sozedex_id'] = 59, + ['price'] = 20 + }, + ['lantrole'] = { + ['name'] = 'lantrole', + ['label'] = "Lantrole", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Lantrole est un poisson bien mignon. Ce poisson se nourrit principalement de pétrole brut, ce qui le rend indispensable pour nettoyer nos océans/mers. Le pétrole qu'il digère, il s'en sert pour s'éclairer la nuit mais rien n'empêche de le croiser en pleine journée. ", + ['illustrator'] = '.Dar4k', + ['fishing_area'] = { 'littoral', 'south_sea' }, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'CLEARING', 'BLIZZARD', 'THUNDER' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1700, -- poids minimal en grammes + ['max_weight'] = 2300, -- poids maxmimal en grammes + ['min_length'] = 20, -- taille minimale en cm + ['max_length'] = 30, -- taille minimale en cm + ['sozedex_id'] = 60, + ['price'] = 80 + }, + ['la_crevette_arc_en_ciel'] = { + ['name'] = 'la_crevette_arc_en_ciel', + ['label'] = "Crevette Arc-en-ciel", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La crevette arc-en-ciel se nourrit de petits planctons et ingère des morceaux de roches par la même occasion. Elle s'est adaptée pour les digérer mais certains sédiments restent dans son corps transparent, ce qui a l'effet d'un prisme sur la lumière, et qui lui donne ses couleurs.", + ['illustrator'] = '.Poulpitor', + ['fishing_area'] = {'river'}, + ['fishing_weather'] = {'CLEAR','CLEARING','EXTRASUNNY','RAIN'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 10, -- poids minimal en grammes + ['max_weight'] = 40, -- poids maxmimal en grammes + ['min_length'] = 1, -- taille minimale en cm + ['max_length'] = 8, -- taille minimale en cm + ['sozedex_id'] = 61, + ['price'] = 68 + }, + ['acuattus'] = { + ['name'] = 'acuattus', + ['label'] = "Acuattus", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cet animal est la succession de mutations génétiques qui ont eu lieu il y a longtemps. La légende raconte que lors d'un voyage espagnol en 1499, les espagnols ont apporté un chat pour chasser les rongeurs. Malheureusement, une tempête a eu lieu, entrainant la destruction du navire. Le chat tombé dans l'eau en plein océan a dû s'adapter pour survivre.", + ['illustrator'] = '.katascient', + ['fishing_area'] = {'north_sea', 'south_sea'}, + ['fishing_weather'] = {'CLOUDS','FOGGY','SMOG','OVERCAST'}, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'alcool', + ['min_weight'] = 700, -- poids minimal en grammes + ['max_weight'] = 1500, -- poids maxmimal en grammes + ['min_length'] = 50, -- taille minimale en cm + ['max_length'] = 1000, -- taille minimale en cm + ['sozedex_id'] = 62, + ['price'] = 71 + }, + ['crabantine'] = { + ['name'] = 'crabantine', + ['label'] = "Crabantine", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Crabantine est une espèce de crabe unique au plan de symétrie horizontal. Une part significative de la communauté scientifique s'accorde à dire que l'espèce a atteint une étape avancée au-delà de la carcinisation : la baguettisation. Très prisé en gastronomie, sa chaire a un léger arrière-gout de chocolat.", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'littoral','canals'}, + ['fishing_weather'] = { 'CLEAR','CLEARING','EXTRASUNNY'}, + ['fishing_period'] = {'morning', 'night'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 250, -- poids minimal en grammes + ['max_weight'] = 700, -- poids maxmimal en grammes + ['min_length'] = 40, -- taille minimale en cm + ['max_length'] = 75, -- taille minimale en cm + ['sozedex_id'] = 63, + ['price'] = 70 + }, + ['blobo_acanthus'] = { + ['name'] = 'blobo_acanthus', + ['label'] = "Blobo Acanthus", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Contrairement aux apparences, les analyses ADN montrent que le Blobo Acanthus est plus proche du poisson que du crapaud. L'animal a évolué dans les fonds marins près des failles volcaniques mais l'augmentation de la température des océans lui a permis d'étendre sa niche écologique jusqu'aux côtes de San Andreas", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'south_sea'}, + ['fishing_weather'] = {'FOGGY', 'SMOG', 'RAIN'}, + ['fishing_period'] = {'night','morning',}, + ['fishman_status'] = 'clean', + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 1000, -- poids maxmimal en grammes + ['min_length'] = 8, -- taille minimale en cm + ['max_length'] = 30, -- taille minimale en cm + ['sozedex_id'] = 64, + ['price'] = 70 + }, + ['fausse_meduse_haploida'] = { + ['name'] = 'fausse_meduse_haploida', + ['label'] = "Fausse Méduse Haploida", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette petite créature n'est pas un organisme diploïde à part entière, c'est en réalité un organe reproducteur indépendant et mobile du Corail Andreasien. Ce gamétophyte habilement camouflé en méduse disperse des gamètes mâle ou femelle dans l'océan, perpétrant ainsi l'espèce. La nature n'est-elle pas magnifique ?", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'littoral', 'south_sea', 'north_sea'}, + ['fishing_weather'] = {'RAIN', 'OVERCAST'}, + ['fishing_period'] = {'morning', 'afternoon'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 5, -- poids minimal en grammes + ['max_weight'] = 20, -- poids maxmimal en grammes + ['min_length'] = 6, -- taille minimale en cm + ['max_length'] = 15, -- taille minimale en cm + ['sozedex_id'] = 65, + ['price'] = 44 + }, + ['bi_queue'] = { + ['name'] = 'bi_queue', + ['label'] = "Bi Queue", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "On suspecte que l'ancêtre du Bi-Queue était un individu ayant absorbé son jumeau dans l’œuf à un stade de développement avancé. Il aurait réussi à survivre jusqu'à l’âge adulte et à passer ce trait à sa descendance. Contrairement à ce qu'on pourrait croire, il ne nage pas deux fois plus vite que les autres poissons de sa taille.", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = { 'little_lake', 'big_lake',}, + ['fishing_weather'] = {'BLIZZARD', 'THUNDER', 'RAIN'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 2000, -- poids maxmimal en grammes + ['min_length'] = 20, -- taille minimale en cm + ['max_length'] = 80, -- taille minimale en cm + ['sozedex_id'] = 66, + ['price'] = 52 + }, + ['reggaeToad'] = { + ['name'] = 'reggaeToad', + ['label'] = "ReggaeToad", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "ReggaeToad était une petite grenouille unique, pleine de joie, c'est une star du reggae ! Tout en étant célèbre, elle a su rester humble et généreuse. Elle partage son talent avec d'autres musiciens en herbe, les encourageant à exprimer leur créativité. Elle organisait des jam sessions dans les marais, où tout le monde venait créer une harmonie collective. ReggaeToad est plus qu'une simple grenouille rasta, elle représente la puissance de la musique pour transcender les différences et créer une véritable communauté. Sa voix unique résonnait dans les cœurs de ceux qui l'écoutaient, apportant la joie et l'esprit du reggae partout où elle allait !", + ['illustrator'] = '.Nooby', + ['fishing_area'] = {'big_lake', 'little_lake', 'south_sea'}, + ['fishing_weather'] = { 'RAIN', 'THUNDER'}, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'drug', + ['min_weight'] = 200, -- poids minimal en grammes + ['max_weight'] = 300, -- poids maxmimal en grammes + ['min_length'] = 30, -- taille minimale en cm + ['max_length'] = 50, -- taille minimale en cm + ['sozedex_id'] = 67, + ['price'] = 57 + }, + ['hippocon'] = { + ['name'] = 'hippocon', + ['label'] = "Hippoçon", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Un petit hippocampe qui se déplace en s'accrochant aux brindilles, algues et autres fins objets. Ressemblant à un hameçon il trompe ses proies avec sa pointe et ses filaments paralysants. La dose n'est pas mortelle pour l'homme mais vous la sentirez bien passer, alors attention à vous si vous le retrouvez accroché à votre ligne !", + ['illustrator'] = '.minegg', + ['fishing_area'] = {'south_sea'}, + ['fishing_weather'] = {'OVERCAST', 'CLOUDS', 'SNOW'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 10, -- poids minimal en grammes + ['max_weight'] = 15, -- poids maxmimal en grammes + ['min_length'] = 7, -- taille minimale en cm + ['max_length'] = 15, -- taille minimale en cm + ['sozedex_id'] = 68, + ['price'] = 64 + }, + ['piranha_clown'] = { + ['name'] = 'piranha_clown', + ['label'] = "Piranha-Clown", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Il doit son nom à sa tête souriante et à sa bouille joyeuse. Méfiez-vous cependant, tout comme son cousin d’Amérique du Sud, le piranha-clown est carnivore et vit en banc comptant jusqu'à une cinquantaine d'individus. On dit qu'ils peuvent dévorer un taureau en moins de 400 secondes [citation nécessaire].", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'river', 'little_lake'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY', 'RAIN'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 1200, -- poids minimal en grammes + ['max_weight'] = 2300, -- poids maxmimal en grammes + ['min_length'] = 45, -- taille minimale en cm + ['max_length'] = 70, -- taille minimale en cm + ['sozedex_id'] = 69, + ['price'] = 69 + }, + ['coelacant'] = { + ['name'] = 'coelacant', + ['label'] = "Cœlacan't", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson à l'air naturellement défaitiste est souvent qualifié de fossile-vivant car son espèce a peu évolué. La légende raconte qu'il porte malheur et que ceux qui le pêchent échouent dans tout ce qu'ils entreprennent ce jour là. C'était la mascotte officielle de l'équipe de curling de Sandy-Shore avant sa dissolution suite à une série d'accidents.", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'littoral', 'big_lake'}, + ['fishing_weather'] = {'RAIN', 'BLIZZARD', 'THUNDER'}, + ['fishing_period'] = {'night', 'morning'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 300, -- poids minimal en grammes + ['max_weight'] = 2000, -- poids maxmimal en grammes + ['min_length'] = 15, -- taille minimale en cm + ['max_length'] = 45, -- taille minimale en cm + ['sozedex_id'] = 70, + ['price'] = 70 + }, + ['flannochet_zebre'] = { + ['name'] = 'flannochet_zebre', + ['label'] = "Flannochet zébré", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson vit en symbiose avec les coraux qui poussent sur sa nageoire dorsale. Les structures coraliennes le ralentissent, ce qui diminue l'espérance de vie des individus âgés. Mais cela lui permet également de se camoufler plus facilement et d'absorber passivement des nutriments de l'eau pour se nourrir.", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'littoral', 'canals', 'south_sea'}, + ['fishing_weather'] = {'FOGGY', 'SMOG','OVERCAST', 'CLOUDS'}, + ['fishing_period'] = {'afternoon', 'evening'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 2500, -- poids minimal en grammes + ['max_weight'] = 3000, -- poids maxmimal en grammes + ['min_length'] = 45, -- taille minimale en cm + ['max_length'] = 72, -- taille minimale en cm + ['sozedex_id'] = 71, + ['price'] = 31 + }, + ['baleine_iris'] = { + ['name'] = 'baleine_iris', + ['label'] = "Baleine iris", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Balaenidae Iris. La baleine Iris est une petite baleine extrêmement rare vivant dans les eaux profondes, elle ne remonte à la surface qu’une à deux fois par mois. Son régime d’omnivore lui permet un apport nutritionnel hors du commun. Elle se nourrit d’espèces ayant des caractéristique similaire qui sont très colorées, ce qui lui donne cette peau arc en ciel parsemée d'étoiles.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'south_sea'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'SMOG'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 3000, -- poids minimal en grammes + ['max_weight'] = 5000, -- poids maxmimal en grammes + ['min_length'] = 320, -- taille minimale en cm + ['max_length'] = 400, -- taille minimale en cm + ['sozedex_id'] = 72, + ['price'] = 46 + }, + ['crabe_rubis'] = { + ['name'] = 'crabe_rubis', + ['label'] = "Crabe rubis", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Brachyura rubeus, Le crabe rubis vis proche des côtes, il se nourrit des algues arpentant les récifs peu profonds, ces derniers étant riches en minéraux sa carapace s'est peu à peu transformé en une carapace aussi solide que de la pierre et d’un rouge flamboyant. Ses pinces se sont transformées en griffe lui permettant de plus facilement de gratter les algues collées aux roches afin de s’y nourrir.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'littoral', 'south_sea'}, + ['fishing_weather'] = {'CLOUDS', 'OVERCAST', 'RAIN', 'THUNDER'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', + ['min_weight'] = 80, -- poids minimal en grammes + ['max_weight'] = 320, -- poids maxmimal en grammes + ['min_length'] = 8, -- taille minimale en cm + ['max_length'] = 15, -- taille minimale en cm + ['sozedex_id'] = 73, + ['price'] = 43 + }, + ['carpe_emeraude'] = { + ['name'] = 'carpe_emeraude', + ['label'] = "Carpe émeraude", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cyprinus smaragdus, La carpe émeraude est une espèce très commune. Bien qu'étant des poissons d’eau douce certains spécimens ont réussi à atteindre la mer et s'y sont adaptés aujourd’hui il est possible d’en trouver dans l'eau douce comme dans l’eau de mer, elle ne supporte cependant pas la forte pression des fonds marins et se fait dévorer par le moindre prédateur qui passe.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'littoral', 'big_lake', 'litte_lake'}, + ['fishing_weather'] = { 'CLOUDS', 'OVERCAST', 'RAIN' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 100, -- poids minimal en grammes + ['max_weight'] = 400, -- poids maxmimal en grammes + ['min_length'] = 15, -- taille minimale en cm + ['max_length'] = 35, -- taille minimale en cm + ['sozedex_id'] = 74, + ['price'] = 55 + }, + ['calmar_amethyste'] = { + ['name'] = 'calmar_amethyste', + ['label'] = "Calmar améthyste", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Myopsida amethustos. Le calmar améthyste, bien que le terme améthyste signifie “qui n'est pas ivre” en grec ancien, ce calmar est fortement attiré par les effluves d’alcool, apparaissent autour des bateaux de marins profitant d’une bonne bouteille il se retrouve facilement pris dans les filets, mais son corps visqueux lui permet de s’en dépêtrer relativement facilement.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'littoral','south_sea','north_sea'}, + ['fishing_weather'] = { 'SUNNY', 'EXTRASUNNY', 'CLEAR' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 5, -- poids minimal en grammes + ['max_weight'] = 20, -- poids maxmimal en grammes + ['min_length'] = 5, -- taille minimale en cm + ['max_length'] = 10, -- taille minimale en cm + ['sozedex_id'] = 75, + ['price'] = 80 + }, + ['meduse_ambre'] = { + ['name'] = 'meduse_ambre', + ['label'] = "Méduse ambre", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Scyphozoa élektron. La méduse ambre vit là où elle peut, aussi bien dans l'océan que dans les villes là où le courant l’emporte. Lorsque le soleil est au plus haut, ses rayons se reflètent sur l’ombrelle de la méduse, créant ainsi une magnifique lumière orangée et hypnotisante. Attention toutefois à ses piqûres, sans gants vous risquez d’en baver pour les 3 prochaines heures.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'littoral','canals','south_sea'}, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'CLEARING' }, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1, -- poids minimal en grammes + ['max_weight'] = 15, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 25, -- taille minimale en cm + ['sozedex_id'] = 76, + ['price'] = 67 + }, + ['etoile_diamant'] = { + ['name'] = 'etoile_diamant', + ['label'] = "Etoile diamant", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Asterias adamas, L’étoile diamant se nourrit de minéraux trouvés dans les fonds marins. Ressemblant à un assortiment de diamant et héritant de la dureté de ces derniers. Cette étoile n’a que peu de prédateurs, sa pêche intensive a drastiquement réduit sa population, en trouver de nos jours relève d’une chance prodigieuse.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'littoral','south_sea', 'north_sea'}, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'CLOUDS' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 900, -- poids minimal en grammes + ['max_weight'] = 2200, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 29, -- taille minimale en cm + ['sozedex_id'] = 77, + ['price'] = 28 + }, + ['tortue_saphir'] = { + ['name'] = 'tortue_saphir', + ['label'] = "Tortue saphir", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Emydidae sapphirus. La tortue saphir est à la fois d’eau douce salée. On la trouve dans les zones marécageuses proches de plages afin d’y pondre le temps venue. Elles grandissent dans l'océan en se nourrissant de certaines plantes sous-marines riches en minéraux, ce qui lui donne cette carapace cristalline. Elle est néanmoins braconnée pour dernière qui est un objet de luxe très prisé.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'river'}, + ['fishing_weather'] = { 'FOGGY', 'RAIN', 'SMOG' }, + ['fishing_period'] = {'evening'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 3000, -- poids maxmimal en grammes + ['min_length'] = 15, -- taille minimale en cm + ['max_length'] = 35, -- taille minimale en cm + ['sozedex_id'] = 78, + ['price'] = 77 + }, + ['twinfish'] = { + ['name'] = 'twinfish', + ['label'] = "Twinfish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Twinfish, une espèce rare de poisson siamois, est constitué d'un seul et même individu. Il arrive parfois qu'il reste sur place pendant des heures, chaque tête voulant aller dans une direction différente. Parvenir à le pêcher permet donc de réaliser deux exploits en un seul acte.", + ['illustrator'] = ". L'Atelier d'Adrien", + ['fishing_area'] = {'big_lake','little_lake','canals'}, + ['fishing_weather'] = {'RAIN', 'SNOW', 'SNOWLIGHT' }, + ['fishing_period'] = {'evening'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1111, -- poids minimal en grammes + ['max_weight'] = 2222, -- poids maxmimal en grammes + ['min_length'] = 22, -- taille minimale en cm + ['max_length'] = 44, -- taille minimale en cm + ['sozedex_id'] = 79, + ['price'] = 67 + }, + ['happygloby'] = { + ['name'] = 'happygloby', + ['label'] = "HappyGloby", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "L'HappyGloby est un poisson très heureux, trop heureux en réalité. Ce phénomène est lié aux eaux qu'il fréquente, notamment celles proches d'usines chimiques ou d'industries. Il a une certaine tendance à apprécier les résidus chimiques rejetés dans l'eau, ce qui le rend très heureux.", + ['illustrator'] = ". L'Atelier d'Adrien", + ['fishing_area'] = {'south_sea'}, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'SUNNY', 'CLEARING' }, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 800, -- poids maxmimal en grammes + ['min_length'] = 15, -- taille minimale en cm + ['max_length'] = 25, -- taille minimale en cm + ['sozedex_id'] = 80, + ['price'] = 26 + }, + ['toxiglue'] = { + ['name'] = 'toxiglue', + ['label'] = "Toxiglue", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Toxiglue est un concombre de mer rose très gluant et collant qui est toxique pour tout les animaux marins. Il n'y a aucun risque pour l'homme, à moins d'en consommer en forte dose. Dans ce cas, il aura des effets hallucinogènes puissants et peut créer une dépendance.", + ['illustrator'] = ". L'Atelier d'Adrien", + ['fishing_area'] = {'south_sea','littoral','canals'}, + ['fishing_weather'] = { 'OVERCAST', 'RAIN', 'THUNDER'}, + ['fishing_period'] = {'evening','morning','afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 400, -- poids minimal en grammes + ['max_weight'] = 700, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 30, -- taille minimale en cm + ['sozedex_id'] = 81, + ['price'] = 52 + }, + ['octoleon'] = { + ['name'] = 'octoleon', + ['label'] = "Octoleon", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = " L'Octoleon viens des grande profondeur de l'océan, ou la pression est importante, sont corp visqueux et translucide, lui permet de survivre a un telle environnement.", + ['illustrator'] = ". L'Atelier d'Adrien", + ['fishing_area'] = {'south_sea','north_sea'}, + ['fishing_weather'] = { 'NEUTRAL', 'RAIN', 'SMOG'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 2500, -- poids minimal en grammes + ['max_weight'] = 3500, -- poids maxmimal en grammes + ['min_length'] = 60, -- taille minimale en cm + ['max_length'] = 120, -- taille minimale en cm + ['sozedex_id'] = 82, + ['price'] = 56 + }, + ['cryscrab'] = { + ['name'] = 'cryscrab', + ['label'] = "CrysCrab", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Un crabe des grandes profondeurs marines, sa carapace est gluante et visqueuse, ce qui lui permet de survivre à la pression importante des fonds marins. Il est charognard et se nourrit de tout ce qu'il trouve. Son aspect le rend plutôt indigeste pour la plupart des autres animaux, excepté l'Octoleon qui apprécie le chasser et le manger.", + ['illustrator'] = ". L'Atelier d'Adrien", + ['fishing_area'] = {'south_sea','north_sea'}, + ['fishing_weather'] = { 'BLIZZARD', 'THUNDER', 'EXTRASUNNY'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 300, -- poids minimal en grammes + ['max_weight'] = 600, -- poids maxmimal en grammes + ['min_length'] = 15, -- taille minimale en cm + ['max_length'] = 25, -- taille minimale en cm + ['sozedex_id'] = 83, + ['price'] = 79 + }, + ['rainbowfish'] = { + ['name'] = 'rainbowfish', + ['label'] = "Rainbowfish", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Un petit poisson des eaux tropicales, sa couleur est un camouflage qui lui permet d'être moins visible dans les eaux azurées frappées par le soleil. La nuit et les temps couverts sont trop dangereux pour lui, il se cache donc dans les coraux qu'il ne quitte pas.", + ['illustrator'] = ".L'Atelier d'Adrien", + ['fishing_area'] = {'south_sea'}, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'SUNNY', 'CLEARING' }, + ['fishing_period'] = {'morning','afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 200, -- poids minimal en grammes + ['max_weight'] = 400, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 15, -- taille minimale en cm + ['sozedex_id'] = 84, + ['price'] = 42 + }, + ['lumiscale'] = { + ['name'] = 'lumiscale', + ['label'] = "Lumiscale", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Lumiscale est une variété de carpe koï, un poisson populaire dans le monde pour sa beauté et son allure majestueuse. Il est apprécié pour sa robe unique colorée noir et jaune. Il tient son nom de ces superbe écailles jaune vif qui contrastent magnifiquement avec son fond sombre. Elles reflètent même la lumière de la lune leur donnant l'impression de briller dans la nuit. Ces écailles sont réparties de manière irrégulière sur le corps du poisson, créant un motif vibrant et saisissant. En plus de son esthétique remarquable, le Lumiscale est également apprécié pour son tempérament docile, ce qui en fait un poisson idéal pour les amateurs de pêche.", + ['illustrator'] = '.itchinaru', + ['fishing_area'] = {'big_lake','little_lake'}, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'evening','night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 800, -- poids minimal en grammes + ['max_weight'] = 1200, -- poids maxmimal en grammes + ['min_length'] = 40, -- taille minimale en cm + ['max_length'] = 60, -- taille minimale en cm + ['sozedex_id'] = 85, + ['price'] = 55 + }, + ['athenais_la_meduse_papillon'] = { + ['name'] = 'athenais_la_meduse_papillon', + ['label'] = "Athénaïs, la méduse papillon", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Contrairement aux autres espèces de méduses qui utilisent leurs ombrelles en forme de cloche pour avancer, l'espèce Athénaïs possède deux ombrelles externes lui permettant de se déplacer plus précisément. D'ailleurs elles se déplacent le plus souvent en groupe et possèdent un organe lumineux dans son globe supérieur lui permettant de repérer ses congénères de jour comme de nuit.", + ['illustrator'] = '.Pastouke', + ['fishing_area'] = {'littoral','south_sea','north_sea'}, + ['fishing_weather'] = {'OVERCAST', 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD'}, + ['fishing_period'] = {'night'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1000, -- poids minimal en grammes + ['max_weight'] = 2000, -- poids maxmimal en grammes + ['min_length'] = 200, -- taille minimale en cm + ['max_length'] = 300, -- taille minimale en cm + ['sozedex_id'] = 86, + ['price'] = 31 + }, + ['uhane'] = { + ['name'] = 'uhane', + ['label'] = "Uhane", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Une crevette carnivore vivant dans les abysses, il se déplace sur le sol grâce a de petites pates, il possède un point phosphorescent qui alterne entre une couleur bleu et rouge lorsqu'il chasse et attrape ces proies avec des membres semblable a des filaments", + ['illustrator'] = '.Pastouke', + ['fishing_area'] = {'south_sea','north_sea'}, + ['fishing_weather'] = {'OVERCAST', 'RAIN', 'THUNDER'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 300, -- poids minimal en grammes + ['max_weight'] = 500, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 20, -- taille minimale en cm + ['sozedex_id'] = 87, + ['price'] = 21 + }, + ['rubis_des_mers'] = { + ['name'] = 'rubis_des_mers', + ['label'] = "Rubis des Mers", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Revêtu d'un manteau immaculé, dévoile quelques tâches rouges qui semblent refléter son humeur bougonne. Son regard perçant et ses lèvres pincées révèlent une personnalité facétieuse et un brin acariâtre. Malgré son apparence dédaigneuse, il nage avec une certaine élégance, défiant les courants avec une détermination inébranlable. Ce râleur des profondeurs marines semble défier le monde qui l'entoure, mais il attire aussi une certaine curiosité avec sa nature contradictoire.", + ['illustrator'] = '.Dave Creach', + ['fishing_area'] = {'south_sea','canals'}, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'RAIN'}, + ['fishing_period'] = {'morning'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1200, -- poids minimal en grammes + ['max_weight'] = 2500, -- poids maxmimal en grammes + ['min_length'] = 25, -- taille minimale en cm + ['max_length'] = 42, -- taille minimale en cm + ['sozedex_id'] = 88, + ['price'] = 79 + }, + ['lumeine'] = { + ['name'] = 'lumeine', + ['label'] = "Luméine", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La dorade blanche, telle une éclatante illusion, est connue pour aveugler les pêcheurs de par sa beauté éblouissante. Son corps lisse est recouvert d'écailles nacrées qui reflètent la lumière d'une manière hypnotique. Ses yeux scintillants semblent cacher des secrets anciens. Avec ses nageoires délicates et sa silhouette gracieuse, elle glisse silencieusement dans les eaux cristallines, déconcertant les pêcheurs par sa rapidité et sa ruse.", + ['illustrator'] = '.Dave Creach', + ['fishing_area'] = {'littoral'}, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD'}, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 2500, -- poids minimal en grammes + ['max_weight'] = 4000, -- poids maxmimal en grammes + ['min_length'] = 35, -- taille minimale en cm + ['max_length'] = 46, -- taille minimale en cm + ['sozedex_id'] = 89, + ['price'] = 20 + }, + ['discoelacanthe'] = { + ['name'] = 'discoelacanthe', + ['label'] = "Discœlacanthe", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le discœlacanthe est un poisson de mer d'origine préhistorique que l'on trouve principalement le long des plages des zones à forte densité de constructions. Espèce totalement nocturne, elle s'est adaptée à son environnement et ses couleurs flamboyantes feraient écho aux reflets chamarrés émanant des bars, clubs et autres lieux de fête situés en bordure de mer.", + ['illustrator'] = '.Kutz', + ['fishing_area'] = {'littoral','canals'}, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'morning'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 3000, -- poids minimal en grammes + ['max_weight'] = 5000, -- poids maxmimal en grammes + ['min_length'] = 100, -- taille minimale en cm + ['max_length'] = 200, -- taille minimale en cm + ['sozedex_id'] = 90, + ['price'] = 69 + }, + ['cochon_de_mer'] = { + ['name'] = 'cochon_de_mer', + ['label'] = "Cochon de mer", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette paisible créature des eaux du Lac d'Alamo est issu de l'amour interdit d'un petit poisson et d'un sublime cochon, au bord d'un ponton de la pêcherie Millar.", + ['illustrator'] = '.UnclePeps', + ['fishing_area'] = { 'big_lake' }, + ['fishing_weather'] = { 'RAIN', 'EXTRASUNNY', 'CLEAR', 'CLEARING' }, + ['fishing_period'] = {'evening', }, + ['fishman_status'] = 'alcool', + ['min_weight'] = 750, + ['max_weight'] = 1200, + ['min_length'] = 50, + ['max_length'] = 80, + ['sozedex_id'] = 91, + ['price'] = 48 + }, + ['zeponge_de_mer'] = { + ['name'] = 'zeponge_de_mer', + ['label'] = "Zéponge de mer", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La Zéponge de mer est le joyau des océans. On la retrouve abondamment le long des côtes, offrant une vue saisissante aux profanes. En effet, son apparence unique en forme de Z lui confère une présence remarquée dans les fonds marins. Cette éponge exotique capture l'imagination avec sa couleur d'un vert éclatant, ajoutant une touche de beauté tropicale à tout l'écosystème marin.", + ['illustrator'] = '.Kutz', + ['fishing_area'] = { 'littoral', 'south_sea' }, + ['fishing_weather'] = { 'RAIN', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'evening','night','morning','afternoon' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 100, + ['max_weight'] = 300, + ['min_length'] = 20, + ['max_length'] = 50, + ['sozedex_id'] = 92, + ['price'] = 36 + }, + ['goldecrevisse'] = { + ['name'] = 'goldecrevisse', + ['label'] = "Goldécrevisse", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette écrevisse se cache dans les rochers et sort au crépuscule. A force de voler des objets brillants abandonnés par les plaisanciers sur la plage, des particules d'or se sont fixées sur sa carapace, la rendant brillante et facilement repérable de nuit.", + ['illustrator'] = '.Smogogo', + ['fishing_area'] = { 'littoral' }, + ['fishing_weather'] = { 'RAIN', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'night','evening' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 70, + ['max_weight'] = 150, + ['min_length'] = 10, + ['max_length'] = 16, + ['sozedex_id'] = 93, + ['price'] = 63 + }, + ['etoile_de_merdeeeee_aie_elle_ma_mordu'] = { + ['name'] = 'etoile_de_merdeeeee_aie_elle_ma_mordu', + ['label'] = "Etoile de merDEEEEE AIE ELLE MA MORDU", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "ATTENTION A VOS DOIGTS ! Cette espèce d'étoiles de mer est carnivore, elle risque de vous morde, elle lui arrive même d'être cannibale et mangé ces propres enfants ! Son nom vient du fait que le chercheur qui était entrain de nommer cette espèce c'est fait mordre", + ['illustrator'] = '.Pastouke', + ['fishing_area'] = { 'little_lake', 'river' }, + ['fishing_weather'] = { 'RAIN', 'EXTRASUNNY', 'CLEAR', 'CLEARING' }, + ['fishing_period'] = {'evening','night','morning','afternoon' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 500, + ['max_weight'] = 1000, + ['min_length'] = 30, + ['max_length'] = 50, + ['sozedex_id'] = 94, + ['price'] = 31 + }, + ['exocet_bleu'] = { + ['name'] = 'exocet_bleu', + ['label'] = "Exocet bleu", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "L'exocet bleu est un poisson volant capable d'émettre des sons allant jusqu'à 180dB pour les individus adultes. Hormis cette stratégie de défense étrange et désagréable, son seul autre caractère notable est qu'il sent vraiment très mauvais.", + ['illustrator'] = '.DaraBesque', + ['fishing_area'] = { 'south_sea', 'littoral' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'evening','night','morning','afternoon' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 10, + ['max_weight'] = 100, + ['min_length'] = 3, + ['max_length'] = 10, + ['sozedex_id'] = 95, + ['price'] = 42 + }, + ['poulpitrol'] = { + ['name'] = 'poulpitrol', + ['label'] = "Poulpitrol", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Méfiez vous de ses yeux, Tentacules et ventouses vous feront plonger, dans le Pétrole vous succomberez", + ['illustrator'] = '.Hydre Funky', + ['fishing_area'] = { 'littoral', 'big_lake' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'night' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 2000, + ['max_weight'] = 3000, + ['min_length'] = 40, + ['max_length'] = 130, + ['sozedex_id'] = 96, + ['price'] = 78 + }, + ['nimo'] = { + ['name'] = 'nimo', + ['label'] = "Nimo", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le Nimo, poisson petit et discret, est en réalité un poisson mangeant tout sur son passage. Plante, autres poissons, ou même vos doigts de pied si vous avez le malheur de vous approcher de son territoire. Penser également à mettre des gants si vous tentez de partir à la pêche de ce dernier..", + ['illustrator'] = '.DreamXZE', + ['fishing_area'] = { 'big_lake', 'little_lake', 'river' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'evening','night','morning','afternoon' }, + ['fishman_status'] = 'alcool', + ['min_weight'] = 500, + ['max_weight'] = 1000, + ['min_length'] = 50, + ['max_length'] = 75, + ['sozedex_id'] = 97, + ['price'] = 78 + }, + ['tetrotox'] = { + ['name'] = 'tetrotox', + ['label'] = "Tétrotox", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "C'est un poisson unique en son genre. D'un rouge éclatant agrémenté de délicates marques blanches, il charme les regards. Cependant, sa naïveté est aussi sa menace. Toxique au toucher, ce poisson simplet se gonfle d'effroi, révélant une allure cocasse. Un mélange de beauté et de maladresse, qui dépeint la fragilité de la nature.", + ['illustrator'] = '.Dave Creach', + ['fishing_area'] = { 'littoral', 'south_sea' }, + ['fishing_weather'] = { 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD', 'RAIN' }, + ['fishing_period'] = {'evening' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 1000, + ['max_weight'] = 2000, + ['min_length'] = 20, + ['max_length'] = 40, + ['sozedex_id'] = 98, + ['price'] = 27 + }, + ['lapollo'] = { + ['name'] = 'lapollo', + ['label'] = "Lapollo", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Des rumeurs semblent indiquer que Kubrick se serait inspiré de la peau des Lapollo pour les décors de l'alunissage, toutefois aucune source n'a confirmé ce fait. Notre seule certitude est que cette créature ne peut être pêché qu'une fois la nuit tombée, lorsque la lune vient se refléter sur les eaux. ", + ['illustrator'] = '.kaemy', + ['fishing_area'] = { 'north_sea', 'south_sea' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY' }, + ['fishing_period'] = {'night' }, + ['fishman_status'] = 'drug', + ['min_weight'] = 400, + ['max_weight'] = 2500, + ['min_length'] = 80, + ['max_length'] = 200, + ['sozedex_id'] = 99, + ['price'] = 29 + }, + ['kronk_terreur'] = { + ['name'] = 'kronk_terreur', + ['label'] = "Kronk, la terreur", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Wannabe terreur des mers qui ne fait peur qu'à lui-même. Ca ira peut-être mieux quand toutes ses dents auront poussé !", + ['illustrator'] = '.Fowlerz', + ['fishing_area'] = { 'littoral', 'canals', 'river' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'RAIN' }, + ['fishing_period'] = {'night','evening' }, + ['fishman_status'] = 'drug', + ['min_weight'] = 100, + ['max_weight'] = 500, + ['min_length'] = 10, + ['max_length'] = 20, + ['sozedex_id'] = 100, + ['price'] = 41 + }, + ['poulpe_eclair'] = { + ['name'] = 'poulpe_eclair', + ['label'] = "Poulpe eclair", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Histioteuthis micare. Le poulpe éclair peut émettre des décharges de plus de 800 volts, mais cela le fatigue énormément, c'est pour cela qu'il régule sa tension selon la proie qu'il chasse pour limiter son épuisement. Extrêmement furtif, il est capable d'éblouir ses prédateurs grâce à la lumière qu’il produit mais aussi de s'éteindre pour se cacher.", + ['illustrator'] = '.Crash', + ['fishing_area'] = { 'littoral' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG' }, + ['fishing_period'] = {'night' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 50, + ['max_weight'] = 150, + ['min_length'] = 20, + ['max_length'] = 100, + ['sozedex_id'] = 101, + ['price'] = 21 + }, + ['lotushell'] = { + ['name'] = 'lotushell', + ['label'] = "Lotushell", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Emydidae lotus, La Lotushelle est exclusivement d’eau douce, la fleur sur son dos est un parasite avec lequel elle vit en symbiose, lui apportant l'énergie émise par le soleil. Elle se nourrit d’algue formée sur les bords d'étang où elle vit, la fleur lui permet de flotter à la surface, se fondant ainsi avec les lotus et autres fleurs environnantes", + ['illustrator'] = '.Crash', + ['fishing_area'] = { 'little_lake' }, + ['fishing_weather'] = { 'CLEAR', 'CLEARING', 'EXTRASUNNY', 'RAIN' }, + ['fishing_period'] = {'evening','night','morning','afternoon' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 650, + ['max_weight'] = 1250, + ['min_length'] = 13, + ['max_length'] = 36, + ['sozedex_id'] = 102, + ['price'] = 66 + }, + ['icecrevisse'] = { + ['name'] = 'icecrevisse', + ['label'] = "Icecrevisse", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Nix Astacoidea. L’icecrevisse est très commune dans les étendues d’eau douce, elle ne se montre qu’en hiver, ou elle se nourrit abondamment afin d’hiberner pour les 9 prochains mois. Son corps a besoin d’une température inférieure à 10 degrés, lorsque le temps se réchauffe, elle s’enterre sous l’eau ou la fraîcheur lui garantit de survivre.", + ['illustrator'] = '.Crash', + ['fishing_area'] = { 'little_lake' }, + ['fishing_weather'] = { 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD' }, + ['fishing_period'] = {'evening','night','morning' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 40, + ['max_weight'] = 90, + ['min_length'] = 8, + ['max_length'] = 18, + ['sozedex_id'] = 103, + ['price'] = 37 + }, + ['frostoad'] = { + ['name'] = 'frostoad', + ['label'] = "Frostoad", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Nix Alytes Le Frostoad est un crapaud vivant dans les marécages, il passe son hiver à chasser différents insectes volants, puis le reste de l’année il hiberne en ne sortant qu'à des moments de grand froid afin de refaire ses réserves de graisse. Il est relativement commun mais est difficile à apercevoir car aime se cacher dans la neige, ce qui lui permet d'éviter ses prédateurs.", + ['illustrator'] = '.Crash', + ['fishing_area'] = { 'river' }, + ['fishing_weather'] = { 'SNOW', 'SNOWLIGHT', 'XMAS', 'BLIZZARD' }, + ['fishing_period'] = {'evening','night','morning','afternoon' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 123, + ['max_weight'] = 321, + ['min_length'] = 9, + ['max_length'] = 16, + ['sozedex_id'] = 104, + ['price'] = 67 + }, + ['carpxolotl'] = { + ['name'] = 'carpxolotl', + ['label'] = "Carpxolotl", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ambystoma Cyprinidae. La Carpxolotl est l’évolution d’un axolotl s’étant nourrie sur plusieurs générations des poissons de son habitat naturel. Étant doué de capacité de régénération et d’adaptation hors du commun, ce petit être a réussi à se faire une place de choix dans la chaîne alimentaire de la faune. les eaux douces regorgent de ce dernier, qui ne chasse que de nuit et dort le jour.", + ['illustrator'] = '.Crash', + ['fishing_area'] = { 'river', 'little_lake' }, + ['fishing_weather'] = { 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS' }, + ['fishing_period'] = {'evening','night' }, + ['fishman_status'] = 'clean', + ['min_weight'] = 20, + ['max_weight'] = 60, + ['min_length'] = 7, + ['max_length'] = 13, + ['sozedex_id'] = 105, + ['price'] = 46 + }, + ['clearcrab'] = { + ['name'] = 'clearcrab', + ['label'] = "Clearcrab", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Limnopilos crystallinus, le Clearcrab vit dans les eaux douces non pollué, il nettoie les poissons grâce à la douceur et précision de ses pinces puis se sert de deux orifices au niveau de sa tête pour projeter de l’eau et ainsi se débarrasser des résidus restants. Il n'est pas rare de voir des groupes traverser la forêt pour trouver un nouveau point d’eau plus sain.", + ['illustrator'] = '.Crash', + ['fishing_area'] = {'little_lake', 'river'}, + ['fishing_weather'] = { 'EXTRASUNNY', 'CLEAR', 'CLEARING', 'FOGGY', 'SMOG', 'OVERCAST', 'CLOUDS'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 200, -- poids minimal en grammes + ['max_weight'] = 600, -- poids maxmimal en grammes + ['min_length'] = 21, -- taille minimale en cm + ['max_length'] = 38, -- taille minimale en cm + ['sozedex_id'] = 106, + ['price'] = 34 + }, + ['wooden_flight'] = { + ['name'] = 'wooden_flight', + ['label'] = "Wooden Flight", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Le wooden flight est un poisson composé uniquement de branches vivant dans les eaux du Nord de la ville proche de la zone de coupe de Paleto, au fur et à mesures des années à force de voir des bûcherons essayer de s’envoler en bougeant leurs bras il a finit par développer des nageoires assez puissantes qui lui permet s’envoler quelques secondes. Ils se baladent en bande et n’hésite pas a troll tous les bûcherons qu’ils voient en leur montrant qu’ils savent voler.", + ['illustrator'] = '.Naylec_', + ['fishing_area'] = {'big_lake', 'river'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'CLOUDS', 'OVERCAST'}, + ['fishing_period'] = {'evening'}, + ['fishman_status'] = 'alcool', -- drug, alcool, clean + ['min_weight'] = 1250, -- poids minimal en grammes + ['max_weight'] = 1500, -- poids maxmimal en grammes + ['min_length'] = 28, -- taille minimale en cm + ['max_length'] = 35, -- taille minimale en cm + ['sozedex_id'] = 107, + ['price'] = 61 + }, + ['horaine_argentee'] = { + ['name'] = 'horaine_argentee', + ['label'] = "Horaine Argentée", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson absorbe de grandes quantités de métaux lourd, le rendant impropre à la consommation. Ses écailles sont si réfléchissantes qu'elles feraient un bon miroir. C'est d'ailleurs grâce à sa peau brillante qu'il échappe aux mouettes en les aveuglant.", + ['illustrator'] = '.Darabesque', + ['fishing_area'] = {'big_lake', 'river'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY'}, + ['fishing_period'] = {'morning', 'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 500, -- poids minimal en grammes + ['max_weight'] = 800, -- poids maxmimal en grammes + ['min_length'] = 18, -- taille minimale en cm + ['max_length'] = 28, -- taille minimale en cm + ['sozedex_id'] = 108, + ['price'] = 49 + }, + ['doradonut'] = { + ['name'] = 'doradonut', + ['label'] = "Doradonut", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Un petit poisson à la chair irrésistible, moelleux mais un peu gras.", + ['illustrator'] = '.Nina_lala', + ['fishing_area'] = {'littoral'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY', 'SNOW', 'SNOWLIGHT', 'THUNDER', 'XMAS'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 25, -- poids minimal en grammes + ['max_weight'] = 50, -- poids maxmimal en grammes + ['min_length'] = 8, -- taille minimale en cm + ['max_length'] = 10, -- taille minimale en cm + ['sozedex_id'] = 109, + ['price'] = 44 + }, + ['oursin_kipik'] = { + ['name'] = 'oursin_kipik', + ['label'] = "Oursin Kipik", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Un petit oursin mignon mais attention, ça pique!", + ['illustrator'] = '.Nina_lala', + ['fishing_area'] = {'littoral', 'south_sea'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY'}, + ['fishing_period'] = {'morning'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 20, -- poids minimal en grammes + ['max_weight'] = 100, -- poids maxmimal en grammes + ['min_length'] = 5, -- taille minimale en cm + ['max_length'] = 10, -- taille minimale en cm + ['sozedex_id'] = 110, + ['price'] = 40 + }, + ['silver_moula'] = { + ['name'] = 'silver_moula', + ['label'] = "Silver Moula", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette moule argenté est relativement rare mais brille de mille feux!", + ['illustrator'] = '.Nina_lala', + ['fishing_area'] = {'littoral', 'south_sea'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY'}, + ['fishing_period'] = {'morning'}, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 8, -- poids minimal en grammes + ['max_weight'] = 10, -- poids maxmimal en grammes + ['min_length'] = 4, -- taille minimale en cm + ['max_length'] = 5, -- taille minimale en cm + ['sozedex_id'] = 111, + ['price'] = 68 + }, + ['golden_huitre'] = { + ['name'] = 'golden_huitre', + ['label'] = "Golden Huître", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Cette huître extrêmement rare vous procurera une sensation de richesse, juste la sensation...", + ['illustrator'] = '.Nina_lala', + ['fishing_area'] = {'littoral'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'HALLOWEEN', 'NEUTRAL', 'OVERCAST', 'RAIN'}, + ['fishing_period'] = {'afternoon'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 125, -- poids minimal en grammes + ['max_weight'] = 150, -- poids maxmimal en grammes + ['min_length'] = 12, -- taille minimale en cm + ['max_length'] = 15, -- taille minimale en cm + ['sozedex_id'] = 112, + ['price'] = 73 + }, + ['crevette_alecto'] = { + ['name'] = 'crevette_alecto', + ['label'] = "Crevette Alecto", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La crevette Alecto se regroupe souvent avec les espèces de types Mégèrienne et Tisiphonia afin de comploter contre la population sous marine.", + ['illustrator'] = '.Nina_lala', + ['fishing_area'] = {'south_sea'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY'}, + ['fishing_period'] = {'morning', 'afternoon'}, + ['fishman_status'] = 'drug', -- drug, alcool, clean + ['min_weight'] = 2, -- poids minimal en grammes + ['max_weight'] = 5, -- poids maxmimal en grammes + ['min_length'] = 2, -- taille minimale en cm + ['max_length'] = 3, -- taille minimale en cm + ['sozedex_id'] = 113, + ['price'] = 51 + }, + ['limasse'] = { + ['name'] = 'limasse', + ['label'] = "Limasse", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "La Limasse sous espèce de la limace de mer, parcourt les fonds marins en répandant de la joie et de la bonne humeur à toutes les espèces présentes. On dit que la manger pourrait ramener l'être aimé.", + ['illustrator'] = '.Nina_lala', + ['fishing_area'] = {'littoral', 'south_sea'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY', 'FOGGY', 'HALLOWEEN', 'RAIN', 'SMOG'}, + ['fishing_period'] = {'morning', 'evening'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 5, -- poids minimal en grammes + ['max_weight'] = 20, -- poids maxmimal en grammes + ['min_length'] = 4, -- taille minimale en cm + ['max_length'] = 7, -- taille minimale en cm + ['sozedex_id'] = 114, + ['price'] = 80 + }, + ['poimousse'] = { + ['name'] = 'poimousse', + ['label'] = "Poimousse", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Ce poisson à l'air d'être resté très longtemps dans ces eaux poisseuses, au point qu'il a fusionné avec.", + ['illustrator'] = '._erka', + ['fishing_area'] = {'river', 'canals'}, + ['fishing_weather'] = {'FOGGY', 'HALLOWEEN', 'NEUTRAL', 'OVERCAST', 'RAIN', 'SMOG'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 1000, -- poids minimal en grammes + ['max_weight'] = 2000, -- poids maxmimal en grammes + ['min_length'] = 30, -- taille minimale en cm + ['max_length'] = 60, -- taille minimale en cm + ['sozedex_id'] = 115, + ['price'] = 77 + }, + ['goofysh'] = { + ['name'] = 'goofysh', + ['label'] = "Goofysh", + ['useable'] = false, + ['weight'] = 200, + ['type'] = 'fish', + ['description'] = "Les goofyshs sont des créatures aux grands yeux et aux couleurs vives dont la forme varie un peu d'un individus à l'autre. Ils sont très joueurs et amicaux mais aussi un peu stupides et maladroits, c'est ainsi que leur évolution les a fait devenir visqueux et mous, caractéristiques leurs permettant de mieux échapper à leurs prédateurs ou leur dangerosité envers eux même. Il est assez facile d'en observer des groupes s'amuser dans des coraux aussi colorés qu'eux.", + ['illustrator'] = '.Nahora', + ['fishing_area'] = {'littoral', 'south_sea'}, + ['fishing_weather'] = {'CLEAR', 'CLEARING', 'EXTRASUNNY', 'OVERCAST', 'CLOUDS'}, + ['fishing_period'] = {'alltime'}, + ['fishman_status'] = 'clean', -- drug, alcool, clean + ['min_weight'] = 50, -- poids minimal en grammes + ['max_weight'] = 100, -- poids maxmimal en grammes + ['min_length'] = 10, -- taille minimale en cm + ['max_length'] = 20, -- taille minimale en cm + ['sozedex_id'] = 116, + ['price'] = 22 + }, + ['soz_hammer'] = { + ['name'] = 'soz_hammer', + ['label'] = "Le Marteau", + ['weight'] = 1000, + ['useable'] = true, + ['type'] = 'item', + ['shouldClose'] = true, + ['unique'] = true, + ['combinable'] = nil, + ['giveable'] = false, + ['description'] = "Il en émane une puissance incommensurable. Il est dit que celui qui le possède peut façon le monde à sa guise. Vous ne vous sentez pas de le donner à quiconque.", + ['illustrator'] = '.' + } } diff --git a/resources/[qb]/qb-core/shared/trunks.lua b/resources/[qb]/qb-core/shared/trunks.lua index 299a2c9f6c..6c799ec0e9 100644 --- a/resources/[qb]/qb-core/shared/trunks.lua +++ b/resources/[qb]/qb-core/shared/trunks.lua @@ -24,6 +24,7 @@ QBShared.Trunks = { [19] = { slot = 10, weight = 0 }, -- Military [20] = { slot = 10, weight = 0 }, -- Commercial [21] = { slot = 10, weight = 0 }, -- Trains + [22] = { slot = 10, weight = 20000 }, -- Quads --- Override for specific vehicle @@ -38,6 +39,7 @@ QBShared.Trunks = { [GetHashKey('polmav')] = { slot = 5, weight = 200000 }, [GetHashKey('lspdbana1')] = { slot = 5, weight = 80000 }, [GetHashKey('lspdbana2')] = { slot = 5, weight = 80000 }, + [GetHashKey('lspdgallardo')] = { slot = 5, weight = 40000 }, --- BCSO [GetHashKey('sheriff3')] = { slot = 5, weight = 60000 }, @@ -48,6 +50,7 @@ QBShared.Trunks = { [GetHashKey('sheriffcara')] = { slot = 15, weight = 100000 }, [GetHashKey('bcsobana1')] = { slot = 5, weight = 80000 }, [GetHashKey('bcsobana2')] = { slot = 5, weight = 80000 }, + [GetHashKey('bcsoc7')] = { slot = 5, weight = 40000 }, --- LSMC [GetHashKey('ambulance')] = { slot = 5, weight = 100000 }, @@ -69,7 +72,7 @@ QBShared.Trunks = { -- Michel Transport Petrol [GetHashKey('packer2')] = { slot = 5, weight = 40000 }, - [GetHashKey('tanker')] = { slot = 5, weight = 550000 }, + [GetHashKey('tanker')] = { slot = 5, weight = 825000 }, [GetHashKey('utillitruck4')] = { slot = 5, weight = 100000 }, -- CarlJr Services @@ -89,7 +92,7 @@ QBShared.Trunks = { -- Pawl [GetHashKey('hauler1')] = { slot = 10, weight = 40000 }, - [GetHashKey('sadler1')] = { slot = 10, weight = 80000 }, + [GetHashKey('sadler1')] = { slot = 10, weight = 200000 }, [GetHashKey('trailerlogs')] = { slot = 10, weight = 200000 }, -- UPW @@ -101,4 +104,25 @@ QBShared.Trunks = { -- FFS [GetHashKey('rumpo4')] = { slot = 10, weight = 200000 }, + + -- Army + [GetHashKey('barracks')] = { slot = 50, weight = 1000000 }, + [GetHashKey('dinghy5')] = { slot = 50, weight = 200000 }, + + -- Quads + [GetHashKey('blazer')] = { slot = 50, weight = 20000 }, + [GetHashKey('blazer3')] = { slot = 50, weight = 20000 }, + [GetHashKey('blazer4')] = { slot = 50, weight = 20000 }, + + -- Boats + [GetHashKey('seashark')] = { slot = 50, weight = 20000 }, + [GetHashKey('suntrap')] = { slot = 50, weight = 40000 }, + [GetHashKey('tropic')] = { slot = 50, weight = 40000 }, + [GetHashKey('tropic2')] = { slot = 50, weight = 40000 }, + [GetHashKey('tropic3')] = { slot = 50, weight = 40000 }, + [GetHashKey('dinghy')] = { slot = 50, weight = 40000 }, + [GetHashKey('squalo')] = { slot = 50, weight = 80000 }, + [GetHashKey('jetmax')] = { slot = 50, weight = 80000 }, + [GetHashKey('speeder')] = { slot = 50, weight = 80000 }, + [GetHashKey('speeder2')] = { slot = 50, weight = 80000 }, } diff --git a/resources/[qb]/qb-target/EXAMPLES.md b/resources/[qb]/qb-target/EXAMPLES.md index bf1cd4de87..82370330f1 100644 --- a/resources/[qb]/qb-target/EXAMPLES.md +++ b/resources/[qb]/qb-target/EXAMPLES.md @@ -231,7 +231,7 @@ exports['qb-target']:AddTargetModel(690372739, { RegisterNetEvent('coffee:buy',function(data) -- server event to buy the item here - exports["soz-hud"]:DrawNotification("You purchased a " .. data.label .. " for $" .. data.price .. ". Enjoy!") + exports["soz-core"]:DrawNotification("You purchased a " .. data.label .. " for $" .. data.price .. ". Enjoy!") end) ``` diff --git a/resources/[qb]/qb-target/client.lua b/resources/[qb]/qb-target/client.lua index 47fd536195..9bc332fcb7 100644 --- a/resources/[qb]/qb-target/client.lua +++ b/resources/[qb]/qb-target/client.lua @@ -127,6 +127,7 @@ local function CheckEntity(hit, datatable, entity, distance) icon = data.icon, label = data.label, color = data.color, + slot = slot } sendDistance[data.distance] = true else sendDistance[data.distance] = false end @@ -185,7 +186,7 @@ end exports('CheckBones', CheckBones) local function EnableTarget() - if not AllowTarget or success or (not Config.Standalone and not LocalPlayer.state['isLoggedIn']) or IsNuiFocused() or (Config.DisableInVehicle and IsPedInAnyVehicle(playerPed or PlayerPedId(), false)) then return end + if not AllowTarget or success or IsNuiFocused() or (Config.DisableInVehicle and IsPedInAnyVehicle(playerPed or PlayerPedId(), false)) then return end if not CheckOptions then CheckOptions = _ENV.CheckOptions end if not targetActive and CheckOptions then targetActive = true @@ -237,7 +238,9 @@ local function EnableTarget() if entityType == 1 then local data = Models[GetEntityModel(entity)] if IsPedAPlayer(entity) then - if LocalPlayer.state.is_in_hub then + local playerState = exports["soz-core"]:GetPlayerState() + + if playerState.isInHub then data = nil else data = Players @@ -265,6 +268,7 @@ local function EnableTarget() icon = data.icon, label = data.label, color = data.color, + slot = slot } sendDistance[data.distance] = true else sendDistance[data.distance] = false end @@ -350,6 +354,7 @@ local function EnableTarget() icon = data.icon, label = data.label, color = data.color, + slot = slot } end end @@ -658,7 +663,8 @@ local function AddGlobalPlayer(parameters) local distance, options = parameters.distance or Config.MaxDistance, parameters.options for k, v in pairs(options) do if not v.distance or v.distance > distance then v.distance = distance end - Players[#Players+1] = v + local key = v.label .. (v.job or "") .. (v.color or "") + Players[key] = v end end @@ -968,32 +974,34 @@ RegisterNUICallback('selectTarget', function(option, cb) targetActive, success, hasFocus = false, false, false if sendData then local data = sendData[option] - table_wipe(sendData) - CreateThread(function() - Wait(0) + if data then + table_wipe(sendData) + CreateThread(function() + Wait(0) - if data.blackoutGlobal then - exports["soz-phone"]:stopPhoneCall() - end + if data.blackoutGlobal then + exports["soz-phone"]:stopPhoneCall() + end - if data.action then - data.action(data.entity) - elseif data.event then - if data.type == "client" then - TriggerEvent(data.event, data) - elseif data.type == "server" then - TriggerServerEvent(data.event, data) - elseif data.type == "command" then - ExecuteCommand(data.event) - elseif data.type == "qbcommand" then - TriggerServerEvent('QBCore:CallCommand', data.event, data) + if data.action then + data.action(data.entity) + elseif data.event then + if data.type == "client" then + TriggerEvent(data.event, data) + elseif data.type == "server" then + TriggerServerEvent(data.event, data) + elseif data.type == "command" then + ExecuteCommand(data.event) + elseif data.type == "qbcommand" then + TriggerServerEvent('QBCore:CallCommand', data.event, data) + else + TriggerEvent(data.event, data) + end else - TriggerEvent(data.event, data) + print("No trigger setup") end - else - print("No trigger setup") - end - end) + end) + end end cb('ok') end) diff --git a/resources/[qb]/qb-target/html/img/crimi/bag.png b/resources/[qb]/qb-target/html/img/crimi/bag.png new file mode 100644 index 0000000000..0b6db12581 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/bag.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/box.png b/resources/[qb]/qb-target/html/img/crimi/box.png new file mode 100644 index 0000000000..1506e7482d Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/box.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/ciguatoxine.png b/resources/[qb]/qb-target/html/img/crimi/ciguatoxine.png new file mode 100644 index 0000000000..3b818e804d Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/ciguatoxine.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/destroy.png b/resources/[qb]/qb-target/html/img/crimi/destroy.png new file mode 100644 index 0000000000..0f72b96af1 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/destroy.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/mushroom.png b/resources/[qb]/qb-target/html/img/crimi/mushroom.png new file mode 100644 index 0000000000..ab41605c51 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/mushroom.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/patch.png b/resources/[qb]/qb-target/html/img/crimi/patch.png new file mode 100644 index 0000000000..a51fa58ffd Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/patch.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/pilule.png b/resources/[qb]/qb-target/html/img/crimi/pilule.png new file mode 100644 index 0000000000..0cab05748f Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/pilule.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/repair.png b/resources/[qb]/qb-target/html/img/crimi/repair.png new file mode 100644 index 0000000000..3ad245d4a3 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/repair.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/serre.png b/resources/[qb]/qb-target/html/img/crimi/serre.png new file mode 100644 index 0000000000..333287559f Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/serre.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/stir.png b/resources/[qb]/qb-target/html/img/crimi/stir.png new file mode 100644 index 0000000000..69af5077fa Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/stir.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/time.png b/resources/[qb]/qb-target/html/img/crimi/time.png new file mode 100644 index 0000000000..d990041194 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/time.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/toxic_flesh.png b/resources/[qb]/qb-target/html/img/crimi/toxic_flesh.png new file mode 100644 index 0000000000..8b6ac23438 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/toxic_flesh.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/training.png b/resources/[qb]/qb-target/html/img/crimi/training.png new file mode 100644 index 0000000000..ac593497c8 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/training.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/transform.png b/resources/[qb]/qb-target/html/img/crimi/transform.png new file mode 100644 index 0000000000..998f120a4a Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/transform.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/water.png b/resources/[qb]/qb-target/html/img/crimi/water.png new file mode 100644 index 0000000000..07c4348c7d Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/water.png differ diff --git a/resources/[qb]/qb-target/html/img/crimi/zeed.png b/resources/[qb]/qb-target/html/img/crimi/zeed.png new file mode 100644 index 0000000000..9d9cc60faa Binary files /dev/null and b/resources/[qb]/qb-target/html/img/crimi/zeed.png differ diff --git a/resources/[qb]/qb-target/html/img/driving-school/boat.png b/resources/[qb]/qb-target/html/img/driving-school/boat.png new file mode 100644 index 0000000000..d88108d1fa Binary files /dev/null and b/resources/[qb]/qb-target/html/img/driving-school/boat.png differ diff --git a/resources/[qb]/qb-target/html/img/fishing/fishing-rod.png b/resources/[qb]/qb-target/html/img/fishing/fishing-rod.png new file mode 100644 index 0000000000..ebcd1bd5af Binary files /dev/null and b/resources/[qb]/qb-target/html/img/fishing/fishing-rod.png differ diff --git a/resources/[qb]/qb-target/html/img/fishing/rent-boat.png b/resources/[qb]/qb-target/html/img/fishing/rent-boat.png new file mode 100644 index 0000000000..12b328b3e3 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/fishing/rent-boat.png differ diff --git a/resources/[qb]/qb-target/html/img/food/chef.png b/resources/[qb]/qb-target/html/img/food/chef.png new file mode 100644 index 0000000000..b3ede041cd Binary files /dev/null and b/resources/[qb]/qb-target/html/img/food/chef.png differ diff --git a/resources/[qb]/qb-target/html/img/food/craft_easter.png b/resources/[qb]/qb-target/html/img/food/craft_easter.png new file mode 100644 index 0000000000..aa1769e60b Binary files /dev/null and b/resources/[qb]/qb-target/html/img/food/craft_easter.png differ diff --git a/resources/[qb]/qb-target/html/img/fuel/battery.png b/resources/[qb]/qb-target/html/img/fuel/battery.png new file mode 100644 index 0000000000..25e840595e Binary files /dev/null and b/resources/[qb]/qb-target/html/img/fuel/battery.png differ diff --git a/resources/[qb]/qb-target/html/img/fuel/charger.png b/resources/[qb]/qb-target/html/img/fuel/charger.png new file mode 100644 index 0000000000..9899f6a90d Binary files /dev/null and b/resources/[qb]/qb-target/html/img/fuel/charger.png differ diff --git a/resources/[qb]/qb-target/html/img/fuel/plug.png b/resources/[qb]/qb-target/html/img/fuel/plug.png new file mode 100644 index 0000000000..1560b10bbe Binary files /dev/null and b/resources/[qb]/qb-target/html/img/fuel/plug.png differ diff --git a/resources/[qb]/qb-target/html/img/fuel/recharge.png b/resources/[qb]/qb-target/html/img/fuel/recharge.png new file mode 100644 index 0000000000..6e213b9c5c Binary files /dev/null and b/resources/[qb]/qb-target/html/img/fuel/recharge.png differ diff --git a/resources/[qb]/qb-target/html/img/magasin/album.png b/resources/[qb]/qb-target/html/img/magasin/album.png new file mode 100644 index 0000000000..de5beec434 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/magasin/album.png differ diff --git a/resources/[qb]/qb-target/html/img/mechanic/car_battery.png b/resources/[qb]/qb-target/html/img/mechanic/car_battery.png new file mode 100644 index 0000000000..2757930594 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/mechanic/car_battery.png differ diff --git a/resources/[qb]/qb-target/html/img/mechanic/repair_diag.png b/resources/[qb]/qb-target/html/img/mechanic/repair_diag.png new file mode 100644 index 0000000000..c69445cbc8 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/mechanic/repair_diag.png differ diff --git a/resources/[qb]/qb-target/html/img/pawl/craft-empty_lunchbox.png b/resources/[qb]/qb-target/html/img/pawl/craft-empty_lunchbox.png new file mode 100644 index 0000000000..77d3bbf2b5 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/pawl/craft-empty_lunchbox.png differ diff --git a/resources/[qb]/qb-target/html/img/pawl/harvest-chainsaw.png b/resources/[qb]/qb-target/html/img/pawl/harvest-chainsaw.png new file mode 100644 index 0000000000..ba69147f29 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/pawl/harvest-chainsaw.png differ diff --git a/resources/[qb]/qb-target/html/img/pawl/harvest-mushroom.png b/resources/[qb]/qb-target/html/img/pawl/harvest-mushroom.png new file mode 100644 index 0000000000..bca9743b72 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/pawl/harvest-mushroom.png differ diff --git a/resources/[qb]/qb-target/html/img/pawl/harvest-sap.png b/resources/[qb]/qb-target/html/img/pawl/harvest-sap.png new file mode 100644 index 0000000000..1246b17bc8 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/pawl/harvest-sap.png differ diff --git a/resources/[qb]/qb-target/html/img/police/jam.png b/resources/[qb]/qb-target/html/img/police/jam.png new file mode 100644 index 0000000000..bafb339b8c Binary files /dev/null and b/resources/[qb]/qb-target/html/img/police/jam.png differ diff --git a/resources/[qb]/qb-target/html/img/police/screening.png b/resources/[qb]/qb-target/html/img/police/screening.png new file mode 100644 index 0000000000..9e6fdd2edd Binary files /dev/null and b/resources/[qb]/qb-target/html/img/police/screening.png differ diff --git a/resources/[qb]/qb-target/html/img/race/launch.png b/resources/[qb]/qb-target/html/img/race/launch.png new file mode 100644 index 0000000000..2f9eda82d3 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/race/launch.png differ diff --git a/resources/[qb]/qb-target/html/img/race/score.png b/resources/[qb]/qb-target/html/img/race/score.png new file mode 100644 index 0000000000..7f07c43284 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/race/score.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/collecter.png b/resources/[qb]/qb-target/html/img/upw/collecter.png new file mode 100644 index 0000000000..3223652f49 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/collecter.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/deposer.png b/resources/[qb]/qb-target/html/img/upw/deposer.png new file mode 100644 index 0000000000..cd859910a1 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/deposer.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/pollution.png b/resources/[qb]/qb-target/html/img/upw/pollution.png new file mode 100644 index 0000000000..0b7832b10d Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/pollution.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/recyclage.png b/resources/[qb]/qb-target/html/img/upw/recyclage.png new file mode 100644 index 0000000000..14f3dacf26 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/recyclage.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/remplissage.png b/resources/[qb]/qb-target/html/img/upw/remplissage.png new file mode 100644 index 0000000000..01684940d0 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/remplissage.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/stocker.png b/resources/[qb]/qb-target/html/img/upw/stocker.png new file mode 100644 index 0000000000..5c1359fa62 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/stocker.png differ diff --git a/resources/[qb]/qb-target/html/img/upw/vendre.png b/resources/[qb]/qb-target/html/img/upw/vendre.png new file mode 100644 index 0000000000..6cf2e5f730 Binary files /dev/null and b/resources/[qb]/qb-target/html/img/upw/vendre.png differ diff --git a/resources/[qb]/qb-target/html/js/app.js b/resources/[qb]/qb-target/html/js/app.js index e84936faa6..d6293037e5 100644 --- a/resources/[qb]/qb-target/html/js/app.js +++ b/resources/[qb]/qb-target/html/js/app.js @@ -1,18 +1,17 @@ -const generateItem = function(index, item) { +const generateItem = function (item) { let iconHTML = ''; - if (item.icon === undefined) { - iconHTML = `` + iconHTML = `` } else if (item.icon.startsWith('c:')) { - iconHTML = `` + iconHTML = `` } else { - iconHTML = `` + iconHTML = `` } return ` -
- ${item.label} - ${iconHTML} +
+ ${item.label} + ${iconHTML}
`; } @@ -72,8 +71,8 @@ const Targeting = Vue.createApp({ if (element.dataset.id) { fetch(`https://${GetParentResourceName()}/selectTarget`, { method: 'POST', - headers: {'Content-Type': 'application/json; charset=UTF-8',}, - body: JSON.stringify(Number(element.dataset.id) + 1) + headers: { 'Content-Type': 'application/json; charset=UTF-8', }, + body: JSON.stringify(Number(element.dataset.id)) }).then(() => { this.TargetHTML = ""; this.Show = false; @@ -83,7 +82,7 @@ const Targeting = Vue.createApp({ if (event.button === 2) { fetch(`https://${GetParentResourceName()}/closeTarget`, { method: 'POST', - headers: {'Content-Type': 'application/json; charset=UTF-8',}, + headers: { 'Content-Type': 'application/json; charset=UTF-8', }, body: '' }).then(() => { this.CloseTarget(); @@ -95,7 +94,7 @@ const Targeting = Vue.createApp({ if (event.key === 'Escape' || event.key === 'Backspace') { fetch(`https://${GetParentResourceName()}/closeTarget`, { method: 'POST', - headers: {'Content-Type': 'application/json; charset=UTF-8',}, + headers: { 'Content-Type': 'application/json; charset=UTF-8', }, body: '' }).then(() => { this.CloseTarget(); @@ -140,14 +139,18 @@ const Targeting = Vue.createApp({ this.TargetHTML = ""; let TargetLabel = this.TargetHTML; this.CurrentIcon = this.SuccessEyeIcon; - items.data.forEach(function (item, index) { + const sortedItems = items.data.sort((a, b) => { + return a.label.localeCompare(b.label) + }) + + sortedItems.forEach(function (item, index) { let left = Math.cos(index / items.data.length * Math.PI * 2).toFixed(6); let top = Math.sin(index / items.data.length * Math.PI * 2).toFixed(6); - TargetLabel += generateItem(index, item); + TargetLabel += generateItem(item); setTimeout(() => { - const element = document.querySelector(`div.target-item[data-id="${index}"]`); + const element = document.querySelector(`div.target-item[data-id="${item.slot}"]`); if (element === null) return; element.style.transform = `scale(1) translateY(calc(120px * ${top})) translateX(calc(120px * ${left}))` @@ -162,8 +165,11 @@ const Targeting = Vue.createApp({ ValidTarget(items) { this.TargetHTML = ""; let TargetLabel = this.TargetHTML; - items.data.forEach(function (item, index) { - TargetLabel += generateItem(index, item); + const sortedItems = items.data.sort((a, b) => { + return a.label.localeCompare(b.label) + }) + sortedItems.forEach(function (item) { + TargetLabel += generateItem(item); }); this.TargetHTML = TargetLabel; }, @@ -181,5 +187,5 @@ const Targeting = Vue.createApp({ } }); -Targeting.use(Quasar, {config: {}}); +Targeting.use(Quasar, { config: {} }); Targeting.mount("#app"); diff --git a/resources/[qb]/qb-target/init.lua b/resources/[qb]/qb-target/init.lua index 6e9ea5d5c2..d508613ffe 100644 --- a/resources/[qb]/qb-target/init.lua +++ b/resources/[qb]/qb-target/init.lua @@ -201,7 +201,9 @@ CreateThread(function() end BlackoutGlobalCheck = function() - if GlobalState.blackout_level > 3 then + local globalState = exports["soz-core"]:GetGlobalState() + + if globalState.blackoutLevel > 3 then return false end @@ -209,7 +211,8 @@ CreateThread(function() end BlackoutJobCheck = function() - local jobEnergy = GlobalState.job_energy[PlayerData.job.id] or 100; + local globalState = exports["soz-core"]:GetGlobalState() + local jobEnergy = globalState.jobEnergy[PlayerData.job.id] or 100; if jobEnergy <= 1 then return false @@ -251,6 +254,7 @@ end) function CheckOptions(data, entity, distance) if not GlobalCheck() then return false end + if exports["soz-core"]:GetPlayerState().isEscorted then return false end if distance and data.distance and distance > data.distance then return false end if data.job and not JobCheck(data.job) then return false end if not data.allowVehicle and IsPedInAnyVehicle(PlayerPedId(), false) then return false end diff --git a/resources/[qb]/qb-weapons/client/main.lua b/resources/[qb]/qb-weapons/client/main.lua deleted file mode 100644 index 28402a15d6..0000000000 --- a/resources/[qb]/qb-weapons/client/main.lua +++ /dev/null @@ -1,53 +0,0 @@ --- Variables -local QBCore = exports['qb-core']:GetCoreObject() -local PlayerData, CurrentWeaponData, CanShoot, MultiplierAmount = {}, {}, true, 0 - -CreateThread(function() - while true do - if LocalPlayer.state.isLoggedIn then - local ped = PlayerPedId() - if CurrentWeaponData and next(CurrentWeaponData) then - if IsPedShooting(ped) or IsControlJustPressed(0, 24) then - local weapon = GetSelectedPedWeapon(ped) - if CanShoot then - if weapon and weapon ~= 0 and QBCore.Shared.Weapons[weapon] then - local ammo = GetAmmoInPedWeapon(ped, weapon) - if QBCore.Shared.Weapons[weapon]["name"] == "weapon_snowball" then - TriggerServerEvent('QBCore:Server:RemoveItem', "snowball", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_pipebomb" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_pipebomb", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_molotov" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_molotov", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_stickybomb" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_stickybomb", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_grenade" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_grenade", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_bzgas" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_bzgas", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_proxmine" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_proxmine", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_ball" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_ball", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_smokegrenade" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_smokegrenade", 1) - elseif QBCore.Shared.Weapons[weapon]["name"] == "weapon_flare" then - TriggerServerEvent('QBCore:Server:RemoveItem', "weapon_flare", 1) - else - if ammo > 0 then - MultiplierAmount = MultiplierAmount + 1 - end - end - end - else - if weapon ~= -1569615261 then - TriggerEvent('inventory:client:CheckWeapon', QBCore.Shared.Weapons[weapon]["name"]) - exports["soz-hud"]:DrawNotification("Cette arme n'est plus utilisable", "error") - MultiplierAmount = 0 - end - end - end - end - end - Wait(1) - end -end) diff --git a/resources/[soz]/soz-admin/client/feature.lua b/resources/[soz]/soz-admin/client/feature.lua deleted file mode 100644 index 8b13789179..0000000000 --- a/resources/[soz]/soz-admin/client/feature.lua +++ /dev/null @@ -1 +0,0 @@ - diff --git a/resources/[soz]/soz-admin/client/main.lua b/resources/[soz]/soz-admin/client/main.lua deleted file mode 100644 index b85f88e07d..0000000000 --- a/resources/[soz]/soz-admin/client/main.lua +++ /dev/null @@ -1,38 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() -PlayerData = QBCore.Functions.GetPlayerData() - -AdminMenu = MenuV:CreateMenu(nil, "", "menu_admin", "soz", "admin-panel") -MapperMenu = MenuV:CreateMenu(nil, "", "menu_mapper", "soz", "mapping-panel") - -RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() - PlayerData = QBCore.Functions.GetPlayerData() -end) - -RegisterNetEvent("QBCore:Player:SetPlayerData", function(data) - PlayerData = data -end) - -local function OpenMapperMenu() - if MenuV.CurrentMenu == nil or MenuV.CurrentMenu.UUID ~= MapperMenu.UUID then - QBCore.Functions.TriggerCallback("admin:server:isAllowed", function(isAllowed, permission) - if isAllowed then - MapperMenu:ClearItems() - - MapperMenuProps(MapperMenu) - MapperMenuHousing(MapperMenu) - MapperMenuMapper(MapperMenu) - - MenuV:CloseAll(function() - MapperMenu:Open() - end) - end - end) - else - MenuV:CloseAll(function() - MapperMenu:Close() - end) - end -end - -RegisterKeyMapping("mapper", "MapperMenu", "keyboard", "F10") -RegisterCommand("mapper", OpenMapperMenu, false) diff --git a/resources/[soz]/soz-admin/client/mapper_menu/10_props.lua b/resources/[soz]/soz-admin/client/mapper_menu/10_props.lua deleted file mode 100644 index 5aab77d6b5..0000000000 --- a/resources/[soz]/soz-admin/client/mapper_menu/10_props.lua +++ /dev/null @@ -1,218 +0,0 @@ -local propsMenu - -local PropOption = {model = nil, event = nil, setupMode = false, prop = nil, propCoord = vec4(0, 0, 0, 0)} - ---- function -function BuildJobList() - local SozJobCore = exports["soz-jobs"]:GetCoreObject() - local JobList = {} - - for jobID, jobData in pairs(SozJobCore.Jobs) do - for _, grade in pairs(jobData.grades) do - if grade.owner == 1 then - table.insert(JobList, { - label = jobData.label, - value = {label = jobData.label, jobID = jobID, gradeId = grade.id}, - }) - end - end - end - - table.sort(JobList, function(a, b) - return a.label < b.label - end) - - return JobList -end - -local function setupGhostProp() - if PropOption.prop ~= nil or PropOption.model == nil then - return - end - - PropOption.propCoord = vec4(GetOffsetFromEntityInWorldCoords(PlayerPedId(), vec3(0.0, 1.0, -1.0)), 0) - PropOption.prop = CreateObject(GetHashKey(PropOption.model), PropOption.propCoord, 1, 1, 0) - FreezeEntityPosition(PropOption.prop, true) - SetEntityHeading(PropOption.prop, PropOption.propCoord.w) -end - -local function selectModel(model) - if model == nil then - model = exports["soz-hud"]:Input("Nom du modèle : ", 32) - end - - if model and model ~= "" then - PropOption.model = model - propsMenu:SetSubtitle("Modèle chargé : ~g~" .. model) - end -end - ---- Menu -function MapperMenuProps(menu) - if propsMenu == nil then - propsMenu = MenuV:InheritMenu(menu, {subtitle = "Un poteau, une borne, des poubelles !"}) - end - - propsMenu:ClearItems() - - propsMenu:AddSlider({ - label = "Choisir un modèle", - value = nil, - values = { - {label = "poubelle", value = "soz_prop_bb_bin"}, - {label = "borne civile", value = "soz_prop_elec01___default"}, - {label = "borne entreprise", value = "soz_prop_elec02___entreprise"}, - {label = "onduleur", value = "upwpile"}, - {label = "ATM entreprise", value = "soz_atm_entreprise"}, - }, - select = function(_, value) - local names = QBCore.Shared.SplitStr(value, "___") - local val, scope = names[1], names[2] - - selectModel(val) - PropOption.scope = scope - end, - }) - - propsMenu:AddButton({ - label = "Choisir un autre modèle", - value = nil, - select = function() - selectModel() - end, - }) - - propsMenu:AddSlider({ - label = "Choisir un évènement", - description = "Permet de filtrer les objets a afficher", - value = nil, - values = {{label = "Tout le temps", value = nil}, {label = "Noël", value = "xmas"}}, - select = function(_, value) - PropOption.event = value - end, - }) - - propsMenu:AddSlider({ - label = "Choisir une entreprise", - description = "Lier la prop à une entreprise (borne entreprise)", - value = nil, - values = BuildJobList(), - select = function(_, value) - if value and value.jobID ~= nil then - PropOption.job = value.jobID - end - end, - }) - - propsMenu:AddSlider({ - label = "Installation mode", - value = nil, - values = {{label = "Activer", value = "installOn"}, {label = "Désactiver", value = "installOff"}}, - select = function(_, value) - if value == "installOn" then - PropOption.setupMode = true - - CreateThread(function() - local delta = 0.01 - setupGhostProp() - SetEntityAlpha(PropOption.prop, 204, false) - - while PropOption.setupMode do - DisableControlAction(0, 27, true) - DisableControlAction(0, 36, true) - DisableControlAction(0, 207, true) - DisableControlAction(0, 208, true) - DisableControlAction(0, 261, true) - DisableControlAction(0, 262, true) - - if IsDisabledControlPressed(0, 36) then -- ctrl - if IsDisabledControlPressed(0, 27) then -- arrow up - PropOption.propCoord = vec4(PropOption.propCoord.x, PropOption.propCoord.y + delta, PropOption.propCoord.z, - PropOption.propCoord.w) - end - if IsControlPressed(0, 173) then -- arrow down - PropOption.propCoord = vec4(PropOption.propCoord.x, PropOption.propCoord.y - delta, PropOption.propCoord.z, - PropOption.propCoord.w) - end - if IsControlPressed(0, 174) then -- arrow left - PropOption.propCoord = vec4(PropOption.propCoord.x - delta, PropOption.propCoord.y, PropOption.propCoord.z, - PropOption.propCoord.w) - end - if IsControlPressed(0, 175) then -- arrow right - PropOption.propCoord = vec4(PropOption.propCoord.x + delta, PropOption.propCoord.y, PropOption.propCoord.z, - PropOption.propCoord.w) - end - - if IsDisabledControlPressed(0, 208) then -- arrow right - PropOption.propCoord = vec4(PropOption.propCoord.x, PropOption.propCoord.y, PropOption.propCoord.z + delta, - PropOption.propCoord.w) - end - if IsDisabledControlPressed(0, 207) then -- arrow right - PropOption.propCoord = vec4(PropOption.propCoord.x, PropOption.propCoord.y, PropOption.propCoord.z - delta, - PropOption.propCoord.w) - end - - if IsDisabledControlPressed(0, 261) then -- arrow right - PropOption.propCoord = - vec4(PropOption.propCoord.x, PropOption.propCoord.y, PropOption.propCoord.z, PropOption.propCoord.w + 1.0) - end - if IsDisabledControlPressed(0, 262) then -- arrow right - PropOption.propCoord = - vec4(PropOption.propCoord.x, PropOption.propCoord.y, PropOption.propCoord.z, PropOption.propCoord.w - 1.0) - end - - SetEntityCoords(PropOption.prop, PropOption.propCoord) - SetEntityHeading(PropOption.prop, PropOption.propCoord.w) - end - - Wait(0) - end - end) - elseif value == "installOff" then - PropOption.setupMode = false - SetEntityAlpha(PropOption.prop, 255, false) - end - end, - }) - - propsMenu:AddButton({ - label = "~r~Annuler~s~ la position de l'objet", - value = nil, - select = function() - if PropOption.prop ~= nil then - DeleteEntity(PropOption.prop) - end - - PropOption.setupMode = nil - PropOption.prop = nil - PropOption.scope = nil - PropOption.job = nil - end, - }) - - propsMenu:AddButton({ - label = "~g~Valider~s~ la position de l'objet", - value = nil, - select = function() - if PropOption.prop == nil or PropOption.model == nil then - return - end - - if PropOption.model == "soz_prop_elec01" or PropOption.model == "soz_prop_elec02" or PropOption.model == "upwpile" then - TriggerServerEvent("soz-upw:server:AddFacility", PropOption.model, PropOption.propCoord, PropOption.scope, PropOption.job) - else - TriggerServerEvent("admin:server:addPersistentProp", GetHashKey(PropOption.model), PropOption.event, PropOption.propCoord) - end - - DeleteEntity(PropOption.prop) - - PropOption.prop = nil - PropOption.model = nil - PropOption.scope = nil - PropOption.job = nil - end, - }) - - --- Add to main menu - menu:AddButton({icon = "🚏", label = "Gestion des objets", value = propsMenu}) -end diff --git a/resources/[soz]/soz-admin/client/mapper_menu/20_housing.lua b/resources/[soz]/soz-admin/client/mapper_menu/20_housing.lua deleted file mode 100644 index 6e4d7f5097..0000000000 --- a/resources/[soz]/soz-admin/client/mapper_menu/20_housing.lua +++ /dev/null @@ -1,393 +0,0 @@ ---- @type Menu -local houseMenu = MenuV:InheritMenu(MapperMenu, {subtitle = "Gestion des propriétés"}) -local currentPropertyMenu = MenuV:InheritMenu(houseMenu) -local currentApartmentMenu = MenuV:InheritMenu(houseMenu) -local currentEditingMenu = MenuV:InheritMenu(houseMenu) - -local HouseOption = { - CurrentPropertyData = nil, - CurrentApartmentData = nil, - CurrentEditingType = nil, - CurrentEditingZone = nil, - - --- @type DrawPolyZone - DrawZone = DrawPolyZone:new(), - DisplayAllZones = false, - DisplayZone = { - ["entry_zone"] = false, - ["garage_zone"] = false, - ["exit_zone"] = false, - ["fridge_zone"] = false, - ["stash_zone"] = false, - ["closet_zone"] = false, - ["money_zone"] = false, - }, - - PropertyZone = {["entry_zone"] = "Zone d'entrer", ["garage_zone"] = "Zone du garage"}, - - ApartmentZone = { - ["exit_zone"] = "Zone de sortie", - ["fridge_zone"] = "Zone du frigo", - ["stash_zone"] = "Zone du coffre", - ["closet_zone"] = "Zone de la penderie", - ["money_zone"] = "Zone du coffre d'argent", - }, -} - ---- ---- Main menu ---- -houseMenu:On("open", function(menu) - menu:ClearItems() - local properties = QBCore.Functions.TriggerRpc("admin:housing:server:GetProperties") - - menu:AddCheckbox({ - label = "Afficher tous les bâtiments", - value = HouseOption.DisplayAllZones, - change = function(_, checked) - for _, property in pairs(properties) do - if checked then - if property.entry_zone then - HouseOption.DrawZone:AddZone(property.identifier, property.entry_zone) - HouseOption.DisplayZone[property.identifier] = true - CreateDrawZone(property.identifier) - end - else - HouseOption.DrawZone:RemoveZone(property.identifier) - HouseOption.DisplayZone[property.identifier] = false - end - HouseOption.DrawZone:SetDisplayLabel(checked) - end - end, - }) - - menu:AddButton({ - icon = "➕", - label = "Ajouter un bâtiment", - select = function() - local identifier = exports["soz-hud"]:Input("Nom du bâtiment:", 50) - if identifier == nil or #identifier == 0 then - exports["soz-hud"]:DrawNotification("Le nom ne peut pas être vide", "error") - return - end - QBCore.Functions.TriggerRpc("admin:server:housing:CreateProperty", identifier) - exports["soz-hud"]:DrawNotification("Bâtiment ajouté", "success") - menu:Close() - menu:Open() - end, - }) - - menu:AddTitle({label = "Liste des bâtiments"}) - table.sort(properties, function(a, b) - return a.identifier < b.identifier - end) - for _, property in pairs(properties) do - menu:AddButton({ - icon = "🏘", - label = property.identifier, - value = currentPropertyMenu, - select = function() - HouseOption.CurrentPropertyData = property - end, - }) - end -end) - -houseMenu:On("close", function(menu) - menu:ClearItems() -end) - ---- ---- Property menu ---- -currentPropertyMenu:On("open", function(menu) - menu:ClearItems() - - menu.Subtitle = string.format("Propriété : %s", HouseOption.CurrentPropertyData.identifier) - - menu:AddButton({ - icon = "➕", - label = "Ajouter un intérieur", - select = function() - local identifier = exports["soz-hud"]:Input("Identifiant de l'intérieur :", 50) - if identifier == nil or #identifier == 0 then - exports["soz-hud"]:DrawNotification("Le nom ne peut pas être vide", "error") - return - end - - local label = exports["soz-hud"]:Input("Nom de l'intérieur :", 50) - if label == nil or #label == 0 then - exports["soz-hud"]:DrawNotification("Le nom ne peut pas être vide", "error") - return - end - - QBCore.Functions.TriggerRpc("admin:server:housing:CreateApartment", HouseOption.CurrentPropertyData.id, identifier, label) - exports["soz-hud"]:DrawNotification("Intérieur ajouté", "success") - menu:Close() - menu:Open() - end, - }) - - table.sort(HouseOption.PropertyZone, function(a, b) - return a.label < b.label - end) - for type, label in pairs(HouseOption.PropertyZone) do - menu:AddTitle({label = label}) - - menu:AddCheckbox({ - label = "Afficher la zone", - value = HouseOption.DisplayZone[type], - change = function(_, checked) - if checked then - local zone = HouseOption.CurrentPropertyData[type] - if zone then - HouseOption.DrawZone:AddZone(type, HouseOption.CurrentPropertyData[type]) - CreateDrawZone(type) - end - else - HouseOption.DrawZone:RemoveZone(type) - end - HouseOption.DisplayZone[type] = checked - end, - }) - - menu:AddButton({ - label = "Modifier la zone", - value = currentEditingMenu, - select = function() - HouseOption.CurrentEditingType = "property" - HouseOption.CurrentEditingZone = type - end, - }) - end - - menu:AddConfirm(({ - label = "Supprimer la propriété", - value = "n", - confirm = function() - local confirm = exports["soz-hud"]:Input("Êtes-vous sûr de vouloir supprimer la propriété ?", 5, "yes/no") - if confirm == "yes" then - QBCore.Functions.TriggerRpc("admin:server:housing:DeleteProperty", HouseOption.CurrentPropertyData.id) - menu:Close() - end - end, - })) - - menu:AddTitle({label = "Liste des intérieurs"}) - local apartments = QBCore.Functions.TriggerRpc("admin:housing:server:GetApartments", HouseOption.CurrentPropertyData.id) - table.sort(apartments, function(a, b) - return a.label < b.label - end) - for _, apartment in pairs(apartments) do - menu:AddButton({ - icon = "🏠", - label = apartment.label, - value = currentApartmentMenu, - select = function() - HouseOption.CurrentApartmentData = apartment - end, - }) - end -end) - -currentPropertyMenu:On("close", function(menu) - menu:ClearItems() -end) - ---- ---- Apartment menu ---- -currentApartmentMenu:On("open", function(menu) - menu:ClearItems() - - menu.Subtitle = string.format("Intérieur : %s", HouseOption.CurrentApartmentData.label) - - menu:AddButton({ - label = "Se téléporter dans l'intérieur", - select = function() - local coord = json.decode(HouseOption.CurrentApartmentData.inside_coord) - TriggerEvent("QBCore:Command:TeleportToCoords", coord.x, coord.y, coord.z) - end, - disabled = HouseOption.CurrentApartmentData.inside_coord == nil, - }) - - menu:AddTitle({label = "Informations générales"}) - menu:AddButton({ - label = "Identifiant de l'intérieur", - rightLabel = HouseOption.CurrentApartmentData.identifier, - select = function() - local identifier = exports["soz-hud"]:Input("Identifiant de l'intérieur:", 50, HouseOption.CurrentApartmentData.identifier) - if identifier == nil or #identifier == 0 then - exports["soz-hud"]:DrawNotification("Le nom ne peut pas être vide", "error") - return - end - - QBCore.Functions.TriggerRpc("admin:server:housing:SetApartmentIdentifier", HouseOption.CurrentPropertyData.id, HouseOption.CurrentApartmentData.id, - identifier) - exports["soz-hud"]:DrawNotification("Identifiant de l'intérieur modifié", "success") - HouseOption.CurrentApartmentData.identifier = identifier - menu:Close() - menu:Open() - end, - }) - - menu:AddButton({ - label = "Nom d'affichage de l'intérieur", - rightLabel = HouseOption.CurrentApartmentData.label, - select = function() - local label = exports["soz-hud"]:Input("Nom de l'intérieur:", 50, HouseOption.CurrentApartmentData.label) - if label == nil or #label == 0 then - exports["soz-hud"]:DrawNotification("Le nom ne peut pas être vide", "error") - return - end - - QBCore.Functions - .TriggerRpc("admin:server:housing:SetApartmentLabel", HouseOption.CurrentPropertyData.id, HouseOption.CurrentApartmentData.id, label) - exports["soz-hud"]:DrawNotification("Le nom a été modifié", "success") - HouseOption.CurrentApartmentData.label = label - menu:Close() - menu:Open() - end, - }) - - menu:AddButton({ - label = "Modifier la position d'apparition", - select = function() - local ped = PlayerPedId() - local playerCoord = GetEntityCoords(ped, true) - local coord = {x = playerCoord.x, y = playerCoord.y, z = playerCoord.z - 1.0, w = GetEntityHeading(ped)} - - QBCore.Functions.TriggerRpc("admin:server:housing:SetApartmentInsideCoord", HouseOption.CurrentPropertyData.id, HouseOption.CurrentApartmentData.id, - coord) - exports["soz-hud"]:DrawNotification("La position d'apparition a été modifiée", "success") - end, - }) - - menu:AddSlider({ - label = "Prix de l'intérieur", - value = HouseOption.CurrentApartmentData.price, - values = Config.ApartmentPrices, - select = function(_, value) - if value == "custom" and PlayerData.role == "admin" then - local price = exports["soz-hud"]:Input("Prix de l'intérieur:", 50, HouseOption.CurrentApartmentData.price) - if price == nil or #price == 0 then - exports["soz-hud"]:DrawNotification("Le prix ne peut pas être vide", "error") - return - end - value = price - else - exports["soz-hud"]:DrawNotification("Vous n'avez pas accès a cette option", "error") - return - end - - QBCore.Functions - .TriggerRpc("admin:server:housing:SetApartmentPrice", HouseOption.CurrentPropertyData.id, HouseOption.CurrentApartmentData.id, value) - exports["soz-hud"]:DrawNotification("Le prix a été modifié", "success") - HouseOption.CurrentApartmentData.price = value - menu:Close() - menu:Open() - end, - }) - - menu:AddConfirm(({ - label = "Supprimer l'intérieur", - value = "n", - confirm = function() - local confirm = exports["soz-hud"]:Input("Êtes-vous sûr de vouloir supprimer l'intérieur ?", 5, "yes/no") - if confirm == "yes" then - QBCore.Functions.TriggerRpc("admin:server:housing:DeleteApartment", HouseOption.CurrentPropertyData.id, HouseOption.CurrentApartmentData.id) - menu:Close() - end - end, - })) - - table.sort(HouseOption.ApartmentZone, function(a, b) - return a.label < b.label - end) - for type, label in pairs(HouseOption.ApartmentZone) do - menu:AddTitle({label = label}) - - menu:AddCheckbox({ - label = "Afficher la zone", - value = HouseOption.DisplayZone[type], - change = function(_, checked) - if checked then - local zone = HouseOption.CurrentApartmentData[type] - if zone then - HouseOption.DrawZone:AddZone(type, HouseOption.CurrentApartmentData[type]) - CreateDrawZone(type) - end - else - HouseOption.DrawZone:RemoveZone(type) - end - HouseOption.DisplayZone[type] = checked - end, - }) - - menu:AddButton({ - label = "Modifier la zone", - value = currentEditingMenu, - select = function() - HouseOption.CurrentEditingType = "apartment" - HouseOption.CurrentEditingZone = type - end, - }) - end -end) - -currentApartmentMenu:On("close", function(menu) - menu:ClearItems() -end) - ---- ---- Editing menu ---- -currentEditingMenu:On("open", function(menu) - menu:ClearItems() - - menu.Subtitle = string.format("Zone : %s", HouseOption.CurrentEditingZone) - TriggerEvent("polyzone:pzcreate", "box", "custom_housing", {"box", "custom_housing"}) - - menu:AddButton({ - label = "Valider la zone", - description = "🔙 pour annuler", - select = function() - local zone = exports["PolyZone"]:EndPolyZone() - local type = HouseOption.CurrentEditingZone - local zoneConfig = DrawPolyZone:ConvertToDto(zone) - - HouseOption.DrawZone:SetZone(type, zoneConfig) - - if HouseOption.CurrentEditingType == "apartment" then - HouseOption.CurrentApartmentData[type] = zoneConfig - TriggerServerEvent("admin:server:housing:UpdateApartmentZone", HouseOption.CurrentPropertyData.id, HouseOption.CurrentApartmentData.id, type, - zoneConfig) - elseif HouseOption.CurrentEditingType == "property" then - HouseOption.CurrentPropertyData[type] = zoneConfig - TriggerServerEvent("admin:server:housing:UpdatePropertyZone", HouseOption.CurrentPropertyData.id, type, zoneConfig) - end - exports["soz-hud"]:DrawNotification("La zone a été modifiée", "success") - menu:Close() - end, - }) -end) - -currentEditingMenu:On("close", function(menu) - menu:ClearItems() - exports["PolyZone"]:EndPolyZone() -end) - ---- Loops -function CreateDrawZone(type) - Citizen.CreateThread(function() - while HouseOption.DisplayZone[type] do - HouseOption.DrawZone:DrawZone(type) - Citizen.Wait(0) - end - end) -end - ---- Add to main menu -function MapperMenuHousing(menu) - menu:AddButton({icon = "🏠", label = "Gestion des propriétés", value = houseMenu}) -end diff --git a/resources/[soz]/soz-admin/client/mapper_menu/98_mapper.lua b/resources/[soz]/soz-admin/client/mapper_menu/98_mapper.lua deleted file mode 100644 index 977083a6ba..0000000000 --- a/resources/[soz]/soz-admin/client/mapper_menu/98_mapper.lua +++ /dev/null @@ -1,48 +0,0 @@ -local mapperMenu = MenuV:InheritMenu(MapperMenu, {subtitle = "Menu pour les mappeurs"}) - -local MapperOption = {ShowInterior = false} - ---- Functions -local function ToggleShowInteriorInfo() - Citizen.CreateThread(function() - while MapperOption.ShowInterior do - local player = PlayerPedId() - local interiorId = GetInteriorFromEntity(player) - - if interiorId ~= 0 then - local roomHash = GetRoomKeyFromEntity(player) - local roomId = GetInteriorRoomIndexByHash(interiorId, roomHash) - local roomTimecycle = GetInteriorRoomTimecycle(interiorId, roomId) - local portalCount = GetInteriorPortalCount(interiorId) - local roomCount = GetInteriorRoomCount(interiorId) - local roomFlag = GetInteriorRoomFlag(interiorId, roomId) - local roomName = GetInteriorRoomName(interiorId, roomId) - - QBCore.Functions.DrawText(0.25, 0.01, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~InteriorID: ~w~" .. interiorId) - QBCore.Functions.DrawText(0.25, 0.03, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~RoomID: ~w~" .. roomId) - QBCore.Functions.DrawText(0.25, 0.05, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~RoomCount: ~w~" .. roomCount - 1) - QBCore.Functions.DrawText(0.25, 0.07, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~RoomTimecycle: ~w~" .. roomTimecycle) - QBCore.Functions.DrawText(0.25, 0.09, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~PortalCount: ~w~" .. portalCount) - QBCore.Functions.DrawText(0.25, 0.11, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~RoomFlag: ~w~" .. roomFlag) - QBCore.Functions.DrawText(0.25, 0.13, 0.0, 0.0, 0.4, 66, 182, 245, 255, "~b~RoomName: ~w~" .. roomName) - end - - Citizen.Wait(0) - end - end) -end - ---- Menu entries -mapperMenu:AddCheckbox({ - label = "Afficher les informations de l'intérieur", - value = MapperOption.ShowInterior, - change = function() - MapperOption.ShowInterior = not MapperOption.ShowInterior - ToggleShowInteriorInfo() - end, -}) - ---- Add to main menu -function MapperMenuMapper(menu) - menu:AddButton({icon = "🚧", label = "Outils pour mappeur", value = mapperMenu}) -end diff --git a/resources/[soz]/soz-admin/client/polyzone.lua b/resources/[soz]/soz-admin/client/polyzone.lua deleted file mode 100644 index f85d5d43b8..0000000000 --- a/resources/[soz]/soz-admin/client/polyzone.lua +++ /dev/null @@ -1,184 +0,0 @@ ---- @class DrawPolyZone -DrawPolyZone = {} - -function DrawPolyZone:new() - self.__index = self - - return setmetatable({zones = {}, displayLabel = false}, self) -end - ---- ---- Internal functions ---- - ---- @private -function DrawPolyZone:CalculatePoints(center, length, width) - local halfLength, halfWidth = length / 2, width / 2 - local min = vector2(-halfWidth, -halfLength) - local max = vector2(halfWidth, halfLength) - - -- Box vertices - local p1 = center.xy + vector2(min.x, min.y) - local p2 = center.xy + vector2(min.x, max.y) - local p3 = center.xy + vector2(max.x, max.y) - local p4 = center.xy + vector2(max.x, min.y) - - return p1, p2, p3, p4 -end - ---- @private -function DrawPolyZone:DrawText3D(x, y, z, text) - local onScreen, x, y = World3dToScreen2d(x, y, z) - - if onScreen then - SetTextScale(0.35, 0.35) - SetTextFont(4) - SetTextProportional(1) - SetTextColour(255, 255, 255, 215) - SetTextEntry("STRING") - SetTextCentre(1) - AddTextComponentString(text) - DrawText(x, y) - end -end - ---- @private -function DrawPolyZone:Draw(zone, extra) - if type(zone) ~= "table" then - zone = json.decode(zone) - end - local zDrawDist = 45.0 - local plyPed = PlayerPedId() - local plyPos = GetEntityCoords(plyPed) - local minZ = zone.minZ or plyPos.z - zDrawDist - local maxZ = zone.maxZ or plyPos.z + zDrawDist - local angle = zone.heading * (2 * math.pi) / 360 - - local cp1, cp2, cp3, cp4 = self:CalculatePoints(vector3(zone.x, zone.y, zone.z), zone.sx, zone.sy) - local p1 = vector2((math.cos(angle) * (cp1.x - zone.x) - math.sin(angle) * (cp1.y - zone.y) + zone.x), - (math.sin(angle) * (cp1.x - zone.x) + math.cos(angle) * (cp1.y - zone.y) + zone.y)) - local p2 = vector2((math.cos(angle) * (cp2.x - zone.x) - math.sin(angle) * (cp2.y - zone.y) + zone.x), - (math.sin(angle) * (cp2.x - zone.x) + math.cos(angle) * (cp2.y - zone.y) + zone.y)) - local p3 = vector2((math.cos(angle) * (cp3.x - zone.x) - math.sin(angle) * (cp3.y - zone.y) + zone.x), - (math.sin(angle) * (cp3.x - zone.x) + math.cos(angle) * (cp3.y - zone.y) + zone.y)) - local p4 = vector2((math.cos(angle) * (cp4.x - zone.x) - math.sin(angle) * (cp4.y - zone.y) + zone.x), - (math.sin(angle) * (cp4.x - zone.x) + math.cos(angle) * (cp4.y - zone.y) + zone.y)) - - local wall1 = { - bottomLeft = vector3(p1.x, p1.y, minZ), - topLeft = vector3(p1.x, p1.y, maxZ), - bottomRight = vector3(p2.x, p2.y, minZ), - topRight = vector3(p2.x, p2.y, maxZ), - } - - local wall2 = { - bottomLeft = vector3(p2.x, p2.y, minZ), - topLeft = vector3(p2.x, p2.y, maxZ), - bottomRight = vector3(p3.x, p3.y, minZ), - topRight = vector3(p3.x, p3.y, maxZ), - } - - local wall3 = { - bottomLeft = vector3(p3.x, p3.y, minZ), - topLeft = vector3(p3.x, p3.y, maxZ), - bottomRight = vector3(p4.x, p4.y, minZ), - topRight = vector3(p4.x, p4.y, maxZ), - } - - local wall4 = { - bottomLeft = vector3(p4.x, p4.y, minZ), - topLeft = vector3(p4.x, p4.y, maxZ), - bottomRight = vector3(p1.x, p1.y, minZ), - topRight = vector3(p1.x, p1.y, maxZ), - } - - DrawLine(p1.x, p1.y, minZ, p2.x, p2.y, minZ, 126, 0, 255, 255) - DrawLine(p2.x, p2.y, minZ, p3.x, p3.y, minZ, 126, 0, 255, 255) - DrawLine(p3.x, p3.y, minZ, p4.x, p4.y, minZ, 126, 0, 255, 255) - DrawLine(p4.x, p4.y, minZ, p1.x, p1.y, minZ, 126, 0, 255, 255) - -- - DrawLine(p1.x, p1.y, maxZ, p2.x, p2.y, maxZ, 126, 0, 255, 255) - DrawLine(p2.x, p2.y, maxZ, p3.x, p3.y, maxZ, 126, 0, 255, 255) - DrawLine(p3.x, p3.y, maxZ, p4.x, p4.y, maxZ, 126, 0, 255, 255) - DrawLine(p4.x, p4.y, maxZ, p1.x, p1.y, maxZ, 126, 0, 255, 255) - -- - DrawLine(p1.x, p1.y, minZ, p1.x, p1.y, maxZ, 126, 0, 255, 255) - DrawLine(p2.x, p2.y, minZ, p2.x, p2.y, maxZ, 126, 0, 255, 255) - DrawLine(p3.x, p3.y, minZ, p3.x, p3.y, maxZ, 126, 0, 255, 255) - DrawLine(p4.x, p4.y, minZ, p4.x, p4.y, maxZ, 126, 0, 255, 255) - -- - DrawPoly(wall1.bottomLeft, wall1.topLeft, wall1.bottomRight, 93, 173, 226, 75) - DrawPoly(wall1.topLeft, wall1.topRight, wall1.bottomRight, 93, 173, 226, 75) - DrawPoly(wall1.bottomRight, wall1.topRight, wall1.topLeft, 93, 173, 226, 75) - DrawPoly(wall1.bottomRight, wall1.topLeft, wall1.bottomLeft, 93, 173, 226, 75) - -- - DrawPoly(wall2.bottomLeft, wall2.topLeft, wall2.bottomRight, 93, 173, 226, 75) - DrawPoly(wall2.topLeft, wall2.topRight, wall2.bottomRight, 93, 173, 226, 75) - DrawPoly(wall2.bottomRight, wall2.topRight, wall2.topLeft, 93, 173, 226, 75) - DrawPoly(wall2.bottomRight, wall2.topLeft, wall2.bottomLeft, 93, 173, 226, 75) - -- - DrawPoly(wall3.bottomLeft, wall3.topLeft, wall3.bottomRight, 93, 173, 226, 75) - DrawPoly(wall3.topLeft, wall3.topRight, wall3.bottomRight, 93, 173, 226, 75) - DrawPoly(wall3.bottomRight, wall3.topRight, wall3.topLeft, 93, 173, 226, 75) - DrawPoly(wall3.bottomRight, wall3.topLeft, wall3.bottomLeft, 93, 173, 226, 75) - -- - DrawPoly(wall4.bottomLeft, wall4.topLeft, wall4.bottomRight, 93, 173, 226, 75) - DrawPoly(wall4.topLeft, wall4.topRight, wall4.bottomRight, 93, 173, 226, 75) - DrawPoly(wall4.bottomRight, wall4.topRight, wall4.topLeft, 93, 173, 226, 75) - DrawPoly(wall4.bottomRight, wall4.topLeft, wall4.bottomLeft, 93, 173, 226, 75) - - if self.displayLabel then - self:DrawText3D(zone.x, zone.y, zone.z, "Zone " .. extra) - end -end - -function DrawPolyZone:ConvertToDto(polyZone) - local data = { - x = QBCore.Shared.Round(polyZone.center.x, 2), - y = QBCore.Shared.Round(polyZone.center.y, 2), - z = QBCore.Shared.Round(polyZone.center.z, 2), - sx = polyZone.length, - sy = polyZone.width, - heading = polyZone.heading, - } - - if polyZone.maxZ then - data.maxZ = QBCore.Shared.Round(polyZone.maxZ, 2) - else - data.maxZ = data.z + 1.5 - end - if polyZone.minZ then - data.minZ = QBCore.Shared.Round(polyZone.minZ, 2) - else - data.minZ = data.z - 1.0 - end - - return data -end - ---- ---- Interfaces ---- -function DrawPolyZone:AddZone(name, zone) - if not self.zones[name] then - self.zones[name] = zone - end -end - -function DrawPolyZone:SetZone(name, zone) - if self.zones[name] then - self.zones[name] = zone - end -end - -function DrawPolyZone:RemoveZone(name) - self.zones[name] = nil -end - -function DrawPolyZone:SetDisplayLabel(value) - self.displayLabel = value -end - -function DrawPolyZone:DrawZone(zone) - self:Draw(self.zones[zone], zone) -end diff --git a/resources/[soz]/soz-admin/client/spectate.lua b/resources/[soz]/soz-admin/client/spectate.lua deleted file mode 100644 index cf7c7d64b7..0000000000 --- a/resources/[soz]/soz-admin/client/spectate.lua +++ /dev/null @@ -1,27 +0,0 @@ -local lastSpectateCoord = nil -local isSpectating = false - -RegisterNetEvent("admin:client:spectate", function(targetPed, coords) - local myPed = PlayerPedId() - local targetplayer = GetPlayerFromServerId(targetPed) - local target = GetPlayerPed(targetplayer) - if not isSpectating then - isSpectating = true - SetEntityVisible(myPed, false) - SetEntityInvincible(myPed, true) - SetEntityCollision(myPed, false, false); - lastSpectateCoord = GetEntityCoords(myPed) - SetEntityCoords(myPed, coords) - NetworkSetInSpectatorMode(true, target) - exports["soz-voip"]:MutePlayer(true) - else - isSpectating = false - NetworkSetInSpectatorMode(false, target) - SetEntityCoords(myPed, lastSpectateCoord) - SetEntityVisible(myPed, true) - SetEntityInvincible(myPed, false) - SetEntityCollision(myPed, true, true); - lastSpectateCoord = nil - exports["soz-voip"]:MutePlayer(false) - end -end) diff --git a/resources/[soz]/soz-admin/config.lua b/resources/[soz]/soz-admin/config.lua deleted file mode 100644 index 3472ab7a07..0000000000 --- a/resources/[soz]/soz-admin/config.lua +++ /dev/null @@ -1,35 +0,0 @@ -Config = {} - -Config.AllowedRole = {"admin"} - -Config.Features = {["flatbed-ramp"] = "Rampe Flatbed"} - -Config.ComponentName = { - [0] = "Visage", - [1] = "Masque", - [2] = "Cheveux", - [3] = "Bras", - [4] = "Pantalon", - [5] = "Parachute", - [6] = "Chaussure", - [7] = "Accessoire", - [8] = "Sous T-Shirt", - [9] = "Gilets", - [10] = "Badge", - [11] = "T-Shirt", -} - -Config.PropName = {[0] = "Chapeau", [1] = "Lunettes", [2] = "Oreille", [6] = "Montre", [7] = "Bracelet"} - -Config.ApartmentPrices = { - {label = "Sud Appartement MID", value = 116000}, - {label = "Sud Appartement HIGH", value = 148000}, - {label = "Sud Villa", value = 400000}, - {label = "Sud Maison LOW", value = 72000}, - {label = "Sud Maison MID", value = 90000}, - {label = "Sud Villa Staff", value = 600000}, - {label = "Nord Caravanes", value = 39000}, - {label = "Nord Maison LOW", value = 64000}, - {label = "Nord Maison MID", value = 98000}, - {label = "Personnalisé", value = "custom"}, -} diff --git a/resources/[soz]/soz-admin/fxmanifest.lua b/resources/[soz]/soz-admin/fxmanifest.lua deleted file mode 100644 index 1b6b1e5117..0000000000 --- a/resources/[soz]/soz-admin/fxmanifest.lua +++ /dev/null @@ -1,31 +0,0 @@ -fx_version "cerulean" -games {"gta5"} -lua54 "yes" - -shared_script "config.lua" - -client_scripts { - "@menuv/menuv.lua", - "@soz-character/client/skin/clothing.lua", - - "client/main.lua", - "client/noclip.lua", - "client/polyzone.lua", - "client/admin_menu/*.lua", - "client/mapper_menu/*.lua", - "client/spectate.lua", - "client/feature.lua", -} - -server_scripts { - "@oxmysql/lib/MySQL.lua", - "server/main.lua", - "server/module/*.lua", - "server/housing.lua", - "server/feature.lua", -} - -ui_page "html/index.html" -files {"html/index.html", "html/index.js"} - -dependencies {"qb-core", "menuv", "soz-character", "soz-jobs"} diff --git a/resources/[soz]/soz-admin/html/index.html b/resources/[soz]/soz-admin/html/index.html deleted file mode 100644 index 5b1eef4511..0000000000 --- a/resources/[soz]/soz-admin/html/index.html +++ /dev/null @@ -1 +0,0 @@ - diff --git a/resources/[soz]/soz-admin/html/index.js b/resources/[soz]/soz-admin/html/index.js deleted file mode 100644 index 3ea6d9c6ce..0000000000 --- a/resources/[soz]/soz-admin/html/index.js +++ /dev/null @@ -1,13 +0,0 @@ -const copyToClipboard = str => { - const el = document.createElement('textarea'); - el.value = str; - document.body.appendChild(el); - el.select(); - document.execCommand('copy'); - document.body.removeChild(el); -}; - -window.addEventListener('message', (event) => { - console.log(event.data); - copyToClipboard(event.data.string); -}); diff --git a/resources/[soz]/soz-admin/server/feature.lua b/resources/[soz]/soz-admin/server/feature.lua deleted file mode 100644 index e97f98c2af..0000000000 --- a/resources/[soz]/soz-admin/server/feature.lua +++ /dev/null @@ -1,59 +0,0 @@ -QBCore.Functions.CreateCallback("soz-admin:feature:GetFeatures", function(source, cb, playerId) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local player = QBCore.Functions.GetPlayer(playerId) - - if player then - cb(player.PlayerData.features) - else - cb({}) - end -end) - -RegisterNetEvent("soz-admin:feature:AddFeature", function(playerId, feature) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local player = QBCore.Functions.GetPlayer(playerId) - - if not player then - return - end - - local newFeatures = {}; - - for _, existingFeature in pairs(player.PlayerData.features or {}) do - if existingFeature ~= feature then - table.insert(newFeatures, existingFeature) - end - end - - table.insert(newFeatures, feature) - - player.Functions.SetFeatures(newFeatures) -end) - -RegisterNetEvent("soz-admin:feature:RemoveFeature", function(playerId, feature) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local player = QBCore.Functions.GetPlayer(playerId) - - if not player then - return - end - - local newFeatures = {}; - - for _, existingFeature in pairs(player.PlayerData.features or {}) do - if existingFeature ~= feature then - table.insert(newFeatures, existingFeature) - end - end - - player.Functions.SetFeatures(newFeatures) -end) diff --git a/resources/[soz]/soz-admin/server/housing.lua b/resources/[soz]/soz-admin/server/housing.lua deleted file mode 100644 index 326e93d129..0000000000 --- a/resources/[soz]/soz-admin/server/housing.lua +++ /dev/null @@ -1,124 +0,0 @@ ---- ---- Properties ---- -QBCore.Functions.CreateCallback("admin:housing:server:GetProperties", function(source, cb) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - cb(MySQL.query.await("SELECT * FROM housing_property")) -end) - -QBCore.Functions.CreateCallback("admin:housing:server:GetApartments", function(source, cb, propertyId) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - cb(MySQL.query.await("SELECT * FROM housing_apartment WHERE property_id = ?", {propertyId})) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:CreateProperty", function(source, cb, name) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - if name == nil then - return - end - - cb(MySQL.query.await("INSERT INTO housing_property (identifier) VALUES (?)", {name})) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:DeleteProperty", function(source, cb, id) - print("admin:server:housing:DeleteProperty") - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - print(id) - if id == nil then - return - end - - cb(MySQL.query.await("DELETE FROM housing_property WHERE id = ?", {id})) -end) - -RegisterNetEvent("admin:server:housing:UpdatePropertyZone", function(id, zone_type, zone_config) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports["soz-housing"]:UpdatePropertyZone(id, zone_type, zone_config) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:SetApartmentIdentifier", function(source, cb, propertyId, apartmentId, identifier) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports["soz-housing"]:SetApartmentIdentifier(propertyId, apartmentId, identifier) - cb(true) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:SetApartmentLabel", function(source, cb, propertyId, apartmentId, label) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports["soz-housing"]:SetApartmentLabel(propertyId, apartmentId, label) - cb(true) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:SetApartmentPrice", function(source, cb, propertyId, apartmentId, label) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports["soz-housing"]:SetApartmentPrice(propertyId, apartmentId, label) - cb(true) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:SetApartmentInsideCoord", function(source, cb, propertyId, apartmentId, coord) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports["soz-housing"]:SetApartmentInsideCoord(propertyId, apartmentId, coord) - cb(true) -end) - -RegisterNetEvent("admin:server:housing:UpdateApartmentZone", function(propertyId, apartmentId, zone_type, zone_config) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports["soz-housing"]:UpdateApartmentZone(propertyId, apartmentId, zone_type, zone_config) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:CreateApartment", function(source, cb, propertyId, identifier, label) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - if propertyId == nil or identifier == nil or label == nil then - return - end - - cb(MySQL.query.await("INSERT INTO housing_apartment (property_id, identifier, label) VALUES (?, ?, ?)", { - propertyId, - identifier, - label, - })) -end) - -QBCore.Functions.CreateCallback("admin:server:housing:DeleteApartment", function(source, cb, propertyId, apartmentId) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - if propertyId == nil or apartmentId == nil then - return - end - - cb(MySQL.query.await("DELETE FROM housing_apartment WHERE property_id = ? AND id = ?", {propertyId, apartmentId})) -end) diff --git a/resources/[soz]/soz-admin/server/main.lua b/resources/[soz]/soz-admin/server/main.lua deleted file mode 100644 index b822cbcb43..0000000000 --- a/resources/[soz]/soz-admin/server/main.lua +++ /dev/null @@ -1,216 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() -SozAdmin = {} - ---- Functions -SozAdmin.Functions = {} - -SozAdmin.Functions.IsPlayerAdmin = function(source) - return QBCore.Functions.HasPermission(source, "admin") -end - -SozAdmin.Functions.IsPlayerStaff = function(source) - return QBCore.Functions.HasPermission(source, "staff") or QBCore.Functions.HasPermission(source, "admin") -end - -SozAdmin.Functions.IsPlayerHelper = function(source) - return QBCore.Functions.HasPermission(source, "helper") or QBCore.Functions.HasPermission(source, "staff") or - QBCore.Functions.HasPermission(source, "admin") -end - -CheckIsAdminMenuIsAvailable = function(source) - for _, role in ipairs(Config.AllowedRole) do - if QBCore.Functions.HasPermission(source, role) then - return true - end - end - - return false -end - -QBCore.Functions.CreateCallback("admin:server:isAllowed", function(source, cb) - if SozAdmin.Functions.IsPlayerAdmin(source) then - cb(true, "admin") - elseif SozAdmin.Functions.IsPlayerStaff(source) then - cb(true, "staff") - elseif SozAdmin.Functions.IsPlayerHelper(source) then - cb(true, "helper") - else - cb(false) - end -end) - -QBCore.Functions.CreateCallback("admin:server:getplayers", function(source, cb) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - local players = {} - for k, v in pairs(QBCore.Functions.GetPlayers()) do - local targetped = GetPlayerPed(v) - local ped = QBCore.Functions.GetPlayer(v) - table.insert(players, { - name = ped.PlayerData.charinfo.firstname .. " " .. ped.PlayerData.charinfo.lastname .. " | (" .. GetPlayerName(v) .. ")", - id = v, - coords = GetEntityCoords(targetped), - heading = GetEntityHeading(targetped), - cid = ped.PlayerData.charinfo.firstname .. " " .. ped.PlayerData.charinfo.lastname, - citizenid = ped.PlayerData.citizenid, - sources = GetPlayerPed(ped.PlayerData.source), - sourceplayer = ped.PlayerData.source, - }) - end - cb(players) -end) - -RegisterNetEvent("admin:server:addPersistentProp", function(model, event, position) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - exports.oxmysql:insert("INSERT INTO persistent_prop (model, event, position) VALUES (:model, :event, :position)", - {["model"] = model, ["event"] = event, ["position"] = json.encode(position)}, function() - TriggerEvent("core:server:refreshPersistentProp") - end) -end) - -RegisterNetEvent("admin:server:goto", function(player) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - local src = source - local admin = GetPlayerPed(src) - local coords = GetEntityCoords(GetPlayerPed(player.id)) - SetEntityCoords(admin, coords) -end) - -RegisterNetEvent("admin:server:bring", function(player) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - local src = source - local admin = GetPlayerPed(src) - local coords = GetEntityCoords(admin) - local target = GetPlayerPed(player.id) - SetEntityCoords(target, coords) - - local Target = QBCore.Functions.GetPlayer(player.id) - if Target then - local inside = Target.PlayerData.metadata["inside"] - - inside.apartment = false - inside.property = nil - inside.exitCoord = false - Target.Functions.SetMetaData("inside", inside) - end -end) - -RegisterNetEvent("admin:server:spectate", function(player) - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - local src = source - local targetped = GetPlayerPed(player.id) - local coords = GetEntityCoords(targetped) - TriggerClientEvent("admin:client:spectate", src, player.id, coords) -end) - -RegisterNetEvent("admin:server:reset-skin", function(player) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - TriggerClientEvent("soz-character:client:RequestCharacterWizard", player.id) -end) - -RegisterNetEvent("admin:server:freeze", function(player) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local target = GetPlayerPed(player.id) - FreezeEntityPosition(target, true) -end) - -RegisterNetEvent("admin:server:unfreeze", function(player) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local target = GetPlayerPed(player.id) - FreezeEntityPosition(target, false) -end) - -RegisterNetEvent("admin:server:kill", function(player) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - TriggerClientEvent("soz_ems:client:KillPlayer", player.id) -end) - -RegisterNetEvent("admin:server:revive", function(player) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - TriggerEvent("soz-core:lsmc:server:revive", player.id, true) -end) - -RegisterNetEvent("admin:server:ChangePlayer", function(citizenid) - local src = source - if not SozAdmin.Functions.IsPlayerStaff(src) then - return - end - - QBCore.Player.Logout(src) - - if QBCore.Player.Login(src, citizenid) then - TriggerEvent("QBCore:Server:OnPlayerLoaded") - TriggerClientEvent("QBCore:Client:OnPlayerLoaded", src) - - TriggerClientEvent("soz-character:Client:ApplyCurrentSkin", src) - TriggerClientEvent("soz-character:Client:ApplyCurrentClothConfig", src) - end -end) - -RegisterNetEvent("admin:server:effect:alcohol", function(id) - if not SozAdmin.Functions.IsPlayerAdmin(source) then - return - end - - local player = QBCore.Functions.GetPlayer(id or source) - player.Functions.SetMetaData("alcohol", 100) -end) - -RegisterNetEvent("admin:server:effect:drug", function(id) - if not SozAdmin.Functions.IsPlayerAdmin(source) then - return - end - - local player = QBCore.Functions.GetPlayer(id or source) - player.Functions.SetMetaData("drug", 100) -end) - -RegisterNetEvent("admin:server:effect:normal", function(id) - if not SozAdmin.Functions.IsPlayerAdmin(source) then - return - end - - local player = QBCore.Functions.GetPlayer(id or source) - player.Functions.SetMetaData("alcohol", 0) - player.Functions.SetMetaData("drug", 0) -end) - -RegisterNetEvent("admin:server:disease", function(id, action) - if not SozAdmin.Functions.IsPlayerAdmin(source) then - return - end - - local player = QBCore.Functions.GetPlayer(id or source) - player.Functions.SetMetaData("disease", false); - - TriggerClientEvent("lsmc:maladie:client:ApplyCurrentDiseaseEffect", id, action) -end) diff --git a/resources/[soz]/soz-admin/server/module/gamemaster.lua b/resources/[soz]/soz-admin/server/module/gamemaster.lua deleted file mode 100644 index 5f332a88cc..0000000000 --- a/resources/[soz]/soz-admin/server/module/gamemaster.lua +++ /dev/null @@ -1,48 +0,0 @@ -RegisterNetEvent("admin:gamemaster:giveMoney", function(moneyType, amount) - if not SozAdmin.Functions.IsPlayerAdmin(source) then - return - end - - local player = QBCore.Functions.GetPlayer(source) - if player and moneyType and amount then - player.Functions.AddMoney(moneyType, tonumber(amount)) - end -end) - -RegisterNetEvent("admin:gamemaster:giveLicence", function(licence) - if not SozAdmin.Functions.IsPlayerAdmin(source) then - return - end - - local player = QBCore.Functions.GetPlayer(source) - if player and licence then - player.Functions.SetLicence(licence, 12) - end -end) - -RegisterNetEvent("admin:gamemaster:unCuff", function() - if not SozAdmin.Functions.IsPlayerHelper(source) then - return - end - - local player = QBCore.Functions.GetPlayer(source) - if player then - player.Functions.SetMetaData("ishandcuffed", false) - Player(source).state:set("ishandcuffed", false, true) - TriggerClientEvent("police:client:GetUnCuffed", source) - end -end) - -RegisterNetEvent("admin:gamemaster:godmode", function(val) - local playerSource = source - - if not SozAdmin.Functions.IsPlayerAdmin(playerSource) then - return - end - - local godmode = not not val - - SetPlayerInvincible(playerSource, godmode) - local player = QBCore.Functions.GetPlayer(playerSource) - player.Functions.SetMetaData("godmode", godmode) -end) diff --git a/resources/[soz]/soz-admin/server/module/jobs.lua b/resources/[soz]/soz-admin/server/module/jobs.lua deleted file mode 100644 index 2ee47aa35d..0000000000 --- a/resources/[soz]/soz-admin/server/module/jobs.lua +++ /dev/null @@ -1,8 +0,0 @@ -RegisterNetEvent("admin:jobs:setjob", function(jobID, gradeId) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local Player = QBCore.Functions.GetPlayer(source) - Player.Functions.SetJob(jobID, gradeId) -end) diff --git a/resources/[soz]/soz-admin/server/module/skin.lua b/resources/[soz]/soz-admin/server/module/skin.lua deleted file mode 100644 index a24a9f90ad..0000000000 --- a/resources/[soz]/soz-admin/server/module/skin.lua +++ /dev/null @@ -1,16 +0,0 @@ -RegisterNetEvent("admin:skin:UpdateClothes", function(cloth) - if not SozAdmin.Functions.IsPlayerStaff(source) then - return - end - - local Player = QBCore.Functions.GetPlayer(source) - local skin = Player.PlayerData.skin - skin.Hair.HairType = cloth.Components["2"].Drawable - Player.Functions.SetSkin(skin, false) - - local clothConfig = Player.PlayerData.cloth_config - clothConfig["BaseClothSet"] = cloth - Player.Functions.SetClothConfig(clothConfig, false) - - TriggerClientEvent("hud:client:DrawNotification", source, "Tenue sauvegardée") -end) diff --git a/resources/[soz]/soz-admin/server/module/vehicle.lua b/resources/[soz]/soz-admin/server/module/vehicle.lua deleted file mode 100644 index ea38e5be74..0000000000 --- a/resources/[soz]/soz-admin/server/module/vehicle.lua +++ /dev/null @@ -1,9 +0,0 @@ -local function GeneratePlate() - local plate = QBCore.Shared.RandomInt(1) .. QBCore.Shared.RandomStr(2) .. QBCore.Shared.RandomInt(3) .. QBCore.Shared.RandomStr(2) - local result = MySQL.Sync.fetchScalar("SELECT plate FROM player_vehicles WHERE plate = ?", {plate}) - if result then - return GeneratePlate() - else - return plate:upper() - end -end diff --git a/resources/[soz]/soz-animations/client/give.lua b/resources/[soz]/soz-animations/client/give.lua deleted file mode 100644 index e2a3994248..0000000000 --- a/resources/[soz]/soz-animations/client/give.lua +++ /dev/null @@ -1,14 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() - -RegisterNetEvent("animation:client:give", function() - local ped = PlayerPedId() - while not HasAnimDictLoaded("mp_common") do - RequestAnimDict("mp_common") - Wait(0) - end - - FreezeEntityPosition(ped, true) - TaskPlayAnim(ped, "mp_common", "givetake1_a", 8.0, -8.0, 2000, 49, 0, 0, 0, 0) - Wait(2000) - FreezeEntityPosition(ped, false) -end) diff --git a/resources/[soz]/soz-animations/client/handsup.lua b/resources/[soz]/soz-animations/client/handsup.lua deleted file mode 100644 index f57e251516..0000000000 --- a/resources/[soz]/soz-animations/client/handsup.lua +++ /dev/null @@ -1,59 +0,0 @@ -local QBCore = exports["qb-core"]:GetCoreObject() -local animDict = "missminuteman_1ig_2" -local anim = "handsup_base" -local handsup = false - -RegisterKeyMapping("hu", "Put your hands up", "KEYBOARD", "X") - -RegisterCommand("hu", function() - local ped = PlayerPedId() - local PlayerData = QBCore.Functions.GetPlayerData() - RequestAnimDict(animDict) - while not HasAnimDictLoaded(animDict) do - Wait(100) - end - handsup = not handsup - - if IsPedSittingInAnyVehicle(ped) or LocalPlayer.state.isEscorted or LocalPlayer.state.isEscorting or PlayerData.metadata["isdead"] or - PlayerData.metadata["ishandcuffed"] or PlayerData.metadata["inlaststand"] then - return - end - - if handsup then - SetCurrentPedWeapon(ped, GetHashKey("WEAPON_UNARMED"), true) - TriggerEvent("soz-personal-menu:cleanProps") - TriggerEvent("progressbar:client:cancel") - TaskPlayAnim(ped, animDict, anim, 8.0, 8.0, -1, 50, 0, false, false, false) - if IsPedInAnyVehicle(ped, false) then - local vehicle = GetVehiclePedIsIn(ped, false) - if GetPedInVehicleSeat(vehicle, -1) == ped then - CreateThread(function() - while handsup do - Wait(1) - DisableControlAction(0, 59, true) -- Disable steering in vehicle - DisableControlAction(0, 21, true) -- disable sprint - DisableControlAction(0, 24, true) -- disable attack - DisableControlAction(0, 25, true) -- disable aim - DisableControlAction(0, 47, true) -- disable weapon - DisableControlAction(0, 58, true) -- disable weapon - DisableControlAction(0, 71, true) -- veh forward - DisableControlAction(0, 72, true) -- veh backwards - DisableControlAction(0, 63, true) -- veh turn left - DisableControlAction(0, 64, true) -- veh turn right - DisableControlAction(0, 263, true) -- disable melee - DisableControlAction(0, 264, true) -- disable melee - DisableControlAction(0, 257, true) -- disable melee - DisableControlAction(0, 140, true) -- disable melee - DisableControlAction(0, 141, true) -- disable melee - DisableControlAction(0, 142, true) -- disable melee - DisableControlAction(0, 143, true) -- disable melee - DisableControlAction(0, 75, true) -- disable exit vehicle - DisableControlAction(27, 75, true) -- disable exit vehicle - end - end) - end - end - else - ClearPedTasks(ped) - end -end, false) diff --git a/resources/[soz]/soz-animations/client/point.lua b/resources/[soz]/soz-animations/client/point.lua deleted file mode 100644 index e3d85a512f..0000000000 --- a/resources/[soz]/soz-animations/client/point.lua +++ /dev/null @@ -1,80 +0,0 @@ -local mp_pointing = false - -startPointing = function() - local ped = PlayerPedId() - RequestAnimDict("anim@mp_point") - while not HasAnimDictLoaded("anim@mp_point") do - Wait(0) - end - SetPedCurrentWeaponVisible(ped, 0, 1, 1, 1) - SetPedConfigFlag(ped, 36, 1) - TaskMoveNetworkByName(ped, "task_mp_pointing", 0.5, false, "anim@mp_point", 24) - RemoveAnimDict("anim@mp_point") -end - -stopPointing = function() - local ped = PlayerPedId() - RequestTaskMoveNetworkStateTransition(ped, "Stop") - if not IsPedInjured(ped) then - ClearPedSecondaryTask(ped) - end - if not IsPedInAnyVehicle(ped, 1) then - SetPedCurrentWeaponVisible(ped, 1, 1, 1, 1) - end - SetPedConfigFlag(ped, 36, 0) - ClearPedSecondaryTask(PlayerPedId()) -end - -RegisterCommand("point", function() - local ped = PlayerPedId() - local PlayerData = QBCore.Functions.GetPlayerData() - - if IsPedSittingInAnyVehicle(ped) or LocalPlayer.state.isEscorted or LocalPlayer.state.isEscorting or PlayerData.metadata["isdead"] or - PlayerData.metadata["ishandcuffed"] or PlayerData.metadata["inlaststand"] or exports["progressbar"]:IsDoingAction() then - return - end - - if not IsPedInAnyVehicle(PlayerPedId(), false) then - if mp_pointing then - stopPointing() - mp_pointing = false - else - startPointing() - mp_pointing = true - end - while mp_pointing do - local camPitch = GetGameplayCamRelativePitch() - if camPitch < -70.0 then - camPitch = -70.0 - elseif camPitch > 42.0 then - camPitch = 42.0 - end - camPitch = (camPitch + 70.0) / 112.0 - - local camHeading = GetGameplayCamRelativeHeading() - local cosCamHeading = Cos(camHeading) - local sinCamHeading = Sin(camHeading) - if camHeading < -180.0 then - camHeading = -180.0 - elseif camHeading > 180.0 then - camHeading = 180.0 - end - camHeading = (camHeading + 180.0) / 360.0 - - local blocked = 0 - local nn = 0 - - local coords = GetOffsetFromEntityInWorldCoords(ped, (cosCamHeading * -0.2) - (sinCamHeading * (0.4 * camHeading + 0.3)), - (sinCamHeading * -0.2) + (cosCamHeading * (0.4 * camHeading + 0.3)), 0.6) - local ray = Cast_3dRayPointToPoint(coords.x, coords.y, coords.z - 0.2, coords.x, coords.y, coords.z + 0.2, 0.4, 95, ped, 7); - nn, blocked, coords, coords = GetRaycastResult(ray) - SetTaskMoveNetworkSignalFloat(ped, "Pitch", camPitch) - SetTaskMoveNetworkSignalFloat(ped, "Heading", camHeading * -1.0 + 1.0) - SetTaskMoveNetworkSignalBool(ped, "isBlocked", blocked) - SetTaskMoveNetworkSignalBool(ped, "isFirstPerson", GetCamViewModeForContext(GetCamActiveViewModeContext()) == 4) - Wait(1) - end - end -end) - -RegisterKeyMapping("point", "Toggles Point", "keyboard", "b") diff --git a/resources/[soz]/soz-animations/client/ragdoll.lua b/resources/[soz]/soz-animations/client/ragdoll.lua deleted file mode 100644 index 825db296fc..0000000000 --- a/resources/[soz]/soz-animations/client/ragdoll.lua +++ /dev/null @@ -1,26 +0,0 @@ -local isInRagdoll = false - -CreateThread(function() - while true do - Wait(10) - if isInRagdoll then - SetPedToRagdoll(PlayerPedId(), 1000, 1000, 0, 0, 0, 0) - end - end -end) - -CreateThread(function() - while true do - Wait(0) - if IsControlJustPressed(2, 20) and IsPedOnFoot(PlayerPedId()) then - if isInRagdoll then - isInRagdoll = false - else - isInRagdoll = true - TriggerEvent("progressbar:client:cancel") - Wait(500) - end - end - end -end) - diff --git a/resources/[soz]/soz-animations/fxmanifest.lua b/resources/[soz]/soz-animations/fxmanifest.lua deleted file mode 100644 index 18dac75b10..0000000000 --- a/resources/[soz]/soz-animations/fxmanifest.lua +++ /dev/null @@ -1,9 +0,0 @@ -fx_version "cerulean" -game "gta5" - -description "soz-animations" -version "1.0.0" - -client_script "client/*.lua" - -lua54 "yes" diff --git a/resources/[soz]/soz-api/client/token.lua b/resources/[soz]/soz-api/client/token.lua deleted file mode 100644 index 085e329371..0000000000 --- a/resources/[soz]/soz-api/client/token.lua +++ /dev/null @@ -1,7 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() - -RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() - local token = QBCore.Functions.TriggerRpc("soz-api:server:GetJwtToken") - - LocalPlayer.state.SozJWTToken = token -end) diff --git a/resources/[soz]/soz-api/fxmanifest.lua b/resources/[soz]/soz-api/fxmanifest.lua deleted file mode 100644 index d854e2ec12..0000000000 --- a/resources/[soz]/soz-api/fxmanifest.lua +++ /dev/null @@ -1,16 +0,0 @@ -fx_version "cerulean" -games {"gta5"} -lua54 "yes" - -client_scripts {"client/token.lua"} - -server_scripts { - "server/main.lua", - "server/authorization.lua", - "server/token.lua", - "server/news.lua", - "server/reboot.lua", - "server/http.lua", -} - -dependencies {} diff --git a/resources/[soz]/soz-api/server/authorization.lua b/resources/[soz]/soz-api/server/authorization.lua deleted file mode 100644 index ffd8bd096d..0000000000 --- a/resources/[soz]/soz-api/server/authorization.lua +++ /dev/null @@ -1,24 +0,0 @@ -local b = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/" - -local function base64encode(data) - return ((data:gsub(".", function(x) - local r, b = "", x:byte() - for i = 8, 1, -1 do - r = r .. (b % 2 ^ i - b % 2 ^ (i - 1) > 0 and "1" or "0") - end - return r; - end) .. "0000"):gsub("%d%d%d?%d?%d?%d?", function(x) - if (#x < 6) then - return "" - end - local c = 0 - for i = 1, 6 do - c = c + (x:sub(i, i) == "1" and 2 ^ (6 - i) or 0) - end - return b:sub(c + 1, c + 1) - end) .. ({"", "==", "="})[#data % 3 + 1]) -end - -function GetAuthorizationHeader(user, password) - return "Basic " .. base64encode(user .. ":" .. password) -end diff --git a/resources/[soz]/soz-api/server/http.lua b/resources/[soz]/soz-api/server/http.lua deleted file mode 100644 index 98e935ec2e..0000000000 --- a/resources/[soz]/soz-api/server/http.lua +++ /dev/null @@ -1,73 +0,0 @@ -local function readBody(req) - local p = promise.new() - - req.setDataHandler(function(body) - local data = body - - if data == nil then - p:reject("Request body contains invalid JSON") - else - p:resolve(data) - end - end) - - return Citizen.Await(p) -end - -local function readJson(req) - local data = readBody(req) - - return json.decode(data) -end - -SetHttpHandler(function(req, res) - local authorizationHeader = GetAuthorizationHeader(GetConvar("soz_api_username", "admin"), GetConvar("soz_api_password", "admin")) - - if req.headers["Authorization"] ~= authorizationHeader then - res.send("Route /" .. GetCurrentResourceName() .. req.path .. " not found.") - - return; - end - - -- Get list of connected players - if req.path == "/active-players" and req.method == "GET" then - local data = {} - local playerCount = GetNumPlayerIndices() - - for index = 0, playerCount - 1 do - local source = GetPlayerFromIndex(index) - - data[QBCore.Functions.GetSozIdentifier(source)] = source - end - - res.send(json.encode(data)) - - return; - end - -- Get list of items - if req.path == "/items" and req.method == "GET" then - res.send(json.encode(QBCore.Shared.Items)) - - return; - end - - -- Kick a player - if req.path == "/kick-player" and req.method == "POST" then - local data = readJson(req); - DropPlayer(tonumber(data.player), data.reason) - - res.send("Player kicked.") - - return; - end - - if req.path == "/phone/message-create" and req.method == "POST" then - local jsonV = readJson(req) - - res.send(json.encode(jsonV)) - - return; - end - - res.send("Route /" .. GetCurrentResourceName() .. req.path .. " not found.") -end) diff --git a/resources/[soz]/soz-api/server/main.lua b/resources/[soz]/soz-api/server/main.lua deleted file mode 100644 index 2a57be79ef..0000000000 --- a/resources/[soz]/soz-api/server/main.lua +++ /dev/null @@ -1 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() diff --git a/resources/[soz]/soz-api/server/news.lua b/resources/[soz]/soz-api/server/news.lua deleted file mode 100644 index f76e695df6..0000000000 --- a/resources/[soz]/soz-api/server/news.lua +++ /dev/null @@ -1,10 +0,0 @@ -RegisterNetEvent("soz-api:server:AddFlashNews", function(news) - local url = GetConvar("soz_api_endpoint", "https://soz.zerator.com") .. "/news/add-flash" - local authorization = GetAuthorizationHeader(GetConvar("soz_api_username", "admin"), GetConvar("soz_api_password", "admin")) - - PerformHttpRequest(url, function(status, text) - if status ~= 201 then - exports["soz-monitor"]:Log("ERROR", "error when adding flash news, status: " .. status .. ", body: " .. tostring(text), {}) - end - end, "POST", json.encode(news), {["Authorization"] = authorization, ["Content-Type"] = "application/json"}) -end) diff --git a/resources/[soz]/soz-api/server/reboot.lua b/resources/[soz]/soz-api/server/reboot.lua deleted file mode 100644 index 61e272600a..0000000000 --- a/resources/[soz]/soz-api/server/reboot.lua +++ /dev/null @@ -1,24 +0,0 @@ -exports("AddRebootMessage", function(minutes) - local url = GetConvar("soz_api_endpoint", "https://soz.zerator.com") .. "/discord/send-reboot-message" - local authorization = GetAuthorizationHeader(GetConvar("soz_api_username", "admin"), GetConvar("soz_api_password", "admin")) - - PerformHttpRequest(url, function(status, text) - if status ~= 201 then - exports["soz-monitor"]:Log("ERROR", "error when adding reboot message, status: " .. status .. ", body: " .. tostring(text), {}) - end - end, "POST", json.encode({minutes = minutes}), { - ["Authorization"] = authorization, - ["Content-Type"] = "application/json", - }) -end) - -exports("RemoveRebootMessage", function() - local url = GetConvar("soz_api_endpoint", "https://soz.zerator.com") .. "/discord/delete-reboot-message" - local authorization = GetAuthorizationHeader(GetConvar("soz_api_username", "admin"), GetConvar("soz_api_password", "admin")) - - PerformHttpRequest(url, function(status, text) - if status ~= 201 then - exports["soz-monitor"]:Log("ERROR", "error when removing reboot message, status: " .. status .. ", body: " .. tostring(text), {}) - end - end, "POST", json.encode({}), {["Authorization"] = authorization, ["Content-Type"] = "application/json"}) -end) diff --git a/resources/[soz]/soz-api/server/token.lua b/resources/[soz]/soz-api/server/token.lua deleted file mode 100644 index 93d6c03c0f..0000000000 --- a/resources/[soz]/soz-api/server/token.lua +++ /dev/null @@ -1,13 +0,0 @@ -QBCore.Functions.CreateCallback("soz-api:server:GetJwtToken", function(source, cb) - local steam = QBCore.Functions.GetSozIdentifier(source) - local url = GetConvar("soz_api_endpoint", "https://soz.zerator.com") .. "/accounts/create-token/" .. steam - local authorization = GetAuthorizationHeader(GetConvar("soz_api_username", "admin"), GetConvar("soz_api_password", "admin")) - - PerformHttpRequest(url, function(status, text) - if status ~= 200 then - cb(null) - else - cb(text) - end - end, "GET", "", {["Authorization"] = authorization}) -end) diff --git a/resources/[soz]/soz-bank/client/invoices.lua b/resources/[soz]/soz-bank/client/invoices.lua index f38bcf49ad..95a783a4be 100644 --- a/resources/[soz]/soz-bank/client/invoices.lua +++ b/resources/[soz]/soz-bank/client/invoices.lua @@ -1,20 +1,20 @@ -RegisterNetEvent("banking:client:invoiceReceived", function(invoiceId, label, amount) +RegisterNetEvent("banking:client:invoiceReceived", function(invoiceId, label, amount, emitterName) CreateThread(function() - local notificationTimer = GetGameTimer() + 20000 - exports["soz-hud"]:DrawAdvancedNotification("Maze Facture", "Facture de ~r~$" .. amount, - ("Raison : %s~n~~n~Faites ~g~Y~s~ pour accepter la facture ou ~r~N~s~ pour la refuser"):format(label), - "CHAR_BANK_MAZE", "info", 20000) + local notificationTimer = GetGameTimer() + 10000 + exports["soz-core"]:DrawAdvancedNotification("Maze Facture", "Facture de ~r~$" .. amount, + ("Raison : %s~n~~n~Faites ~g~Y~s~ pour accepter la facture ou ~r~N~s~ pour la refuser"):format(label), + "CHAR_BANK_MAZE", "info", 10000) while notificationTimer > GetGameTimer() do DisableControlAction(0, 246, true) - DisableControlAction(0, 249, true) + DisableControlAction(0, 306, true) if IsDisabledControlJustReleased(0, 246) then TriggerServerEvent("banking:server:payInvoice", invoiceId) return end - if IsDisabledControlJustReleased(0, 249) then + if IsDisabledControlJustReleased(0, 306) then TriggerServerEvent("banking:server:rejectInvoice", invoiceId) return end diff --git a/resources/[soz]/soz-bank/client/main.lua b/resources/[soz]/soz-bank/client/main.lua index 9cd1376e15..8324f5c62d 100644 --- a/resources/[soz]/soz-bank/client/main.lua +++ b/resources/[soz]/soz-bank/client/main.lua @@ -186,7 +186,7 @@ RegisterNetEvent("banking:client:displayAtmBlips", function(newAtmCoords) end) local function SafeStorageDeposit(money_type, safeStorage) - local amount = exports["soz-hud"]:Input("Quantité", 12) + local amount = exports["soz-core"]:Input("Quantité", 12) if amount and tonumber(amount) > 0 then TriggerServerEvent("banking:server:SafeStorageDeposit", money_type, safeStorage, tonumber(amount)) @@ -200,7 +200,7 @@ local function SafeStorageDepositAll(money_type, safeStorage) end local function SafeStorageWithdraw(money_type, safeStorage) - local amount = exports["soz-hud"]:Input("Quantité", 12) + local amount = exports["soz-core"]:Input("Quantité", 12) if amount and tonumber(amount) > 0 then TriggerServerEvent("banking:server:SafeStorageWithdraw", money_type, safeStorage, tonumber(amount)) @@ -320,7 +320,7 @@ RegisterNetEvent("banking:client:qTargetOpenSafe", function(data) if isAllowed then OpenSafeStorageMenu(data.SafeId, money, black_money) else - exports["soz-hud"]:DrawNotification("Vous n'avez pas accès a ce coffre", "error") + exports["soz-core"]:DrawNotification("Vous n'avez pas accès à ce coffre", "error") end end, data.SafeId) end @@ -331,7 +331,7 @@ RegisterNetEvent("banking:client:openHouseSafe", function(houseid) if isAllowed then OpenHouseSafeStorageMenu(houseid, money, black_money, max) else - exports["soz-hud"]:DrawNotification("Vous n'avez pas accès a ce coffre", "error") + exports["soz-core"]:DrawNotification("Vous n'avez pas accès à ce coffre", "error") end end, houseid) end) diff --git a/resources/[soz]/soz-bank/client/nui.lua b/resources/[soz]/soz-bank/client/nui.lua index 77ca2abcbc..2e83b2bc6b 100644 --- a/resources/[soz]/soz-bank/client/nui.lua +++ b/resources/[soz]/soz-bank/client/nui.lua @@ -63,9 +63,9 @@ end) RegisterNUICallback("createOffshoreAccount", function(data, cb) QBCore.Functions.TriggerCallback("banking:server:createOffshoreAccount", function(success, reason) if success then - exports["soz-hud"]:DrawAdvancedNotification("Maze Banque", "Création de compte", "Vous avez crée un nouveau compte", "CHAR_BANK_MAZE") + exports["soz-core"]:DrawAdvancedNotification("Maze Banque", "Création de compte", "Vous avez crée un nouveau compte", "CHAR_BANK_MAZE") else - exports["soz-hud"]:DrawNotification(Config.ErrorMessage[reason], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage[reason], "error") end openBankScreen(data.account) end, data.account) @@ -77,9 +77,9 @@ RegisterNUICallback("doDeposit", function(data, cb) if amount ~= nil and amount > 0 then QBCore.Functions.TriggerCallback("banking:server:TransferMoney", function(success, reason) if success then - exports["soz-hud"]:DrawAdvancedNotification("Maze Banque", "Dépot: ~g~" .. amount .. "$", "Vous avez déposé de l'argent", "CHAR_BANK_MAZE") + exports["soz-core"]:DrawAdvancedNotification("Maze Banque", "Dépot: ~g~" .. amount .. "$", "Vous avez déposé de l'argent", "CHAR_BANK_MAZE") else - exports["soz-hud"]:DrawNotification(Config.ErrorMessage[reason], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage[reason], "error") end openBankScreen(data.account, data.isATM, data.bankAtmAccount, data.atmType, data.atmName) end, "player", data.account, amount) @@ -92,9 +92,9 @@ RegisterNUICallback("doOffshoreDeposit", function(data, cb) if amount ~= nil and amount > 0 then QBCore.Functions.TriggerCallback("banking:server:TransfertOffshoreMoney", function(success, reason) if success then - exports["soz-hud"]:DrawAdvancedNotification("Maze Banque", "Dépot: ~g~" .. amount .. "$", "Vous avez déposé de l'argent", "CHAR_BANK_MAZE") + exports["soz-core"]:DrawAdvancedNotification("Maze Banque", "Dépot: ~g~" .. amount .. "$", "Vous avez déposé de l'argent", "CHAR_BANK_MAZE") else - exports["soz-hud"]:DrawNotification(Config.ErrorMessage[reason], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage[reason], "error") end openBankScreen(data.account) end, data.account, amount) @@ -109,7 +109,7 @@ RegisterNUICallback("doWithdraw", function(data, cb) if terminalConfig.maxWithdrawal then if amount > terminalConfig.maxWithdrawal then - exports["soz-hud"]:DrawNotification(string.format(Config.ErrorMessage["max_widthdrawal_limit"], terminalConfig.maxWithdrawal), "error") + exports["soz-core"]:DrawNotification(string.format(Config.ErrorMessage["max_widthdrawal_limit"], terminalConfig.maxWithdrawal), "error") return end @@ -121,10 +121,10 @@ RegisterNUICallback("doWithdraw", function(data, cb) local limit = string.format(Config.ErrorMessage["limit"], terminalConfig.maxWithdrawal, math.ceil(terminalConfig.limit / 60000)) if remainingTime > 0 then if amountAvailableForWithdraw == 0 then - exports["soz-hud"]:DrawNotification(limit .. string.format(Config.ErrorMessage["time_limit"], math.ceil(remainingTime / 60000)), "error") + exports["soz-core"]:DrawNotification(limit .. string.format(Config.ErrorMessage["time_limit"], math.ceil(remainingTime / 60000)), "error") return elseif amount > amountAvailableForWithdraw then - exports["soz-hud"]:DrawNotification(limit .. string.format(Config.ErrorMessage["withdrawal_limit"], amountAvailableForWithdraw), "error") + exports["soz-core"]:DrawNotification(limit .. string.format(Config.ErrorMessage["withdrawal_limit"], amountAvailableForWithdraw), "error") return end end @@ -135,9 +135,9 @@ RegisterNUICallback("doWithdraw", function(data, cb) QBCore.Functions.TriggerCallback("banking:server:hasEnoughLiquidity", function(result, reason) if not result then if reason == "invalid_liquidity" then - exports["soz-hud"]:DrawNotification(Config.ErrorMessage[reason], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage[reason], "error") else - exports["soz-hud"]:DrawNotification(Config.ErrorMessage["unknown"], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage["unknown"], "error") end end return p:resolve(result) @@ -150,7 +150,7 @@ RegisterNUICallback("doWithdraw", function(data, cb) if amount ~= nil and amount > 0 then QBCore.Functions.TriggerCallback("banking:server:TransferMoney", function(success, reason) if success then - exports["soz-hud"]:DrawAdvancedNotification("Maze Banque", "Retrait: ~r~" .. amount .. "$", "Vous avez retiré de l'argent", "CHAR_BANK_MAZE") + exports["soz-core"]:DrawAdvancedNotification("Maze Banque", "Retrait: ~r~" .. amount .. "$", "Vous avez retiré de l'argent", "CHAR_BANK_MAZE") TriggerServerEvent("banking:server:RemoveLiquidity", data.bankAtmAccount, amount) local newAmount = amount if lastUse and lastUse.amountWithdrawn then @@ -164,7 +164,7 @@ RegisterNUICallback("doWithdraw", function(data, cb) amountWithdrawn = newAmount, } else - exports["soz-hud"]:DrawNotification(Config.ErrorMessage[reason], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage[reason], "error") end openBankScreen(data.account, data.isATM, data.bankAtmAccount, data.atmType, data.atmName) end, data.account, "player", amount) @@ -177,10 +177,10 @@ RegisterNUICallback("doTransfer", function(data, cb) if amount ~= nil and amount > 0 then QBCore.Functions.TriggerCallback("banking:server:TransferMoney", function(success, reason) if success then - exports["soz-hud"]:DrawAdvancedNotification("Maze Banque", "Transfert: ~r~" .. amount .. "$", "Vous avez transférer de l'argent sur un compte", - "CHAR_BANK_MAZE") + exports["soz-core"]:DrawAdvancedNotification("Maze Banque", "Transfert: ~r~" .. amount .. "$", + "Vous avez transféré de l'argent sur un compte", "CHAR_BANK_MAZE") else - exports["soz-hud"]:DrawNotification(Config.ErrorMessage[reason], "error") + exports["soz-core"]:DrawNotification(Config.ErrorMessage[reason], "error") end openBankScreen(data.accountSource) end, data.accountSource, data.accountTarget, amount, true) diff --git a/resources/[soz]/soz-bank/config.lua b/resources/[soz]/soz-bank/config.lua index 28fda27660..b2241f3e0a 100644 --- a/resources/[soz]/soz-bank/config.lua +++ b/resources/[soz]/soz-bank/config.lua @@ -10,14 +10,14 @@ Config.HouseSafeTiers = {[0] = 10000, [1] = 20000, [2] = 40000, [3] = 60000, [4] Config.ErrorMessage = { ["unknown"] = "Erreur de la banque !", - ["action_forbidden"] = "Vous n'avez pas de droit de faire cette action !", + ["action_forbidden"] = "Vous n'avez pas le droit de faire cette action !", ["invalid_account"] = "Le compte n'existe pas !", ["already_exist"] = "Le compte existe déjà !", ["transfert_failed"] = "Le transfert a subi une erreur !", ["no_account_money"] = "Le compte ne possède pas assez d'argent !", ["invalid_liquidity"] = "Liquidité insuffisante à ce terminal", ["max_widthdrawal_limit"] = "Vous ne pouvez pas retirer plus de ~b~$%s~s~ depuis ce terminal", - ["limit"] = "Limite de retait atteinte : max. ~b~$%i~s~ par tranche de %i minutes. ", + ["limit"] = "Limite de retrait atteinte : max. ~b~$%i~s~ par tranche de %i minutes. ", ["withdrawal_limit"] = "~b~$%i~s~ retirables.", ["time_limit"] = "Revenez dans ~b~%i minutes~s~.", } @@ -25,17 +25,17 @@ Config.ErrorMessage = { Config.FarmAccountMoney = { ["bank_refill"] = {money = 10000000, marked_money = 0}, ["bennys_reseller"] = {money = 100000000, marked_money = 0}, - ["farm_bennys"] = {money = 100000, marked_money = 0}, - ["farm_news"] = {money = 100000, marked_money = 0}, - ["farm_stonk"] = {money = 100000, marked_money = 0}, - ["farm_mtp"] = {money = 100000, marked_money = 0}, - ["farm_garbage"] = {money = 100000, marked_money = 0}, - ["farm_taxi"] = {money = 100000, marked_money = 0}, - ["farm_food"] = {money = 100000, marked_money = 0}, - ["farm_upw"] = {money = 100000, marked_money = 0}, - ["farm_pawl"] = {money = 100000, marked_money = 0}, - ["farm_baun"] = {money = 100000, marked_money = 0}, - ["farm_ffs"] = {money = 100000, marked_money = 0}, + ["farm_bennys"] = {money = 300000, marked_money = 0}, + ["farm_news"] = {money = 300000, marked_money = 0}, + ["farm_stonk"] = {money = 300000, marked_money = 0}, + ["farm_mtp"] = {money = 300000, marked_money = 0}, + ["farm_garbage"] = {money = 300000, marked_money = 0}, + ["farm_taxi"] = {money = 300000, marked_money = 0}, + ["farm_food"] = {money = 300000, marked_money = 0}, + ["farm_upw"] = {money = 300000, marked_money = 0}, + ["farm_pawl"] = {money = 300000, marked_money = 0}, + ["farm_baun"] = {money = 300000, marked_money = 0}, + ["farm_ffs"] = {money = 300000, marked_money = 0}, } Config.SocietyTaxes = { @@ -52,12 +52,12 @@ Config.SocietyTaxes = { ["upw"] = {"upw", "safe_upw"}, }, - taxRepartition = {["lspd"] = 30, ["bcso"] = 30, ["lsmc"] = 25, ["cash-transfer"] = 5, ["mdr"] = 10}, + taxRepartition = {["lspd"] = 30, ["bcso"] = 30, ["lsmc"] = 30, ["cash-transfer"] = 2, ["mdr"] = 8}, } Config.SafeStorages = { ["safe_cash-transfer"] = { - label = "Coffre STONK Depository", + label = "Coffre STONK Security", owner = "cash-transfer", position = vector3(-33.94, -715.14, 40.62), size = vector2(1.0, 3.0), @@ -167,13 +167,31 @@ Config.SafeStorages = { size = vec2(1.0, 1.0), heading = 30.0, }, + ["safe_sasp"] = { + label = "Coffre SASP", + owner = "sasp", + position = vector3(-583.08, -590.96, 34.68), + size = vec2(1.00, 0.80), + heading = 0.0, + }, + ["safe_gouv"] = { + label = "Coffre Gouvernement", + owner = "gouv", + position = vector3(-525.62, -590.78, 34.68), + size = vec2(0.40, 1.00), + heading = 0.0, + }, } Config.ATMModels = { ["prop_atm_01"] = "small", + ["soz_prop_atm_01_hs2"] = "small", ["prop_atm_02"] = "big", + ["soz_prop_atm_02_hs2"] = "big", ["prop_atm_03"] = "big", + ["soz_prop_atm_03_hs2"] = "big", ["prop_fleeca_atm"] = "big", + ["soz_prop_fleeca_atm_hs2"] = "big", ["soz_atm_entreprise"] = "ent", } @@ -188,6 +206,7 @@ Config.BankPedLocations = { ["fleeca5"] = vector4(-2961.13, 482.98, 15.7, 85.95), ["fleeca6"] = vector4(1175.01, 2708.3, 38.09, 176.68), ["fleeca7"] = vector4(-112.26, 6471.04, 31.63, 132.8), + ["fleeca8"] = vector4(5057.64, -5193.98, 2.48, 99.10), } Config.BankAtmDefault = { diff --git a/resources/[soz]/soz-bank/fxmanifest.lua b/resources/[soz]/soz-bank/fxmanifest.lua index be6df45005..d4eb69c763 100644 --- a/resources/[soz]/soz-bank/fxmanifest.lua +++ b/resources/[soz]/soz-bank/fxmanifest.lua @@ -11,7 +11,6 @@ client_scripts { "client/main.lua", "client/nui.lua", "client/invoices.lua", - "client/moneycase.lua", } server_scripts { @@ -37,6 +36,6 @@ server_scripts { ui_page "ui/index.html" -files {"ui/images/logo.png", "ui/style.css", "ui/index.html", "ui/qb-banking.js"} +files {"ui/images/logo.png", "ui/bootstrap.min.css", "ui/soz.css", "ui/style.css", "ui/index.html", "ui/qb-banking.js"} -dependencies {"oxmysql", "cron", "qb-core", "soz-jobs", "soz-hud", "menuv", "PolyZone"} +dependencies {"oxmysql", "cron", "qb-core", "soz-jobs", "menuv", "PolyZone"} diff --git a/resources/[soz]/soz-bank/server/accounts.lua b/resources/[soz]/soz-bank/server/accounts.lua index a4970e4f95..ebdd5bcb7c 100644 --- a/resources/[soz]/soz-bank/server/accounts.lua +++ b/resources/[soz]/soz-bank/server/accounts.lua @@ -107,7 +107,7 @@ function Account.Create(id, label, accountType, owner, money, marked_money, coor if string.find(self.id, "safe_") == nil then self.id = "safe_" .. self.id end - self.max = 300000 + self.max = 900000 end if self.type == "house_safe" then @@ -170,6 +170,15 @@ function Account.RemoveMoney(acc, money, money_type) end end +function Account.Clear(acc) + acc = Account(acc) + + acc.money = 0 + acc.marked_money = 0 + acc.changed = true +end +exports("ClearAccount", Account.Clear) + function Account.TransfertMoney(accSource, accTarget, money, cb) accSource = Account(accSource) accTarget = Account(accTarget) @@ -179,7 +188,7 @@ function Account.TransfertMoney(accSource, accTarget, money, cb) if accSource then if accTarget then if money <= accSource.money then - if (accTarget.type == "house_safe" or accTarget.type == "safestorages") and money > accTarget.max then + if (accTarget.type == "house_safe" or accTarget.type == "safestorages") and accTarget.money + money > accTarget.max then success, reason = false, "transfert_failed" if cb then @@ -193,6 +202,13 @@ function Account.TransfertMoney(accSource, accTarget, money, cb) _G.AccountType[accTarget.type]:save(accTarget.id, accTarget.owner, accTarget.money, accTarget.marked_money) success = true + + exports["soz-core"]:Event("transfer_money", { + source_owner = accSource.owner, + target_owner = accTarget.owner, + source_id = accSource.id, + target_id = accTarget.id, + }, {money = money}) else success, reason = false, "transfert_failed" end diff --git a/resources/[soz]/soz-bank/server/accounts/safestorages.lua b/resources/[soz]/soz-bank/server/accounts/safestorages.lua index 6f6340361f..8acc1cd0e6 100644 --- a/resources/[soz]/soz-bank/server/accounts/safestorages.lua +++ b/resources/[soz]/soz-bank/server/accounts/safestorages.lua @@ -37,7 +37,7 @@ function SafeStorageAccount:AccessAllowed(owner, player) local Player = QBCore.Functions.GetPlayer(tonumber(player)) if Player then - return SozJobCore.Functions.HasPermission(owner, Player.PlayerData.job.id, Player.PlayerData.job.grade, SozJobCore.JobPermission.SocietyPrivateStorage) + return SozJobCore.Functions.HasPermission(owner, Player.PlayerData.job.id, Player.PlayerData.job.grade, SozJobCore.JobPermission.SocietyMoneyStorage) else return false end diff --git a/resources/[soz]/soz-bank/server/bank-atm.lua b/resources/[soz]/soz-bank/server/bank-atm.lua index 1c403da87c..836e63a932 100644 --- a/resources/[soz]/soz-bank/server/bank-atm.lua +++ b/resources/[soz]/soz-bank/server/bank-atm.lua @@ -96,7 +96,7 @@ end) QBCore.Functions.CreateCallback("banking:server:hasEnoughLiquidity", function(source, cb, accountId, amount) local account = Account(accountId) if account == nil then - TriggerClientEvent("hud:client:DrawNotification", source, "Compte invalide", "error") + TriggerClientEvent("soz-core:client:notification:draw", source, "Compte invalide", "error") return end @@ -110,7 +110,7 @@ end) RegisterNetEvent("banking:server:RemoveLiquidity", function(accountId, amount) local account = Account(accountId) if account == nil then - TriggerClientEvent("hud:client:DrawNotification", source, "Compte invalide", "error") + TriggerClientEvent("soz-core:client:notification:draw", source, "Compte invalide", "error") return end Account.RemoveMoney(accountId, amount, "money") diff --git a/resources/[soz]/soz-bank/server/invoices.lua b/resources/[soz]/soz-bank/server/invoices.lua index 3b80d569ef..692fa3db37 100644 --- a/resources/[soz]/soz-bank/server/invoices.lua +++ b/resources/[soz]/soz-bank/server/invoices.lua @@ -23,7 +23,7 @@ local function GetAllInvoices(PlayerData) return invoices end -local function PayInvoice(PlayerData, account, id) +local function PayInvoice(PlayerData, account, id, marked) if not PlayerHaveAccessToInvoices(PlayerData, account) then return false end @@ -37,40 +37,89 @@ local function PayInvoice(PlayerData, account, id) end local invoice = Invoices[account][id] - local Player = QBCore.Functions.GetPlayerByCitizenId(invoice.citizenid) local Emitter = QBCore.Functions.GetPlayerByCitizenId(invoice.emitter) if PlayerData.charinfo.account == account then - if Player.Functions.RemoveMoney("money", invoice.amount) then - Account.AddMoney(invoice.emitterSafe, invoice.amount) + local Player = QBCore.Functions.GetPlayerByCitizenId(invoice.citizenid) - MySQL.update.await("UPDATE invoices SET payed = true WHERE id = ? AND payed = false AND refused = false", { - invoice.id, - }) + if marked then + local moneyAmount = Player.Functions.GetMoney("money") + local moneyMarkedAmount = Player.Functions.GetMoney("marked_money") - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous avez ~g~payé~s~ votre facture") - if Emitter then - TriggerClientEvent("hud:client:DrawNotification", Emitter.PlayerData.source, ("Votre facture ~b~%s~s~ a été ~g~payée"):format(invoice.label)) + if (moneyAmount + moneyMarkedAmount) >= invoice.amount then + local moneyTake = 0 + local markedMoneyTake = 0 + + if moneyMarkedAmount >= invoice.amount then + markedMoneyTake = invoice.amount + else + markedMoneyTake = moneyMarkedAmount + moneyTake = invoice.amount - moneyMarkedAmount + end + + Player.Functions.RemoveMoney("money", moneyTake) + Player.Functions.RemoveMoney("marked_money", markedMoneyTake) + + local success = Account.AddMoney(invoice.emitterSafe, moneyTake, "money") + if not success then + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, + "Le coffre de destination n'a pas de place pour cette somme", "error") + Player.Functions.AddMoney("money", moneyTake) + Player.Functions.AddMoney("marked_money", markedMoneyTake) + return false + end + + success = Account.AddMoney(invoice.emitterSafe, markedMoneyTake, "marked_money") + if not success then + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, + "Le coffre de destination n'a pas de place pour cette somme", "error") + Player.Functions.AddMoney("money", moneyTake) + Player.Functions.AddMoney("marked_money", markedMoneyTake) + Account.RemoveMoney(invoice.emitterSafe, moneyTake, "money") + return false + end + + else + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") + return false + end + elseif Player.Functions.RemoveMoney("money", invoice.amount) then + local success = Account.AddMoney(invoice.emitterSafe, invoice.amount) + if not success then + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Le coffre de destination n'a pas de place pour cette somme", + "error") + Player.Functions.AddMoney("money", invoice.amount) + return false end + else + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") + return false + end + + MySQL.update.await("UPDATE invoices SET payed = true WHERE id = ? AND payed = false AND refused = false", { + invoice.id, + }) - TriggerEvent("monitor:server:event", "invoice_pay", { - player_source = Player.PlayerData.source, - invoice_kind = "invoice", - invoice_job = "", - }, { - target_source = Emitter and Emitter.PlayerData.source or nil, - id = id, - amount = tonumber(invoice.amount), - target_account = invoice.emitterSafe, - source_account = invoice.targetAccount, - }) - - Invoices[account][id] = nil - return true + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous avez ~g~payé~s~ votre facture", "success", 10000) + if Emitter then + TriggerClientEvent("soz-core:client:notification:draw", Emitter.PlayerData.source, + ("Votre facture ~b~%s~s~ a été ~g~payée"):format(invoice.label)) end - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") - return false + exports["soz-core"]:Event("invoice_pay", { + player_source = Player.PlayerData.source, + invoice_kind = "invoice", + invoice_job = "", + }, { + target_source = Emitter and Emitter.PlayerData.source or nil, + id = id, + amount = tonumber(invoice.amount), + target_account = invoice.emitterSafe, + source_account = invoice.targetAccount, + }) + Invoices[account][id] = nil + TriggerClientEvent("banking:client:invoicePaid", Player.PlayerData.source, id) + return true else Account.TransfertMoney(invoice.targetAccount, invoice.emitterSafe, invoice.amount, function(success, reason) if success then @@ -78,17 +127,16 @@ local function PayInvoice(PlayerData, account, id) invoice.id, }) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous avez ~g~payé~s~ la facture de la société") + TriggerClientEvent("soz-core:client:notification:draw", PlayerData.source, "Vous avez ~g~payé~s~ la facture de la société", "success", 10000) if Emitter then - TriggerClientEvent("hud:client:DrawNotification", Emitter.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", Emitter.PlayerData.source, ("Votre facture ~b~%s~s~ a été ~g~payée"):format(invoice.label)) end - TriggerEvent("monitor:server:event", "invoice_pay", - { - player_source = Player.PlayerData.source, + exports["soz-core"]:Event("invoice_pay", { + player_source = PlayerData.source, invoice_kind = "invoice", - invoice_job = Player.PlayerData.job.id, + invoice_job = PlayerData.job.id, }, { target_source = Emitter and Emitter.PlayerData.source or nil, id = id, @@ -96,14 +144,14 @@ local function PayInvoice(PlayerData, account, id) target_account = invoice.emitterSafe, source_account = invoice.targetAccount, }) - + TriggerClientEvent("banking:client:invoicePaid", PlayerData.source, id) Invoices[account][id] = nil + else + TriggerClientEvent("soz-core:client:notification:draw", PlayerData.source, "~r~Echec~s~ du paiement la facture de la société", "error", 10000) end - return success end) end - return true end @@ -121,17 +169,18 @@ local function RejectInvoice(PlayerData, account, id) end local invoice = Invoices[account][id] - local Player = QBCore.Functions.GetPlayerByCitizenId(invoice.citizenid) local Emitter = QBCore.Functions.GetPlayerByCitizenId(invoice.emitter) if PlayerData.charinfo.account == account then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous avez ~r~refusé~s~ votre facture") + local Player = QBCore.Functions.GetPlayerByCitizenId(invoice.citizenid) + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous avez ~r~refusé~s~ votre facture", "error", 10000) if Emitter then - TriggerClientEvent("hud:client:DrawNotification", Emitter.PlayerData.source, ("Votre facture ~b~%s~s~ a été ~r~refusée"):format(invoice.label)) + TriggerClientEvent("soz-core:client:notification:draw", Emitter.PlayerData.source, + ("Votre facture ~b~%s~s~ a été ~r~refusée"):format(invoice.label)) end - TriggerEvent("monitor:server:event", "invoice_refuse", { + exports["soz-core"]:Event("invoice_refuse", { player_source = Player.PlayerData.source, invoice_kind = "invoice", invoice_job = "", @@ -144,17 +193,17 @@ local function RejectInvoice(PlayerData, account, id) title = invoice.label, }) else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous avez ~r~refusé~s~ la facture de la société", "error") + TriggerClientEvent("soz-core:client:notification:draw", PlayerData.source, "Vous avez ~r~refusé~s~ la facture de la société", "error", 10000) if Emitter then - TriggerClientEvent("hud:client:DrawNotification", Emitter.PlayerData.source, ("Votre facture ~b~%s~s~ a été ~r~refusée"):format(invoice.label)) + TriggerClientEvent("soz-core:client:notification:draw", Emitter.PlayerData.source, + ("Votre facture ~b~%s~s~ a été ~r~refusée"):format(invoice.label)) end - TriggerEvent("monitor:server:event", "invoice_refuse", - { - player_source = Player.PlayerData.source, + exports["soz-core"]:Event("invoice_refuse", { + player_source = PlayerData.source, invoice_kind = "invoice", - invoice_job = Player.PlayerData.job.id, + invoice_job = PlayerData.job.id, }, { target_source = Emitter and Emitter.PlayerData.source or nil, id = id, @@ -169,6 +218,7 @@ local function RejectInvoice(PlayerData, account, id) invoice.id, }) Invoices[account][id] = nil + TriggerClientEvent("banking:client:invoiceRejected", PlayerData.source, id) return true end @@ -177,7 +227,7 @@ local function CreateInvoice(Emitter, Target, account, targetAccount, label, amo local dist = #(GetEntityCoords(GetPlayerPed(Emitter.PlayerData.source)) - GetEntityCoords(GetPlayerPed(Target.PlayerData.source))) if dist > 5 then - TriggerClientEvent("hud:client:DrawNotification", Emitter.PlayerData.source, "Personne n'est à portée de vous", "error") + TriggerClientEvent("soz-core:client:notification:draw", Emitter.PlayerData.source, "Personne n'est à portée de vous", "error") return false end @@ -207,9 +257,12 @@ local function CreateInvoice(Emitter, Target, account, targetAccount, label, amo targetAccount = targetAccount, label = label, amount = amount, + created_at = os.time() * 1000, } - TriggerClientEvent("banking:client:invoiceReceived", Target.PlayerData.source, id, label, amount) + if PlayerHaveAccessToInvoices(Target.PlayerData, targetAccount) then + TriggerClientEvent("banking:client:invoiceReceived", Target.PlayerData.source, id, label, amount, SozJobCore.Jobs[Emitter.PlayerData.job.id].label) + end local invoiceJob = "" @@ -217,8 +270,7 @@ local function CreateInvoice(Emitter, Target, account, targetAccount, label, amo invoiceJob = Target.PlayerData.job.id end - TriggerEvent("monitor:server:event", "invoice_emit", - { + exports["soz-core"]:Event("invoice_emit", { player_source = Emitter.PlayerData.source, invoice_kind = kind or "invoice", invoice_job = invoiceJob, @@ -255,16 +307,15 @@ MySQL.ready(function() end) end) -QBCore.Functions.CreateCallback("banking:server:getInvoices", function(source, cb) +exports("GetAllInvoicesForPlayer", function(source) local Player = QBCore.Functions.GetPlayer(source) if Player then - cb(GetAllInvoices(Player.PlayerData)) + return GetAllInvoices(Player.PlayerData) else - cb({}) + return {} end end) - RegisterNetEvent("banking:server:sendInvoice", function(target, label, amount, kind) local Player = QBCore.Functions.GetPlayer(source) local Target = QBCore.Functions.GetPlayer(target) @@ -279,10 +330,10 @@ RegisterNetEvent("banking:server:sendInvoice", function(target, label, amount, k if exports["soz-inventory"]:RemoveItem(Player.PlayerData.source, "paper", 1) then if CreateInvoice(Player, Target, Player.PlayerData.job.id, Target.PlayerData.charinfo.account, label, tonumber(amount), kind) then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Votre facture a bien été émise") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Votre facture a bien été émise") end else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas de papier", "error") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas de papier", "error") end end) @@ -300,14 +351,14 @@ RegisterNetEvent("banking:server:sendSocietyInvoice", function(target, label, am if exports["soz-inventory"]:RemoveItem(Player.PlayerData.source, "paper", 1) then if CreateInvoice(Player, Target, Player.PlayerData.job.id, Target.PlayerData.job.id, label, tonumber(amount), kind) then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Votre facture a bien été émise") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Votre facture ~g~Société~s~ a bien été émise") end else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas de papier", "error") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas de papier", "error") end end) -RegisterNetEvent("banking:server:payInvoice", function(invoiceID) +function PayInvoiceFunction(source, invoiceId, marked) local Player = QBCore.Functions.GetPlayer(source) if not Player then @@ -316,18 +367,20 @@ RegisterNetEvent("banking:server:payInvoice", function(invoiceID) for account, invoices in pairs(Invoices) do for id, _ in pairs(invoices) do - if id == invoiceID then - PayInvoice(Player.PlayerData, account, invoiceID) - + if id == invoiceId then + PayInvoice(Player.PlayerData, account, invoiceId, marked) return end end end - - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas de facture à payer", "info") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas de facture à payer", "info") +end +RegisterNetEvent("banking:server:payInvoice", function(invoiceId) + PayInvoiceFunction(source, invoiceId) end) +exports("PayInvoice", PayInvoiceFunction) -RegisterNetEvent("banking:server:rejectInvoice", function(invoiceID) +function RejectInvoiceFunction(source, invoiceId) local Player = QBCore.Functions.GetPlayer(source) if not Player then @@ -336,13 +389,16 @@ RegisterNetEvent("banking:server:rejectInvoice", function(invoiceID) for account, invoices in pairs(Invoices) do for id, _ in pairs(invoices) do - if id == invoiceID then - RejectInvoice(Player.PlayerData, account, invoiceID) - + if id == invoiceId then + RejectInvoice(Player.PlayerData, account, invoiceId) return end end end + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas de facture à payer", "info") +end +RegisterNetEvent("banking:server:rejectInvoice", function(invoiceId) + RejectInvoiceFunction(source, invoiceId) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas de facture à payer", "info") end) +exports("RejectInvoice", RejectInvoiceFunction) diff --git a/resources/[soz]/soz-bank/server/main.lua b/resources/[soz]/soz-bank/server/main.lua index d5a87e6280..ba425e0533 100644 --- a/resources/[soz]/soz-bank/server/main.lua +++ b/resources/[soz]/soz-bank/server/main.lua @@ -85,6 +85,13 @@ QBCore.Functions.CreateCallback("banking:server:TransferMoney", function(source, if amount <= CurrentMoney then if Player.Functions.RemoveMoney("money", amount) then Account.AddMoney(accountTarget, amount) + + exports["soz-core"]:Event("transfer_money", { + player_source = source, + accountSource = accountSource, + accountTarget = accountTarget, + }, {money = amount}) + cb(true) return end @@ -94,6 +101,13 @@ QBCore.Functions.CreateCallback("banking:server:TransferMoney", function(source, if amount <= AccountMoney then if Player.Functions.AddMoney("money", amount) then Account.RemoveMoney(accountSource, amount) + + exports["soz-core"]:Event("transfer_money", { + player_source = source, + accountSource = accountSource, + accountTarget = accountTarget, + }, {money = amount}) + cb(true) return end @@ -103,14 +117,18 @@ QBCore.Functions.CreateCallback("banking:server:TransferMoney", function(source, if success and sendNotificationToTarget then local Target = QBCore.Functions.GetPlayerByBankAccount(accountTarget) + local Source = QBCore.Functions.GetPlayerByBankAccount(accountSource) + if Target then - TriggerClientEvent("hud:client:DrawAdvancedNotification", Target.PlayerData.source, "Maze Banque", "Mouvement bancaire", - "Un versement vient d'être réalisé sur votre compte", "CHAR_BANK_MAZE") + TriggerClientEvent("soz-core:client:notification:draw-advanced", Target.PlayerData.source, "Maze Banque", "Mouvement bancaire", + "Un virement de ~g~" .. amount .. "$~s~ de ~g~" .. Source.PlayerData.charinfo.firstname .. " " .. + Source.PlayerData.charinfo.lastname .. "~s~ vient d'être versé sur votre compte", "CHAR_BANK_MAZE") end end cb(success, reason) end) + return end cb(false, "unknown") @@ -134,14 +152,20 @@ RegisterNetEvent("banking:server:SafeStorageDeposit", function(money_type, safeS if Player.Functions.RemoveMoney(money_type, amount) then local added = Account.AddMoney(safeStorage, amount, money_type) if added ~= false then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, ("Vous avez déposé ~g~$%s"):format(amount)) + exports["soz-core"]:Event("safe_deposit", { + player_source = source, + safeStorage = safeStorage, + money_type = money_type, + }, {money = amount}) + + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, ("Vous avez déposé ~g~$%s"):format(amount)) else Player.Functions.AddMoney(money_type, amount) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Le coffre n'a plus de place", "error") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Le coffre n'a plus de place", "error") end end else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") end end end) @@ -159,10 +183,17 @@ RegisterNetEvent("banking:server:SafeStorageWithdraw", function(money_type, safe if amount <= CurrentMoney then if Player.Functions.AddMoney(money_type, amount) then Account.RemoveMoney(safeStorage, amount, money_type) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, ("Vous avez retiré ~g~$%s"):format(amount)) + + exports["soz-core"]:Event("safe_withdraw", { + player_source = source, + safeStorage = safeStorage, + money_type = money_type, + }, {money = amount}) + + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, ("Vous avez retiré ~g~$%s"):format(amount)) end else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") end end end) @@ -184,7 +215,7 @@ exports("TransferCashMoney", function(source, target, amount, cb) cb(false, "could_not_add_money") end else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") cb(false, "insufficient_funds") end end) diff --git a/resources/[soz]/soz-bank/server/paycheck.lua b/resources/[soz]/soz-bank/server/paycheck.lua index ca312ab675..673a2b86ea 100644 --- a/resources/[soz]/soz-bank/server/paycheck.lua +++ b/resources/[soz]/soz-bank/server/paycheck.lua @@ -1,6 +1,7 @@ -function NotifyPaycheck(playerID) - TriggerClientEvent("hud:client:DrawAdvancedNotification", playerID, "Maze Banque", "Mouvement bancaire", - "Un versement vient d'être réalisé sur votre compte", "CHAR_BANK_MAZE") +function NotifyPaycheck(playerID, isOnDuty, amount) + TriggerClientEvent("soz-core:client:notification:draw-advanced", playerID, "Maze Banque", "Mouvement bancaire", "Votre salaire ~g~" .. + (isOnDuty and "en service" or "hors-service") .. "~s~ de ~g~" .. amount .. "$~s~ vient d'être versé sur votre compte", + "CHAR_BANK_MAZE") end function PaycheckLoop() @@ -14,21 +15,21 @@ function PaycheckLoop() if Player.PlayerData.metadata["injail"] == 0 and Player.PlayerData.job and payment > 0 then if Player.PlayerData.job.id == SozJobCore.JobType.Unemployed then Account.AddMoney(Player.PlayerData.charinfo.account, payment) - NotifyPaycheck(Player.PlayerData.source) + NotifyPaycheck(Player.PlayerData.source, Player.PlayerData.job.onduty, payment) - TriggerEvent("monitor:server:event", "paycheck", {player_source = Player.PlayerData.source}, { + exports["soz-core"]:Event("paycheck", {player_source = Player.PlayerData.source}, { amount = tonumber(payment), }) else if not Player.PlayerData.job.onduty then - payment = math.ceil(payment / 2) + payment = math.ceil(payment * 30 / 100) end Account.TransfertMoney(Player.PlayerData.job.id, Player.PlayerData.charinfo.account, payment, function(success, reason) if success then - NotifyPaycheck(Player.PlayerData.source) + NotifyPaycheck(Player.PlayerData.source, Player.PlayerData.job.onduty, payment) - TriggerEvent("monitor:server:event", "paycheck", {player_source = Player.PlayerData.source}, { + exports["soz-core"]:Event("paycheck", {player_source = Player.PlayerData.source}, { amount = tonumber(payment), }) else diff --git a/resources/[soz]/soz-bank/server/taxes.lua b/resources/[soz]/soz-bank/server/taxes.lua index 23972ecb94..b1ac09bb9e 100644 --- a/resources/[soz]/soz-bank/server/taxes.lua +++ b/resources/[soz]/soz-bank/server/taxes.lua @@ -15,41 +15,36 @@ function societyTaxCalculation(society, accounts) societyMoney = societyMoney + Account.GetMoney(account, "money") end - if societyMoney <= 1000000 then - return societyTaxPayment(society, 0, 0) - end + local percent = 0 - if societyMoney > 1000000 and societyMoney <= 3000000 then - societyTax = math.ceil(societyMoney * 0.02) - return societyTaxPayment(society, 2, societyTax) - end - - if societyMoney > 3000000 and societyMoney <= 5000000 then - societyTax = math.ceil(societyMoney * 0.04) - return societyTaxPayment(society, 4, societyTax) - end - - if societyMoney > 5000000 and societyMoney <= 6000000 then - societyTax = math.ceil(societyMoney * 0.08) - return societyTaxPayment(society, 8, societyTax) - end - - societyTax = math.ceil(societyMoney * 0.10) - return societyTaxPayment(society, 10, societyTax) + if societyMoney <= 1000000 then + percent = 0 + elseif societyMoney <= 2000000 then + percent = 4 + elseif societyMoney <= 4000000 then + percent = 8 + elseif societyMoney <= 6000000 then + percent = 12 + else + percent = 16 + end + + societyTax = math.ceil(societyMoney * percent / 100) + return societyTaxPayment(society, percent, societyTax) end function societyTaxPayment(society, percentage, tax) - exports["soz-monitor"]:Log("INFO", "Society " .. society .. " paid " .. tax .. "$ tax. Percentage: " .. percentage .. "%") + exports["soz-core"]:Log("INFO", "Society " .. society .. " paid " .. tax .. "$ tax. Percentage: " .. percentage .. "%") for account, repartition in pairs(Config.SocietyTaxes.taxRepartition) do local money = math.ceil(tax * repartition / 100) Account.TransfertMoney(society, account, money, function(success, reason) if success then - exports["soz-monitor"]:Log("INFO", "Public society " .. account .. " receive " .. money .. "$ tax. Percentage: " .. repartition .. "%") + exports["soz-core"]:Log("INFO", "Public society " .. account .. " receive " .. money .. "$ tax. Percentage: " .. repartition .. "%") else - exports["soz-monitor"]:Log("ERROR", "Public society " .. account .. " can't receive " .. money .. "$ tax. Percentage: " .. repartition .. "%" .. - " | Reason: " .. reason) + exports["soz-core"]:Log("ERROR", "Public society " .. account .. " can't receive " .. money .. "$ tax. Percentage: " .. repartition .. "%" .. + " | Reason: " .. reason) end end) end diff --git a/resources/[soz]/soz-hud/themes/bootstrap.min.css b/resources/[soz]/soz-bank/ui/bootstrap.min.css similarity index 100% rename from resources/[soz]/soz-hud/themes/bootstrap.min.css rename to resources/[soz]/soz-bank/ui/bootstrap.min.css diff --git a/resources/[soz]/soz-bank/ui/index.html b/resources/[soz]/soz-bank/ui/index.html index 78e29e4ea2..824c2fed7f 100644 --- a/resources/[soz]/soz-bank/ui/index.html +++ b/resources/[soz]/soz-bank/ui/index.html @@ -4,8 +4,8 @@ - - + + @@ -97,7 +97,7 @@
Actions rapides
-
+
diff --git a/resources/[soz]/soz-bank/ui/qb-banking.js b/resources/[soz]/soz-bank/ui/qb-banking.js index 5fa5caafd9..0911f8f31d 100644 --- a/resources/[soz]/soz-bank/ui/qb-banking.js +++ b/resources/[soz]/soz-bank/ui/qb-banking.js @@ -50,8 +50,12 @@ window.addEventListener("message", function (event) { if (event.data.isATM) { $("#bankingTransfer-tab").css({"display":"none"}); + $("#bankingDeposit-tab").css({"display":"none"}); + $("#bankingDeposit-buttons").css({"display":"none"}); } else { $("#bankingTransfer-tab").css({"display":"block"}); + $("#bankingDeposit-tab").css({"display":"block"}); + $("#bankingDeposit-buttons").css({"display":"flex"}); } isATM = event.data.isATM; atmType = event.data.atmType; diff --git a/resources/[soz]/soz-bank/ui/soz.css b/resources/[soz]/soz-bank/ui/soz.css new file mode 100644 index 0000000000..ccc98453a7 --- /dev/null +++ b/resources/[soz]/soz-bank/ui/soz.css @@ -0,0 +1,5 @@ +@import url('https://fonts.googleapis.com/css2?family=Inter&display=swap'); + +* { + font-family: 'Inter', sans-serif; +} diff --git a/resources/[soz]/soz-character/client/loading/create.lua b/resources/[soz]/soz-character/client/loading/create.lua index dd58707f16..dd6cd84980 100644 --- a/resources/[soz]/soz-character/client/loading/create.lua +++ b/resources/[soz]/soz-character/client/loading/create.lua @@ -74,7 +74,6 @@ function CharacterCreate(SpawnId, charInfo, character) SetEntityVisible(PlayerPedId(), true) SetNuiFocus(false, false) - TriggerServerEvent("QBCore:Server:OnPlayerLoaded") TriggerEvent("QBCore:Client:OnPlayerLoaded") ApplyPlayerBodySkin(PlayerId(), character.Skin) diff --git a/resources/[soz]/soz-character/client/loading/logging.lua b/resources/[soz]/soz-character/client/loading/logging.lua index ade7c9a6e5..b721d03d9d 100644 --- a/resources/[soz]/soz-character/client/loading/logging.lua +++ b/resources/[soz]/soz-character/client/loading/logging.lua @@ -78,6 +78,5 @@ function LogExistingPlayer(player, shutdownLoadingScreen) end -- Display ui and trigger last events - TriggerServerEvent("QBCore:Server:OnPlayerLoaded") TriggerEvent("QBCore:Client:OnPlayerLoaded") end diff --git a/resources/[soz]/soz-character/client/main.lua b/resources/[soz]/soz-character/client/main.lua index 305502ecbc..39774d30f6 100644 --- a/resources/[soz]/soz-character/client/main.lua +++ b/resources/[soz]/soz-character/client/main.lua @@ -234,6 +234,8 @@ Labels = { {value = 76, label = "Chignon"}, {value = 77, label = "Deux blocs"}, {value = 78, label = "Coupe mulet"}, + {value = 79, label = "Fondu bouclé court"}, + {value = 80, label = "Frange rideau"}, }, HairFemale = { {value = 0, label = GetLabelText("CC_F_HS_0")}, @@ -254,9 +256,9 @@ Labels = { {value = 15, label = GetLabelText("CC_F_HS_15")}, {value = 16, label = GetLabelText("CC_F_HS_16")}, {value = 17, label = GetLabelText("CC_F_HS_17")}, - {value = 18, label = GetLabelText("CC_F_HS_18")}, - {value = 19, label = GetLabelText("CC_F_HS_19")}, - {value = 20, label = GetLabelText("CC_F_HS_23")}, + {value = 18, label = GetLabelText("CC_F_HS_23")}, + {value = 19, label = GetLabelText("CC_F_HS_18")}, + {value = 20, label = GetLabelText("CC_F_HS_19")}, {value = 21, label = GetLabelText("CC_F_HS_20")}, {value = 22, label = GetLabelText("CC_F_HS_21")}, {value = 23, label = GetLabelText("CC_F_HS_22")}, @@ -281,11 +283,15 @@ Labels = { {value = 80, label = "Garçonne bouclée"}, {value = 81, label = "Frange"}, {value = 82, label = "Coupe mulet"}, - -- {value = 83, label = "Queue de cheval"}, - -- {value = 84, label = "Princesse"}, - -- {value = 85, label = "Givré"}, - -- {value = 86, label = "Long"}, - -- {value = 87, label = "Queue de cheval tressée"}, + {value = 83, label = "Coupe césar"}, + {value = 84, label = "Baby Braids"}, + {value = 85, label = "Couronne de tresses"}, + {value = 86, label = "Tresses longues"}, + {value = 87, label = "Triple chignon"}, + {value = 88, label = "Coupe au carré"}, + {value = 89, label = "Double chignon"}, + {value = 90, label = "Queue de cheval"}, + {value = 91, label = "Tresses doubles mi-long"}, }, BeardMale = { {value = -1, label = GetLabelText("BERD_P0_0_0")}, @@ -301,13 +307,13 @@ Labels = { {value = 9, label = GetLabelText("BERD_P2_2_0")}, {value = 10, label = GetLabelText("BERD_P2_3_0")}, {value = 11, label = GetLabelText("BERD_P2_4_0")}, - {value = 12, label = GetLabelText("HAIR_BEARD12")}, - {value = 13, label = GetLabelText("HAIR_BEARD13")}, - {value = 14, label = GetLabelText("HAIR_BEARD14")}, - {value = 15, label = GetLabelText("HAIR_BEARD15")}, - {value = 16, label = GetLabelText("HAIR_BEARD16")}, - {value = 17, label = GetLabelText("HAIR_BEARD17")}, - {value = 18, label = GetLabelText("HAIR_BEARD18")}, + {value = 12, label = "Contour taillé"}, + {value = 13, label = "Taillé très court"}, + {value = 14, label = "Propre et carré"}, + {value = 15, label = "Moustache mince"}, + {value = 16, label = "Moustache naissante"}, + {value = 17, label = "Rouflaquettes taillées"}, + {value = 18, label = "Barbe épaisse"}, {value = 19, label = GetLabelText("BRD_HP_0")}, {value = 20, label = GetLabelText("BRD_HP_1")}, {value = 21, label = GetLabelText("BRD_HP_2")}, @@ -1271,6 +1277,103 @@ CreateClothShopConfigNorth = { }, } +MaskResetFace = { + [GetHashKey("mp_m_freemode_01")] = { + [28] = true, + [35] = true, + [37] = true, + [47] = true, + [48] = true, + [51] = true, + [52] = true, + [53] = true, + [55] = true, + [56] = true, + [57] = true, + [58] = true, + [77] = true, + [78] = true, + [85] = true, + [89] = true, + [102] = true, + [104] = true, + [106] = true, + [111] = true, + [113] = true, + [117] = true, + [122] = true, + [123] = true, + [126] = true, + [130] = true, + [132] = true, + [134] = true, + [141] = true, + [142] = true, + [146] = true, + [153] = true, + [154] = true, + [155] = true, + [169] = true, + [170] = true, + [174] = true, + [178] = true, + [180] = true, + [185] = true, + [187] = true, + [189] = true, + [194] = true, + [211] = true, + [212] = true, + }, + [GetHashKey("mp_f_freemode_01")] = { + [28] = true, + [35] = true, + [37] = true, + [47] = true, + [48] = true, + [51] = true, + [52] = true, + [53] = true, + [55] = true, + [56] = true, + [57] = true, + [58] = true, + [77] = true, + [78] = true, + [85] = true, + [89] = true, + [102] = true, + [104] = true, + [106] = true, + [111] = true, + [113] = true, + [117] = true, + [122] = true, + [123] = true, + [126] = true, + [130] = true, + [132] = true, + [134] = true, + [141] = true, + [142] = true, + [146] = true, + [153] = true, + [154] = true, + [155] = true, + [169] = true, + [170] = true, + [174] = true, + [178] = true, + [180] = true, + [185] = true, + [187] = true, + [189] = true, + [195] = true, + [212] = true, + [213] = true, + }, +} + Citizen.CreateThread(function() local numHairColors = GetNumHairColors(); local numMakeupColors = GetNumMakeupColors(); diff --git a/resources/[soz]/soz-character/client/skin/apply.lua b/resources/[soz]/soz-character/client/skin/apply.lua index 3113828012..af678698d7 100644 --- a/resources/[soz]/soz-character/client/skin/apply.lua +++ b/resources/[soz]/soz-character/client/skin/apply.lua @@ -1,4 +1,9 @@ PlayerData = QBCore.Functions.GetPlayerData() +local mask = 0 + +----------------------------------------------------- +-- All the + 0.0 are needed to convert from integer to num ber (float) as values may come from Typescript removing comma +----------------------------------------------------- local function ApplyPlayerModelHash(playerId, hash) if hash == GetEntityModel(GetPlayerPed(playerId)) then @@ -18,26 +23,24 @@ local function ApplyPlayerModelHash(playerId, hash) SetPlayerModel(playerId, hash) end -local function ApplyPlayerModel(playerId, model) - ApplyPlayerModelHash(playerId, model.Hash) - - local ped = GetPlayerPed(playerId) - - SetPedHeadBlendData(ped, model.Father, model.Mother, 0, model.Father, model.Mother, 0, model.ShapeMix, model.SkinMix, 0, false); -end - local function ApplyPedHair(ped, hair) SetPedComponentVariation(ped, ComponentType.Hair, hair.HairType, 0, 0); SetPedHairColor(ped, hair.HairColor, hair.HairSecondaryColor or 0); - SetPedHeadOverlay(ped, HeadOverlayType.Eyebrows, hair.EyebrowType, hair.EyebrowOpacity or 1.0); + SetPedHeadOverlay(ped, HeadOverlayType.Eyebrows, hair.EyebrowType, (hair.EyebrowOpacity or 0) + 0.0 or 1.0); SetPedHeadOverlayColor(ped, HeadOverlayType.Eyebrows, 1, hair.EyebrowColor, 0); - SetPedHeadOverlay(ped, HeadOverlayType.FacialHair, hair.BeardType, hair.BeardOpacity or 1.0); + SetPedHeadOverlay(ped, HeadOverlayType.FacialHair, hair.BeardType, (hair.BeardOpacity or 0) + 0.0 or 1.0); SetPedHeadOverlayColor(ped, HeadOverlayType.FacialHair, 1, hair.BeardColor, 0); - SetPedHeadOverlay(ped, HeadOverlayType.ChestHair, hair.ChestHairType, hair.ChestHairOpacity or 1.0); + SetPedHeadOverlay(ped, HeadOverlayType.ChestHair, hair.ChestHairType, (hair.ChestHairOpacity or 0) + 0.0 or 1.0); SetPedHeadOverlayColor(ped, HeadOverlayType.ChestHair, 1, hair.ChestHairColor, 0); end -local function ApplyPedFaceTrait(ped, faceTrait) +local function ApplyPedFaceTrait(ped, faceTrait, model) + if MaskResetFace[GetEntityModel(ped)] and MaskResetFace[GetEntityModel(ped)][mask] then + SetPedHeadBlendData(ped, 0, 0, 0, model.Father, model.Mother, 0, (model.ShapeMix or 0) + 0.0, (model.SkinMix or 0) + 0.0, 0, false); + else + SetPedHeadBlendData(ped, model.Father, model.Mother, 0, model.Father, model.Mother, 0, (model.ShapeMix or 0) + 0.0, (model.SkinMix or 0) + 0.0, 0, false); + end + SetPedEyeColor(ped, faceTrait.EyeColor); SetPedHeadOverlay(ped, HeadOverlayType.Blemishes, faceTrait.Blemish, 1.0); SetPedHeadOverlay(ped, HeadOverlayType.Ageing, faceTrait.Ageing, 1.0); @@ -45,34 +48,58 @@ local function ApplyPedFaceTrait(ped, faceTrait) SetPedHeadOverlay(ped, HeadOverlayType.Moles, faceTrait.Moles, 1.0); SetPedHeadOverlay(ped, HeadOverlayType.BodyBlemishes, faceTrait.BodyBlemish, 1.0); SetPedHeadOverlay(ped, HeadOverlayType.AddBodyBlemishes, faceTrait.AddBodyBlemish, 1.0); - SetPedFaceFeature(ped, FaceFeatureType.CheeksBoneHigh, faceTrait.CheeksBoneHigh); - SetPedFaceFeature(ped, FaceFeatureType.CheeksBoneWidth, faceTrait.CheeksBoneWidth); - SetPedFaceFeature(ped, FaceFeatureType.CheeksWidth, faceTrait.CheeksWidth); - SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneLength, faceTrait.ChimpBoneLength); - SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneLowering, faceTrait.ChimpBoneLower); - SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneWidth, faceTrait.ChimpBoneWidth); - SetPedFaceFeature(ped, FaceFeatureType.ChimpHole, faceTrait.ChimpHole); - SetPedFaceFeature(ped, FaceFeatureType.EyebrowForward, faceTrait.EyebrowForward); - SetPedFaceFeature(ped, FaceFeatureType.EyebrowHigh, faceTrait.EyebrowHigh); - SetPedFaceFeature(ped, FaceFeatureType.EyesOpening, faceTrait.EyesOpening); - SetPedFaceFeature(ped, FaceFeatureType.JawBoneBackLength, faceTrait.JawBoneBackLength); - SetPedFaceFeature(ped, FaceFeatureType.JawBoneWidth, faceTrait.JawBoneWidth); - SetPedFaceFeature(ped, FaceFeatureType.LipsThickness, faceTrait.LipsThickness); - SetPedFaceFeature(ped, FaceFeatureType.NeckThickness, faceTrait.NeckThickness); - SetPedFaceFeature(ped, FaceFeatureType.NoseBoneHigh, faceTrait.NoseBoneHigh); - SetPedFaceFeature(ped, FaceFeatureType.NoseBoneTwist, faceTrait.NoseBoneTwist); - SetPedFaceFeature(ped, FaceFeatureType.NosePeakLength, faceTrait.NosePeakLength); - SetPedFaceFeature(ped, FaceFeatureType.NosePeakLowering, faceTrait.NosePeakLower); - SetPedFaceFeature(ped, FaceFeatureType.NosePeakHeight, faceTrait.NosePeakHeight); - SetPedFaceFeature(ped, FaceFeatureType.NoseWidth, faceTrait.NoseWidth); + + SetPedFaceFeature(ped, FaceFeatureType.EyesOpening, (faceTrait.EyesOpening or 0) + 0.0); + + if MaskResetFace[GetEntityModel(ped)] and MaskResetFace[GetEntityModel(ped)][mask] then + SetPedFaceFeature(ped, FaceFeatureType.EyebrowHigh, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.EyebrowForward, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.CheeksBoneHigh, -1.0); + SetPedFaceFeature(ped, FaceFeatureType.CheeksBoneWidth, -1.0); + SetPedFaceFeature(ped, FaceFeatureType.CheeksWidth, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneLength, -1.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneLowering, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneWidth, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpHole, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.JawBoneBackLength, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.JawBoneWidth, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.LipsThickness, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NeckThickness, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NoseBoneHigh, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NoseBoneTwist, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NosePeakLength, 1.0); + SetPedFaceFeature(ped, FaceFeatureType.NosePeakLowering, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NosePeakHeight, 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NoseWidth, 0.0); + else + SetPedFaceFeature(ped, FaceFeatureType.EyebrowHigh, (faceTrait.EyebrowHigh or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.EyebrowForward, (faceTrait.EyebrowForward or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.CheeksBoneHigh, (faceTrait.CheeksBoneHigh or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.CheeksBoneWidth, (faceTrait.CheeksBoneWidth or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.CheeksWidth, (faceTrait.CheeksWidth or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneLength, (faceTrait.ChimpBoneLength or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneLowering, (faceTrait.ChimpBoneLower or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpBoneWidth, (faceTrait.ChimpBoneWidth or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.ChimpHole, (faceTrait.ChimpHole or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.JawBoneBackLength, (faceTrait.JawBoneBackLength or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.JawBoneWidth, (faceTrait.JawBoneWidth or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.LipsThickness, (faceTrait.LipsThickness or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NeckThickness, (faceTrait.NeckThickness or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NoseBoneHigh, (faceTrait.NoseBoneHigh or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NoseBoneTwist, (faceTrait.NoseBoneTwist or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NosePeakLength, (faceTrait.NosePeakLength or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NosePeakLowering, (faceTrait.NosePeakLower or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NosePeakHeight, (faceTrait.NosePeakHeight or 0) + 0.0); + SetPedFaceFeature(ped, FaceFeatureType.NoseWidth, (faceTrait.NoseWidth or 0) + 0.0); + end end local function ApplyPedMakeup(ped, makeup) - SetPedHeadOverlay(ped, HeadOverlayType.Lipstick, makeup.LipstickType, makeup.LipstickOpacity or 1.0); + SetPedHeadOverlay(ped, HeadOverlayType.Lipstick, makeup.LipstickType, (makeup.LipstickOpacity or 0) + 0.0 or 1.0); SetPedHeadOverlayColor(ped, HeadOverlayType.Lipstick, 2, makeup.LipstickColor, 0); - SetPedHeadOverlay(ped, HeadOverlayType.Blush, makeup.BlushType, makeup.BlushOpacity or 1.0); + SetPedHeadOverlay(ped, HeadOverlayType.Blush, makeup.BlushType, (makeup.BlushOpacity or 0) + 0.0 or 1.0); SetPedHeadOverlayColor(ped, HeadOverlayType.Blush, 2, makeup.BlushColor, 0); - SetPedHeadOverlay(ped, HeadOverlayType.Makeup, makeup.FullMakeupType, makeup.FullMakeupOpacity or 1.0); + SetPedHeadOverlay(ped, HeadOverlayType.Makeup, makeup.FullMakeupType, (makeup.FullMakeupOpacity or 0) + 0.0 or 1.0); if makeup.FullMakeupDefaultColor then SetPedHeadOverlayColor(ped, HeadOverlayType.Makeup, 0, 0, 0); @@ -118,6 +145,10 @@ function MergeClothSet(base, override) base.Props[tostring(propId)] = Clone(prop) end + if override.GlovesID ~= nil then + base.GlovesID = override.GlovesID + end + return base end @@ -140,14 +171,14 @@ local function ApplyPedClothSet(ped, clothSet) end function ApplyPlayerBodySkin(playerId, bodySkin) - ApplyPlayerModel(playerId, bodySkin.Model) + ApplyPlayerModelHash(playerId, bodySkin.Model.Hash) -- Get ped id after changing model, as changing the model create a new ped instead of editing the existing one local ped = GetPlayerPed(playerId) ClearPedDecorations(ped) + ApplyPedFaceTrait(ped, bodySkin.FaceTrait, bodySkin.Model) ApplyPedHair(ped, bodySkin.Hair) - ApplyPedFaceTrait(ped, bodySkin.FaceTrait) ApplyPedMakeup(ped, bodySkin.Makeup) ApplyPedTattoos(ped, bodySkin.Tattoos or {}) ApplyPedProps(ped, bodySkin) @@ -221,6 +252,11 @@ function ClothConfigComputeToClothSet(clothConfig) end clothSet.Components[tostring(ComponentType.Hair)] = {Drawable = hair, Texture = 0, Palette = 0} + + if maskDrawable ~= mask then + mask = maskDrawable + ApplyPedFaceTrait(PlayerPedId(), PlayerData.skin.FaceTrait, PlayerData.skin.Model) + end end if clothConfig.Config.HideGlasses then @@ -290,6 +326,18 @@ function ClothConfigComputeToClothSet(clothConfig) clothSet = MergeClothSet(clothSet, override) end + if not clothConfig.Config.HideGloves and clothSet.GlovesID ~= nil then + local gloves = exports["soz-core"]:GetGloves(clothSet.GlovesID) + local currentTorsoDrawable = clothSet.Components["3"].Drawable + + if gloves ~= nil then + local glovesDrawable = gloves.correspondingDrawables[tostring(currentTorsoDrawable)] + if glovesDrawable ~= nil then + clothSet.Components["3"] = {Drawable = glovesDrawable, Texture = gloves.texture, Palette = 0} + end + end + end + return clothSet end diff --git a/resources/[soz]/soz-character/client/skin/create/create.lua b/resources/[soz]/soz-character/client/skin/create/create.lua index ecc2d14bb3..7832d05ea9 100644 --- a/resources/[soz]/soz-character/client/skin/create/create.lua +++ b/resources/[soz]/soz-character/client/skin/create/create.lua @@ -77,7 +77,7 @@ function CreateCharacterWizard(spawnId, character) character = OpenCreateCharacterMenu(character.Skin, character.ClothConfig, spawnId); Camera.Deactivate() - local confirmWord = exports["soz-hud"]:Input("Entrer 'OUI' pour confirmer le skin de ce personnage", 32) or "" + local confirmWord = exports["soz-core"]:Input("Entrer 'OUI' pour confirmer le skin de ce personnage", 32) or "" if confirmWord:lower() == "oui" then confirm = true @@ -103,7 +103,7 @@ RegisterNetEvent("soz-character:client:RequestCharacterWizard", function() character = OpenCreateCharacterMenu(character.Skin, character.ClothConfig, "spawn2"); Camera.Deactivate() - local confirmWord = exports["soz-hud"]:Input("Entrer 'OUI' pour confirmer le skin de ce personnage", 32) or "" + local confirmWord = exports["soz-core"]:Input("Entrer 'OUI' pour confirmer le skin de ce personnage", 32) or "" if confirmWord:lower() == "oui" then confirm = true @@ -111,5 +111,5 @@ RegisterNetEvent("soz-character:client:RequestCharacterWizard", function() end TriggerServerEvent("soz-character:server:set-skin", character.Skin, character.ClothConfig) - exports["soz-hud"]:DrawNotification("Votre chirurgie s'est bien passée !") + exports["soz-core"]:DrawNotification("Votre chirurgie s'est bien passée !") end) diff --git a/resources/[soz]/soz-character/client/skin/menu/menu_body.lua b/resources/[soz]/soz-character/client/skin/menu/menu_body.lua index 752c614fd3..aaa4f76d91 100644 --- a/resources/[soz]/soz-character/client/skin/menu/menu_body.lua +++ b/resources/[soz]/soz-character/client/skin/menu/menu_body.lua @@ -6,7 +6,7 @@ local function CreateBodyMenuItems(bodyMenu, playerId, skin) skin.FaceTrait.Ageing = value ApplyPlayerBodySkin(playerId, skin) end) - CreateSliderList(bodyMenu, "Taches sur le visage", skin.FaceTrait.Blemish, Labels.Blemish, function(value) + CreateSliderList(bodyMenu, "Tâches sur le visage", skin.FaceTrait.Blemish, Labels.Blemish, function(value) skin.FaceTrait.Blemish = value ApplyPlayerBodySkin(playerId, skin) end) @@ -20,20 +20,36 @@ local function CreateBodyMenuItems(bodyMenu, playerId, skin) end) -- Front - bodyMenu:AddTitle({label = "Front"}) + bodyMenu:AddTitle({label = "Menton"}) - CreateRangeSizeItem(bodyMenu, "Largeur du front", skin.FaceTrait.ChimpBoneWidth, function(value) + CreateRangeSizeItem(bodyMenu, "Largeur du menton", skin.FaceTrait.ChimpBoneWidth or 0.0, function(value) skin.FaceTrait.ChimpBoneWidth = value ApplyPlayerBodySkin(playerId, skin) end) - CreateRangeSizeItem(bodyMenu, "Taille du front", skin.FaceTrait.ChimpBoneLength, function(value) + CreateRangeSizeItem(bodyMenu, "Taille du menton", skin.FaceTrait.ChimpBoneLength or 0.0, function(value) skin.FaceTrait.ChimpBoneLength = value ApplyPlayerBodySkin(playerId, skin) end) - CreateRangeSizeItem(bodyMenu, "Bas du front", skin.FaceTrait.ChimpBoneLower, function(value) + CreateRangeSizeItem(bodyMenu, "Bas du menton", skin.FaceTrait.ChimpBoneLower or 0.0, function(value) skin.FaceTrait.ChimpBoneLower = value ApplyPlayerBodySkin(playerId, skin) end) + CreateRangeSizeItem(bodyMenu, "Trou du menton", skin.FaceTrait.ChimpHole or 0.0, function(value) + skin.FaceTrait.ChimpHole = value + ApplyPlayerBodySkin(playerId, skin) + end) + + -- Front + bodyMenu:AddTitle({label = "Front"}) + + CreateRangeSizeItem(bodyMenu, "Hauteur du Front", skin.FaceTrait.EyebrowHigh or 0.0, function(value) + skin.FaceTrait.EyebrowHigh = value + ApplyPlayerBodySkin(playerId, skin) + end) + CreateRangeSizeItem(bodyMenu, "Taille du Front", skin.FaceTrait.EyebrowForward or 0.0, function(value) + skin.FaceTrait.EyebrowForward = value + ApplyPlayerBodySkin(playerId, skin) + end) -- Sourcils bodyMenu:AddTitle({label = "Yeux"}) @@ -102,12 +118,12 @@ local function CreateBodyMenuItems(bodyMenu, playerId, skin) end) -- Machoire - bodyMenu:AddTitle({label = "Machoire"}) - CreateRangeSizeItem(bodyMenu, "Largeur de la machoire", skin.FaceTrait.JawBoneWidth, function(value) + bodyMenu:AddTitle({label = "Mâchoire"}) + CreateRangeSizeItem(bodyMenu, "Largeur de la mâchoire", skin.FaceTrait.JawBoneWidth, function(value) skin.FaceTrait.JawBoneWidth = value ApplyPlayerBodySkin(playerId, skin) end) - CreateRangeSizeItem(bodyMenu, "Avancement de la machoire", skin.FaceTrait.JawBoneBackLength, function(value) + CreateRangeSizeItem(bodyMenu, "Avancement de la mâchoire", skin.FaceTrait.JawBoneBackLength, function(value) skin.FaceTrait.JawBoneBackLength = value ApplyPlayerBodySkin(playerId, skin) end) @@ -123,11 +139,11 @@ local function CreateBodyMenuItems(bodyMenu, playerId, skin) -- Corps bodyMenu:AddTitle({label = "Corps"}) - CreateSliderList(bodyMenu, "Taches sur le corps", skin.FaceTrait.BodyBlemish, Labels.BodyBlemishes, function(value) + CreateSliderList(bodyMenu, "Tâches sur le corps", skin.FaceTrait.BodyBlemish, Labels.BodyBlemishes, function(value) skin.FaceTrait.BodyBlemish = value ApplyPlayerBodySkin(playerId, skin) end) - CreateSliderList(bodyMenu, "Extra taches sur le corps", skin.FaceTrait.AddBodyBlemish, Labels.AddBodyBlemishes, function(value) + CreateSliderList(bodyMenu, "Extra tâches sur le corps", skin.FaceTrait.AddBodyBlemish, Labels.AddBodyBlemishes, function(value) skin.FaceTrait.AddBodyBlemish = value ApplyPlayerBodySkin(playerId, skin) end) diff --git a/resources/[soz]/soz-character/client/skin/menu/menu_cloth.lua b/resources/[soz]/soz-character/client/skin/menu/menu_cloth.lua index 253998a472..f220e1350c 100644 --- a/resources/[soz]/soz-character/client/skin/menu/menu_cloth.lua +++ b/resources/[soz]/soz-character/client/skin/menu/menu_cloth.lua @@ -91,7 +91,7 @@ local function CreateClothMenuItems(clothMenu, playerId, shopConfig, clothConfig local configModel = shopConfig[modelHash] or nil if configModel == nil then - exports["soz-monitor"]:Log("ERROR", "Opening cloth menu with unsupported model hash: " .. modelHash) + exports["soz-core"]:Log("ERROR", "Opening cloth menu with unsupported model hash: " .. modelHash) return clothSet end diff --git a/resources/[soz]/soz-character/client/skin/sync.lua b/resources/[soz]/soz-character/client/skin/sync.lua index 9364fe0c20..80a55c395d 100644 --- a/resources/[soz]/soz-character/client/skin/sync.lua +++ b/resources/[soz]/soz-character/client/skin/sync.lua @@ -11,14 +11,10 @@ end) -- Mettre un ensemble de vetement temporaire pour le joueur (donnes non persisté, pour tester avant sauvegarde) -- Cette ensemble est mergé avec la configuration persisté RegisterNetEvent("soz-character:Client:ApplyTemporaryClothSet", function(clothSet) - if clothSet and clothSet.Props and clothSet.Props[PropType.Helmet] then - clothSet.Props[PropType.Head] = clothSet.Props[PropType.Helmet]; - end - - local baseClothSet = ClothConfigComputeToClothSet(PlayerData.cloth_config) - local applyClothSet = MergeClothSet(baseClothSet, clothSet) + local tempClothConfig = Clone(PlayerData.cloth_config) + tempClothConfig.TemporaryClothSet = clothSet - ApplyPlayerClothSet(PlayerId(), applyClothSet) + ApplyPlayerClothConfig(PlayerId(), tempClothConfig) end) -- Mettre un skin temporaire pour le joueur (donnes non persisté, pour tester avant sauvegarde @@ -29,6 +25,11 @@ end) -- Apply la configuration de vetements du joueur (données persisté) RegisterNetEvent("soz-character:Client:ApplyCurrentClothConfig", function() ApplyPlayerClothConfig(PlayerId(), PlayerData.cloth_config) + + local playerState = exports["soz-core"]:GetPlayerState() + if playerState.isWearingPatientOutfit then + exports["soz-core"]:SetPlayerState({isWearingPatientOutfit = false}) + end end) -- Apply le skin du joueur (données persisté) diff --git a/resources/[soz]/soz-character/config.lua b/resources/[soz]/soz-character/config.lua index 7eecf12815..0a42f4604e 100644 --- a/resources/[soz]/soz-character/config.lua +++ b/resources/[soz]/soz-character/config.lua @@ -38,4 +38,6 @@ Config.NewPlayerDefaultItems = { {name = "grapejuice3", quantity = 2}, {name = "grapejuice5", quantity = 2}, {name = "cardbord", quantity = 1}, + {name = "health_book", quantity = 1}, + {name = "politic_book", quantity = 1}, } diff --git a/resources/[soz]/soz-character/server/cloakroom.lua b/resources/[soz]/soz-character/server/cloakroom.lua index f264577ccd..0b9df2823f 100644 --- a/resources/[soz]/soz-character/server/cloakroom.lua +++ b/resources/[soz]/soz-character/server/cloakroom.lua @@ -52,7 +52,7 @@ QBCore.Functions.CreateCallback("soz-character:server:SavePlayerClothe", functio Player.PlayerData.metadata.inside.apartment, }) if apartment then - playerApartmentTier = apartment.tier + playerApartmentTier = apartment.tier or 0 end end local max = Config.CloakroomUpgrades[playerApartmentTier] @@ -81,7 +81,7 @@ QBCore.Functions.CreateCallback("soz-character:server:DeletePlayerClothe", funct local Player = QBCore.Functions.GetPlayer(source) if id == nil then - TriggerClientEvent("hud:client:DrawNotification", source, "Erreur d'identifiant", "error") + TriggerClientEvent("soz-core:client:notification:draw", source, "Erreur d'identifiant", "error") cb(false) end @@ -123,3 +123,25 @@ exports("TruncatePlayerCloakroomFromTier", function(citizenid, tier) end end end) +QBCore.Functions.CreateCallback("soz-character:server:RenamePlayerClothe", function(source, cb, id, newName) + local Player = QBCore.Functions.GetPlayer(source) + + if id == nil then + TriggerClientEvent("soz-core:client:notification:draw", source, "Erreur d'identifiant", "error") + cb(false) + end + + if Player then + local affectedRows = exports.oxmysql:update_async("UPDATE player_cloth_set SET name = ? WHERE id = ? AND citizenid = ?", + {newName, id, Player.PlayerData.citizenid}) + + if affectedRows then + Cloakrooms[Player.PlayerData.citizenid][id].name = newName + cb(true) + else + cb(false) + end + else + cb(false) + end +end) diff --git a/resources/[soz]/soz-character/server/create.lua b/resources/[soz]/soz-character/server/create.lua index 5f510e7ec2..404ff7dad9 100644 --- a/resources/[soz]/soz-character/server/create.lua +++ b/resources/[soz]/soz-character/server/create.lua @@ -18,10 +18,10 @@ QBCore.Functions.CreateCallback("soz-character:server:CreatePlayer", function(so if QBCore.Player.Login(source, false, player) then QBCore.Commands.Refresh(source) QBCore.Player.Save(source) - TriggerEvent("monitor:server:event", "player_login", {player_source = source}, {}) + exports["soz-core"]:Event("player_login", {player_source = source}, {}) for _, item in pairs(Config.NewPlayerDefaultItems) do - exports["soz-inventory"]:AddItem(source, item.name, item.quantity, false, false) + exports["soz-inventory"]:AddItem(source, source, item.name, item.quantity, false, false) end cb(true) diff --git a/resources/[soz]/soz-character/server/loading.lua b/resources/[soz]/soz-character/server/loading.lua index ec93c70a37..90ea524579 100644 --- a/resources/[soz]/soz-character/server/loading.lua +++ b/resources/[soz]/soz-character/server/loading.lua @@ -1,6 +1,6 @@ QBCore.Functions.CreateCallback("soz-character:server:GetDefaultPlayer", function(source, cb) local steam = QBCore.Functions.GetSozIdentifier(source) - local character = MySQL.single.await("SELECT * FROM player WHERE license = ? AND is_default = 1 ORDER BY created_at ASC LIMIT 1", { + local character = MySQL.single.await("SELECT * FROM player WHERE license = ? AND is_default = 1 ORDER BY last_updated DESC LIMIT 1", { steam, }) @@ -11,7 +11,7 @@ QBCore.Functions.CreateCallback("soz-character:server:LoginPlayer", function(sou if QBCore.Player.Login(source, player.citizenid) then QBCore.Commands.Refresh(source) - TriggerEvent("monitor:server:event", "player_login", {player_source = source}, {}) + exports["soz-core"]:Event("player_login", {player_source = source}, {}) cb(QBCore.Functions.GetPlayer(source)) else diff --git a/resources/[soz]/soz-character/server/main.lua b/resources/[soz]/soz-character/server/main.lua index 320848c63e..7ccca81732 100644 --- a/resources/[soz]/soz-character/server/main.lua +++ b/resources/[soz]/soz-character/server/main.lua @@ -32,6 +32,13 @@ RegisterNetEvent("soz-character:server:SetPlayerClothes", function(clothes) clothConfig["BaseClothSet"].Props[tostring(propId)] = prop end + if clothes.GlovesID then + clothConfig["BaseClothSet"].GlovesID = clothes.GlovesID + end + if clothes.TopID then + clothConfig["BaseClothSet"].TopID = clothes.TopID + end + clothConfig["TemporaryClothSet"] = nil Player.Functions.SetClothConfig(clothConfig, false) @@ -63,6 +70,7 @@ RegisterNetEvent("soz-character:server:SetPlayerJobClothes", function(clothes, m clothConfig.Config["ShowHelmet"] = true end end + clothConfig["JobClothSet"].GlovesID = clothes.GlovesID end if not merge then @@ -122,6 +130,8 @@ RegisterNetEvent("soz-character:server:UpdateClothConfig", function(key, value) player.Functions.SetArmour(not clothConfig.Config[key]) end - player.Functions.SetClothConfig(clothConfig, Player(source).state.isWearingPatientOutfit) + local playerState = exports["soz-core"]:GetPlayerState(source) + + player.Functions.SetClothConfig(clothConfig, playerState.isWearingPatientOutfit) end end) diff --git a/resources/[soz]/soz-character/ui/src/config/spawn.ts b/resources/[soz]/soz-character/ui/src/config/spawn.ts index 7537508c96..60bf1551d1 100644 --- a/resources/[soz]/soz-character/ui/src/config/spawn.ts +++ b/resources/[soz]/soz-character/ui/src/config/spawn.ts @@ -14,7 +14,7 @@ const SpawnList: Spawn[] = [ { identifier: 'spawn1', name: 'Los Santos', - description: 'La ville avec le plus gros réseau de livreur Zuber de tout San Andreas !', + description: 'La ville avec le plus gros réseau de livreurs Zuber de tout San Andreas !', image: SpawnLosSantos, waypoint: { left: '85vw', diff --git a/resources/[soz]/soz-core/fxmanifest.lua b/resources/[soz]/soz-core/fxmanifest.lua index 3c87808442..cc63e628d7 100644 --- a/resources/[soz]/soz-core/fxmanifest.lua +++ b/resources/[soz]/soz-core/fxmanifest.lua @@ -8,4 +8,6 @@ ui_page "public/index.html" client_script {"client.js", "build/client.js"} server_script {"server.js", "build/server.js"} -files {"public/**/*", "build/nui.js"} +files {"public/**/*", "build/nui.js", "stream/int3232302352.gfx"} + +data_file "SCALEFORM_DLC_FILE" "stream/int3232302352.gfx" diff --git a/resources/[soz]/soz-core/package.json b/resources/[soz]/soz-core/package.json index 3f8ad34e41..bed4ca4d0e 100644 --- a/resources/[soz]/soz-core/package.json +++ b/resources/[soz]/soz-core/package.json @@ -37,7 +37,7 @@ "postcss-loader": "^7.0.0", "postcss-preset-env": "^7.7.2", "prettier": "^2.7.1", - "prisma": "^4.4.0", + "prisma": "^5.0.0", "react-refresh": "^0.14.0", "sass": "^1.53.0", "sass-loader": "^13.0.2", @@ -50,10 +50,12 @@ "webpack-dev-server": "^4.9.2" }, "dependencies": { - "@citizenfx/client": "^2.0.5659-1", - "@citizenfx/server": "^2.0.5659-1", + "@citizenfx/client": "^2.0.6378-1", + "@citizenfx/server": "^2.0.6378-1", + "@egoist/router": "^1.2.3", + "@headlessui/react": "^1.7.14", "@heroicons/react": "^1.0.6", - "@prisma/client": "^4.4.0", + "@prisma/client": "^5.0.0", "@reach/descendants": "^0.17.0", "@rematch/core": "^2.2.0", "axios": "^1.2.1", @@ -63,13 +65,20 @@ "inversify": "^6.0.1", "p-cancelable": "^4.0.1", "postcss": "^8.4.14", + "prom-client": "^14.2.0", "react": "^18.2.0", "react-dom": "^18.2.0", + "react-hook-form": "^7.43.9", "react-icons": "^4.4.0", + "react-img-mapper": "^1.5.1", + "react-node-to-string": "^0.1.1", + "react-number-format": "^5.2.2", "react-redux": "^8.0.4", "react-router-dom": "^6.3.0", + "react-zoom-pan-pinch": "^3.1.0", "redux": "^4.2.0", "reflect-metadata": "^0.1.13", + "reselect": "^4.1.8", "tailwind-scrollbar": "^2.0.1", "tailwindcss": "^3.1.4", "uuid": "^8.3.2" diff --git a/resources/[soz]/soz-core/prisma/migrations/20230401141740_add_note_investigations/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230401141740_add_note_investigations/migration.sql new file mode 100644 index 0000000000..2e807ffdd0 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230401141740_add_note_investigations/migration.sql @@ -0,0 +1,2 @@ +-- AlterTable +ALTER TABLE `investigation_revision` ADD COLUMN `note` LONGTEXT NOT NULL DEFAULT ''; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230408214004_add_upw_tables/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230408214004_add_upw_tables/migration.sql new file mode 100644 index 0000000000..4b8bab2554 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230408214004_add_upw_tables/migration.sql @@ -0,0 +1,26 @@ +-- CreateTable +CREATE TABLE `upw_stations` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `station` VARCHAR(15) NOT NULL, + `stock` INTEGER NOT NULL DEFAULT 0, + `max_stock` INTEGER NOT NULL DEFAULT 600, + `price` FLOAT NULL DEFAULT 0.00, + `position` TEXT NOT NULL, + + UNIQUE INDEX `upw_stations_station_key`(`station`), + PRIMARY KEY (`id`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- CreateTable +CREATE TABLE `upw_chargers` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `station` VARCHAR(191) NOT NULL, + `position` VARCHAR(191) NOT NULL, + `active` INTEGER NOT NULL DEFAULT 0, + + INDEX `FK_upw_chargers_soz_test.upw_stations`(`station`), + PRIMARY KEY (`id`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- AddForeignKey +ALTER TABLE `upw_chargers` ADD CONSTRAINT `FK_upw_chargers_soz_test.upw_stations` FOREIGN KEY (`station`) REFERENCES `upw_stations`(`station`) ON DELETE CASCADE ON UPDATE RESTRICT; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230409111540_add_upw_chargers_stations/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230409111540_add_upw_chargers_stations/migration.sql new file mode 100644 index 0000000000..1c8bc78fd1 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230409111540_add_upw_chargers_stations/migration.sql @@ -0,0 +1,82 @@ +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station1', 0, 0, 0, '{"x":-59.10005569458,"y":-1770.4537353516,"z":27.982674026489,"w":280.87329101563}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station2', 0, 0, 0, '{"x":1200.1385498047,"y":-1382.3050537109,"z":34.224264526367,"w":4.2131214141846}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station3', 0, 0, 0, '{"x":285.82391357422,"y":-1253.1252441406,"z":28.275953674316,"w":266.88000488281}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station4', 0, 0, 0, '{"x":-542.78076171875,"y":-1215.1474609375,"z":17.207537078857,"w":119.48894500732}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station5', 0, 0, 0, '{"x":-706.35461425781,"y":-929.9853515625,"z":18.01110496521,"w":302.2639465332}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station6', 0, 0, 0, '{"x":824.1032,"y": -1045.315,"z": 26.15152,"w": 0}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station7', 0, 0, 0, '{"x":1172.8802490234,"y":-315.36276245117,"z":68.175421142578,"w":45.748611450195}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station8', 0, 0, 0, '{"x":-1413.8940429688,"y":-279.44857788086,"z":45.325628662109,"w":2.7574255466461}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station9', 0, 0, 0, '{"x":-2098.4057617188,"y":-294.35455322266,"z":12.042643928528,"w":43.441444396973}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station10', 0, 0, 0, '{"x":186.33320617676,"y":-1568.7248535156,"z":28.299904251099,"w":175.91275024414}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station11', 0, 0, 0, '{"x":633.74224853516,"y":282.69573974609,"z":102.12134399414,"w":314.05892944336}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station12', 0, 0, 0, '{"x":2579.3725585938,"y":428.65289306641,"z":107.45039978027,"w":359.98291015625}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station13', 0, 0, 0, '{"x":-1823.3598632813,"y":806.52215576172,"z":137.83309020996,"w":62.768436431885}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station14', 0, 0, 0, '{"x":-2570.7290039063,"y":2340.6179199219,"z":32.057123565674,"w":68.706680297852}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station15', 0, 0, 0, '{"x":35.466156005859,"y":2799.9348144531,"z":56.876432800293,"w":23.651044845581}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station16', 0, 0, 0, '{"x":-303.85498046875,"y":-1460.1342773438,"z":29.956951522827,"w":265.71234130859}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station17', 0, 0, 0, '{"x":1019.1950073242,"y":2665.6416015625,"z":38.597189331055,"w":118.30015563965}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station18', 0, 0, 0, '{"x":1216.0400390625,"y":2656.6857910156,"z":36.807196044922,"w":226.9584197998}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station19', 0, 0, 0, '{"x":2538.8811035156,"y":2606.84375,"z":36.93999710083,"w":185.45985412598}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station20', 0, 0, 0, '{"x":2701.4958496094,"y":3282.43359375,"z":54.259756469727,"w":309.07015991211}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station21', 0, 0, 0, '{"x":2008.9304199219,"y":3789.1862792969,"z":31.176189804077,"w":36.643783569336}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station22', 0, 0, 0, '{"x":1676.8703613281,"y":4922.5014648438,"z":41.053354644775,"w":152.62828063965}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station23', 0, 0, 0, '{"x":1722.916015625,"y":6429.392578125,"z":32.451074981689,"w":319.21453857422}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station24', 0, 0, 0, '{"x":160.06637573242,"y":6597.697265625,"z":30.843479537964,"w":120.57132720947}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station25', 0, 0, 0, '{"x":-101.08988952637,"y":6399.5673828125,"z":30.449697875977,"w":166.92823791504}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station26', 0, 0, 0, '{"x":1772.2685546875,"y":3337.7294921875,"z":40.308111572266,"w":74.163558959961}'); +INSERT INTO `upw_stations` (`station`, `stock`, `max_stock`, `price`, `position`) VALUES ('station27', 0, 0, 0, '{"x":914.12469482422,"y":3594.6682128906,"z":32.043154144287,"w":184.65983581543}'); + +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station2', '{"x":1202.2249755859376,"y":-1382.3548583984376,"z":34.10693740844726,"w":0.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station2', '{"x":1198.09033203125,"y":-1382.328857421875,"z":34.10693740844726,"w":0.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station25', '{"x":-96.66477966308594,"y":6393.4345703125,"z":30.35218620300293,"w":135.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station25', '{"x":-102.26705169677735,"y":6398.8740234375,"z":30.31324195861816,"w":-224.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station24', '{"x":155.83689880371095,"y":6597.630859375,"z":30.73514747619629,"w":-178.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station24', '{"x":150.91758728027345,"y":6603.0009765625,"z":30.75458145141601,"w":-180.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station23', '{"x":1722.347412109375,"y":6421.30810546875,"z":32.65626525878906,"w":-116.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station23', '{"x":1719.3548583984376,"y":6415.43212890625,"z":32.46294784545898,"w":-116.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station22', '{"x":1678.6861572265626,"y":4922.14794921875,"z":40.94742965698242,"w":-219.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station22', '{"x":1682.16162109375,"y":4919.2490234375,"z":40.95817184448242,"w":-220.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station27', '{"x":910.7326049804688,"y":3613.3486328125,"z":31.81672286987304,"w":89.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station27', '{"x":910.7926635742188,"y":3606.904541015625,"z":31.81637954711914,"w":90.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station21', '{"x":1995.0052490234376,"y":3761.021484375,"z":31.06077003479004,"w":-150.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station21', '{"x":1990.23681640625,"y":3758.265625,"z":31.06010246276855,"w":-150.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station14', '{"x":-2571.769287109375,"y":2339.705078125,"z":31.94007110595703,"w":62.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station14', '{"x":-2574.4755859375,"y":2334.1689453125,"z":31.94006729125976,"w":63.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station15', '{"x":34.06769561767578,"y":2791.523193359375,"z":56.76878356933594,"w":52.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station15', '{"x":30.1732120513916,"y":2786.697998046875,"z":56.7687873840332,"w":50.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station17', '{"x":1067.16455078125,"y":2671.016357421875,"z":38.42112350463867,"w":-92.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station17', '{"x":1067.19873046875,"y":2667.2861328125,"z":38.43112182617187,"w":-90.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station18', '{"x":1216.2091064453126,"y":2661.4853515625,"z":36.68000411987305,"w":-84.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station18', '{"x":1215.6112060546876,"y":2666.5107421875,"z":36.67864990234375,"w":-84.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station26', '{"x":1762.7945556640626,"y":3338.0859375,"z":40.0583610534668,"w":124.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station26', '{"x":1760.51025390625,"y":3341.261474609375,"z":39.97494888305664,"w":126.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station20', '{"x":2686.161376953125,"y":3258.003173828125,"z":54.1204605102539,"w":-119.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station20', '{"x":2688.283447265625,"y":3262.097412109375,"z":54.12052917480469,"w":-119.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station19', '{"x":2540.643798828125,"y":2578.028076171875,"z":36.82484436035156,"w":-168.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station19', '{"x":2536.42724609375,"y":2577.02685546875,"z":36.81485366821289,"w":-166.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station13', '{"x":-1791.2259521484376,"y":816.5184936523438,"z":137.37594604492188,"w":-46.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station13', '{"x":-1785.9600830078126,"y":810.9642333984375,"z":137.35438537597657,"w":-47.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station11', '{"x":601.4658203125,"y":263.5999450683594,"z":102.30052185058594,"w":90.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station11', '{"x":601.5269775390625,"y":271.1766052246094,"z":102.25947570800781,"w":88.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station12', '{"x":2596.849853515625,"y":363.7933044433594,"z":107.32056427001953,"w":-92.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station12', '{"x":2596.636962890625,"y":358.1728515625,"z":107.30323791503906,"w":-92.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station9', '{"x":-2090.96630859375,"y":-295.63824462890627,"z":11.93753623962402,"w":-60.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station9', '{"x":-2111.28955078125,"y":-293.56976318359377,"z":11.94754028320312,"w":49.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station8', '{"x":-1421.64306640625,"y":-290.6636047363281,"z":45.18489074707031,"w":-138.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station8', '{"x":-1416.4654541015626,"y":-286.0827941894531,"z":45.19264984130859,"w":-139.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station7', '{"x":1181.6578369140626,"y":-313.3381042480469,"z":68.07506561279297,"w":10.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station7', '{"x":1174.2081298828126,"y":-314.6974792480469,"z":68.06367492675781,"w":11.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station5', '{"x":-706.4199829101563,"y":-928.8771362304688,"z":17.90406227111816,"w":-89.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station5', '{"x":-706.390380859375,"y":-933.4942016601563,"z":17.88404655456543,"w":-89.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station4', '{"x":-532.048828125,"y":-1194.0389404296876,"z":17.24625968933105,"w":-21.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station4', '{"x":-526.4879760742188,"y":-1196.060791015625,"z":17.32678413391113,"w":-20.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station3', '{"x":285.80645751953127,"y":-1268.634521484375,"z":28.17071151733398,"w":-89.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station3', '{"x":285.7844543457031,"y":-1261.1907958984376,"z":28.15001678466797,"w":-90.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station6', '{"x":832.4412231445313,"y":-1019.0257568359375,"z":25.5496826171875,"w":-45.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station6', '{"x":804.8912963867188,"y":-1020.4298095703125,"z":24.90572929382324,"w":46.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station13', '{"x":-301.7809753417969,"y":-1463.3502197265626,"z":29.78365325927734,"w":-61.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station13', '{"x":-305.40789794921877,"y":-1456.860107421875,"z":29.84770011901855,"w":-62.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station2', '{"x":1197.679443359375,"y":-1380.87109375,"z":34.10697555541992,"w":0.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station2', '{"x":1202.836669921875,"y":-1380.9049072265626,"z":34.09697723388672,"w":0.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station10', '{"x":187.4453125,"y":-1568.58642578125,"z":28.17312240600586,"w":-149.0}', 0); +INSERT INTO `upw_chargers` (`station`, `position`, `active`) VALUES ('station10', '{"x":181.3025360107422,"y":-1572.05224609375,"z":28.17000961303711,"w":-150.0}', 0); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230409115226_add_electric_vehicles/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230409115226_add_electric_vehicles/migration.sql new file mode 100644 index 0000000000..7795de4942 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230409115226_add_electric_vehicles/migration.sql @@ -0,0 +1,11 @@ +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('cyclone', 1392481335, 'Cyclone', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('dilettante', -1130810103, 'Dilettante', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('imorgon', -1132721664, 'Imorgon', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('iwagen', 662793086, 'I-Wagen', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('khamelion', 544021352, 'Khamelion', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('neon', -1848994066, 'Neon', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('omnisegt', -505223465, 'Omnis e-GT', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('raiden', -1529242755, 'Raiden', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('surge', -1894894188, 'Surge', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('tezeract', 1031562256, 'Tezeract', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); +REPLACE INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`) VALUES ('voltic', -1622444098, 'Voltic', 1000000, 'Electric', 'electric', 'car', 1, NULL, 10, 0); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230413225320_bell_moved_to_mapping/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230413225320_bell_moved_to_mapping/migration.sql new file mode 100644 index 0000000000..db6b5ac324 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230413225320_bell_moved_to_mapping/migration.sql @@ -0,0 +1,2 @@ +-- AlterTable +DELETE FROM persistent_prop WHERE model=1387880424; \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20230414092050_add_pdp_clothes/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230414092050_add_pdp_clothes/migration.sql new file mode 100644 index 0000000000..b59576999e --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230414092050_add_pdp_clothes/migration.sql @@ -0,0 +1,25344 @@ +SET FOREIGN_KEY_CHECKS=0; + +DELETE FROM `shop_content`; +DELETE FROM `shop_categories`; +DELETE FROM `category`; +DELETE FROM `shop`; + +INSERT INTO `shop` (`id`, `name`, `label`) VALUES + (1, 'binco', 'Binco'), + (2, 'suburban', 'Suburban'), + (3, 'ponsonbys', 'Ponsonbys'), + (4, 'mask', 'Magasin de masques'); + +INSERT INTO `category` (`id`, `name`, `parent_id`) VALUES + (1, 'Hauts', NULL), + (2, 'T-shirts', 1), + (3, 'Polos', 1), + (4, 'Manteaux', 1), + (5, 'Sweats & Hoodies', 1), + (6, 'Costumes', 1), + (7, 'Chemises', 1), + (8, 'Robes', 1), + (9, 'Pulls', 1), + (10, 'Deguisements', 1), + (11, 'Gilets', 1), + (12, 'Vestes', 1), + (13, 'Été', 1), + (14, 'Marcels', 1), + (15, 'Bas', NULL), + (16, 'Pantalons', 15), + (17, 'Shorts', 15), + (18, 'Jupes', 15), + (19, 'Jeans', 15), + (20, 'Déguisements', 15), + (21, 'Sous-vêtements', NULL), + (22, 'Intérieur', 15), + (23, 'Survêtements', 15), + (24, 'Maillots de bain', 15), + (25, 'Chaussures', NULL), + (26, 'Sandales', 25), + (27, 'Talons', 25), + (28, 'Bottes/Bottines', 25), + (29, 'Baskets', 25), + (30, 'Chaussures plates', 25), + (31, 'Déguisements', 25), + (32, 'Hiver', 25), + (33, 'Monstre', NULL), + (34, 'Carnaval', NULL), + (35, 'Bandana', NULL), + (36, 'Animaux', NULL), + (37, 'Intégral', NULL), + (38, 'Costume', NULL), + (39, 'Cagoule', NULL), + (40, 'Halloween', NULL), + (50, 'Gants', NULL), + (52, 'Sacs', NULL), + (60, 'Maillot de corps', NULL), + (61, 'T-shirts', 60), + (62, 'Chemises', 60), + (63, 'Déguisements', 60), + (64, 'Pulls', 60), + (65, 'Polos', 60), + (66, 'Soutien-gorge', 60); + +INSERT INTO `shop_categories` (`id`, `shop_id`, `category_id`) VALUES + (1, 4, 33), + (2, 4, 34), + (3, 4, 35), + (4, 4, 36), + (5, 4, 37), + (6, 4, 38), + (7, 4, 39), + (8, 1, 1), + (9, 2, 1), + (10, 3, 1), +-- (11, 1, 0), +-- (12, 2, 0), +-- (13, 3, 0), + (14, 1, 52), + (15, 2, 52), + (16, 3, 52), + (17, 1, 60), + (18, 2, 60), + (19, 3, 60), + (20, 1, 15), + (21, 2, 15), + (22, 3, 15), + (23, 1, 25), + (24, 2, 25), + (25, 3, 25), + (26, 1, 21), + (27, 2, 21), + (28, 3, 21); + +INSERT INTO `shop_content` (`id`, `shop_id`, `category_id`, `label`, `price`, `data`, `stock`) VALUES + (1, 1, 2, 'T-shirt uni blanc et jaune', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"blanc et jaune"}', 0), + (2, 1, 2, 'T-shirt uni gris', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"gris"}', 0), + (3, 1, 2, 'T-shirt uni noir', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"noir"}', 0), + (4, 1, 2, 'T-shirt uni jaune', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"jaune"}', 0), + (5, 1, 2, 'T-shirt uni blanc', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"blanc"}', 0), + (6, 1, 2, 'T-shirt uni crème', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"crème"}', 0), + (7, 1, 2, 'T-shirt uni pâle', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"pâle"}', 0), + (8, 1, 2, 'T-shirt uni bleu', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (9, 2, 2, 'T-shirt uni blanc et jaune', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"blanc et jaune"}', 0), + (10, 2, 2, 'T-shirt uni gris', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"gris"}', 0), + (11, 2, 2, 'T-shirt uni noir', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"noir"}', 0), + (12, 2, 2, 'T-shirt uni jaune', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"jaune"}', 0), + (13, 2, 2, 'T-shirt uni blanc', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"blanc"}', 0), + (14, 2, 2, 'T-shirt uni crème', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"crème"}', 0), + (15, 2, 2, 'T-shirt uni pâle', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"pâle"}', 0), + (16, 2, 2, 'T-shirt uni bleu', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (17, 1, 2, 'T-shirt col en V blanc gris', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"blanc gris"}', 0), + (18, 1, 2, 'T-shirt col en V gris', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"gris"}', 0), + (19, 1, 2, 'T-shirt col en V jaune', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"jaune"}', 0), + (20, 1, 2, 'T-shirt col en V rouge', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rouge"}', 0), + (21, 1, 2, 'T-shirt col en V marine', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"marine"}', 0), + (22, 1, 2, 'T-shirt col en V violet', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"violet"}', 0), + (23, 1, 2, 'T-shirt col en V vert', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"vert"}', 0), + (24, 1, 2, 'T-shirt col en V rose', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rose"}', 0), + (25, 1, 2, 'T-shirt col en V orange', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"orange"}', 0), + (26, 1, 2, 'T-shirt col en V marron', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"marron"}', 0), + (27, 2, 2, 'T-shirt col en V blanc gris', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"blanc gris"}', 0), + (28, 2, 2, 'T-shirt col en V gris', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"gris"}', 0), + (29, 2, 2, 'T-shirt col en V jaune', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"jaune"}', 0), + (30, 2, 2, 'T-shirt col en V rouge', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rouge"}', 0), + (31, 2, 2, 'T-shirt col en V marine', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"marine"}', 0), + (32, 2, 2, 'T-shirt col en V violet', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"violet"}', 0), + (33, 2, 2, 'T-shirt col en V vert', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"vert"}', 0), + (34, 2, 2, 'T-shirt col en V rose', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rose"}', 0), + (35, 2, 2, 'T-shirt col en V orange', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"orange"}', 0), + (36, 2, 2, 'T-shirt col en V marron', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"marron"}', 0), + (37, 1, 12, 'Veste ouverte classique blanche', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"blanche"}', 0), + (38, 1, 12, 'Veste ouverte classique grise', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"grise"}', 0), + (39, 1, 12, 'Veste ouverte classique noire', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"noire"}', 0), + (40, 1, 12, 'Veste ouverte classique bleue claire', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"bleue claire"}', 0), + (41, 1, 12, 'Veste ouverte classique bleue foncée', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"bleue foncée"}', 0), + (42, 1, 12, 'Veste ouverte classique rouge', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"rouge"}', 0), + (43, 1, 12, 'Veste ouverte classique verte', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"verte"}', 0), + (44, 1, 12, 'Veste ouverte classique orange', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"orange"}', 0), + (45, 1, 12, 'Veste ouverte classique jaune', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"jaune"}', 0), + (46, 1, 12, 'Veste ouverte classique violette', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"violette"}', 0), + (47, 1, 12, 'Veste ouverte classique marron', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"marron"}', 0), + (48, 1, 12, 'Veste ouverte classique crème', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"crème"}', 0), + (49, 1, 12, 'Veste ouverte classique pâle', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"pâle"}', 0), + (50, 1, 12, 'Veste ouverte classique océan', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"océan"}', 0), + (51, 1, 12, 'Veste ouverte classique hiver', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"hiver"}', 0), + (52, 1, 12, 'Veste ouverte classique été', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"été"}', 0), + (53, 2, 12, 'Veste ouverte classique blanche', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"blanche"}', 0), + (54, 2, 12, 'Veste ouverte classique grise', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"grise"}', 0), + (55, 2, 12, 'Veste ouverte classique noire', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"noire"}', 0), + (56, 2, 12, 'Veste ouverte classique bleue claire', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"bleue claire"}', 0), + (57, 2, 12, 'Veste ouverte classique bleue foncée', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"bleue foncée"}', 0), + (58, 2, 12, 'Veste ouverte classique rouge', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"rouge"}', 0), + (59, 2, 12, 'Veste ouverte classique verte', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"verte"}', 0), + (60, 2, 12, 'Veste ouverte classique orange', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"orange"}', 0), + (61, 2, 12, 'Veste ouverte classique jaune', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"jaune"}', 0), + (62, 2, 12, 'Veste ouverte classique violette', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"violette"}', 0), + (63, 2, 12, 'Veste ouverte classique marron', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"marron"}', 0), + (64, 2, 12, 'Veste ouverte classique crème', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"crème"}', 0), + (65, 2, 12, 'Veste ouverte classique pâle', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"pâle"}', 0), + (66, 2, 12, 'Veste ouverte classique océan', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"océan"}', 0), + (67, 2, 12, 'Veste ouverte classique hiver', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"hiver"}', 0), + (68, 2, 12, 'Veste ouverte classique été', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte classique","colorLabel":"été"}', 0), + (69, 3, 6, 'Veste de costume ouverte noire', 50, '{"components":{"11":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"noire"}', 0), + (70, 3, 6, 'Veste de costume ouverte rouge', 50, '{"components":{"11":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"rouge"}', 0), + (71, 3, 6, 'Veste de costume ouverte gris', 50, '{"components":{"11":{"Drawable":4,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"gris"}', 0), + (72, 3, 6, 'Veste de costume ouverte bleue', 50, '{"components":{"11":{"Drawable":4,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleue"}', 0), + (73, 3, 6, 'Veste de costume ouverte couronne', 50, '{"components":{"11":{"Drawable":4,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"couronne"}', 0), + (74, 1, 2, 'Marcel blanc', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"blanc"}', 0), + (75, 1, 2, 'Marcel gris', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"gris"}', 0), + (76, 1, 2, 'Marcel noire', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"noire"}', 0), + (77, 1, 2, 'Marcel rouge', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rouge"}', 0), + (78, 2, 2, 'Marcel blanc', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"blanc"}', 0), + (79, 2, 2, 'Marcel gris', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"gris"}', 0), + (80, 2, 2, 'Marcel noire', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"noire"}', 0), + (81, 2, 2, 'Marcel rouge', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rouge"}', 0), + (82, 3, 12, 'Blouson de moto en cuir noir/blanc', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir/blanc"}', 0), + (83, 3, 12, 'Blouson de moto en cuir noir/bleu', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir/bleu"}', 0), + (84, 3, 12, 'Blouson de moto en cuir blanc/rouge', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"blanc/rouge"}', 0), + (85, 3, 12, 'Blouson de moto en cuir noir bande blanche', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir bande blanche"}', 0), + (86, 3, 12, 'Blouson de moto en cuir bleu/noir/blanc', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"bleu/noir/blanc"}', 0), + (87, 3, 12, 'Blouson de moto en cuir cuir', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"cuir"}', 0), + (88, 3, 12, 'Blouson de moto en cuir noir/blanc/rouge', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir/blanc/rouge"}', 0), + (89, 3, 12, 'Blouson de moto en cuir beige/noir', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"beige/noir"}', 0), + (90, 3, 12, 'Blouson de moto en cuir orange', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[4],"modelLabel":"Blouson de moto en cuir","colorLabel":"orange"}', 0), + (91, 1, 5, 'Sweat-shirt à capuche ouvert blanc', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"blanc"}', 0), + (92, 1, 5, 'Sweat-shirt à capuche ouvert gris', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"gris"}', 0), + (93, 1, 5, 'Sweat-shirt à capuche ouvert noir', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"noir"}', 0), + (94, 1, 5, 'Sweat-shirt à capuche ouvert bleu clair', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"bleu clair"}', 0), + (95, 1, 5, 'Sweat-shirt à capuche ouvert bleu foncé', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"bleu foncé"}', 0), + (96, 1, 5, 'Sweat-shirt à capuche ouvert rouge', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"rouge"}', 0), + (97, 1, 5, 'Sweat-shirt à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"vert"}', 0), + (98, 1, 5, 'Sweat-shirt à capuche ouvert orange', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"orange"}', 0), + (99, 1, 5, 'Sweat-shirt à capuche ouvert jaune', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"jaune"}', 0), + (100, 1, 5, 'Sweat-shirt à capuche ouvert violet', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"violet"}', 0), + (101, 1, 5, 'Sweat-shirt à capuche ouvert brun', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"brun"}', 0), + (102, 1, 5, 'Sweat-shirt à capuche ouvert beige', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"beige"}', 0), + (103, 1, 5, 'Sweat-shirt à capuche ouvert mauve', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"mauve"}', 0), + (104, 1, 5, 'Sweat-shirt à capuche ouvert camo vert', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"camo vert"}', 0), + (105, 1, 5, 'Sweat-shirt à capuche ouvert camo gris', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"camo gris"}', 0), + (106, 1, 5, 'Sweat-shirt à capuche ouvert noir capuche jaune', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"noir capuche jaune"}', 0), + (107, 2, 5, 'Sweat-shirt à capuche ouvert blanc', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"blanc"}', 0), + (108, 2, 5, 'Sweat-shirt à capuche ouvert gris', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"gris"}', 0), + (109, 2, 5, 'Sweat-shirt à capuche ouvert noir', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"noir"}', 0), + (110, 2, 5, 'Sweat-shirt à capuche ouvert bleu clair', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"bleu clair"}', 0), + (111, 2, 5, 'Sweat-shirt à capuche ouvert bleu foncé', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"bleu foncé"}', 0), + (112, 2, 5, 'Sweat-shirt à capuche ouvert rouge', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"rouge"}', 0), + (113, 2, 5, 'Sweat-shirt à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"vert"}', 0), + (114, 2, 5, 'Sweat-shirt à capuche ouvert orange', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"orange"}', 0), + (115, 2, 5, 'Sweat-shirt à capuche ouvert jaune', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"jaune"}', 0), + (116, 2, 5, 'Sweat-shirt à capuche ouvert violet', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"violet"}', 0), + (117, 2, 5, 'Sweat-shirt à capuche ouvert brun', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"brun"}', 0), + (118, 2, 5, 'Sweat-shirt à capuche ouvert beige', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"beige"}', 0), + (119, 2, 5, 'Sweat-shirt à capuche ouvert mauve', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"mauve"}', 0), + (120, 2, 5, 'Sweat-shirt à capuche ouvert camo vert', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"camo vert"}', 0), + (121, 2, 5, 'Sweat-shirt à capuche ouvert camo gris', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"camo gris"}', 0), + (122, 2, 5, 'Sweat-shirt à capuche ouvert noir capuche jaune', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Sweat-shirt à capuche ouvert","colorLabel":"noir capuche jaune"}', 0), + (123, 3, 3, 'Polo sportif sorti blanc rayée', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc rayée"}', 0), + (124, 3, 3, 'Polo sportif sorti gris clair', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"gris clair"}', 0), + (125, 3, 3, 'Polo sportif sorti gris foncée', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"gris foncée"}', 0), + (126, 3, 3, 'Polo sportif sorti blanc', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc"}', 0), + (127, 3, 3, 'Polo sportif sorti bleu clair', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu clair"}', 0), + (128, 3, 3, 'Polo sportif sorti orange', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"orange"}', 0), + (129, 3, 3, 'Polo sportif sorti rose', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rose"}', 0), + (130, 3, 3, 'Polo sportif sorti violet', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"violet"}', 0), + (131, 3, 3, 'Polo sportif sorti bleu blanc ', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu blanc "}', 0), + (132, 3, 3, 'Polo sportif sorti blanc gris', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc gris"}', 0), + (133, 3, 3, 'Polo sportif sorti vert clair', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"vert clair"}', 0), + (134, 3, 3, 'Polo sportif sorti vert foncée', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"vert foncée"}', 0), + (135, 3, 3, 'Polo sportif sorti rouge', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rouge"}', 0), + (136, 3, 3, 'Polo sportif sorti jaune', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"jaune"}', 0), + (137, 3, 6, 'Veste de costume demi-fermée noir', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"noir"}', 0), + (138, 3, 6, 'Veste de costume demi-fermée gris clair', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"gris clair"}', 0), + (139, 3, 6, 'Veste de costume demi-fermée bleu clair', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"bleu clair"}', 0), + (140, 3, 11, 'Gilet de costume gris/noir', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"gris/noir"}', 0), + (141, 3, 11, 'Gilet de costume noir', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"noir"}', 0), + (142, 3, 11, 'Gilet de costume rose pale', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"rose pale"}', 0), + (143, 3, 11, 'Gilet de costume noir rayé blanc', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"noir rayé blanc"}', 0), + (144, 3, 7, 'Chemise m. longues blanc ', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"blanc "}', 0), + (145, 3, 7, 'Chemise m. longues gris clair', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"gris clair"}', 0), + (146, 3, 7, 'Chemise m. longues noir', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"noir"}', 0), + (147, 3, 7, 'Chemise m. longues bleu', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"bleu"}', 0), + (148, 3, 7, 'Chemise m. longues bleu foncé', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"bleu foncé"}', 0), + (149, 3, 7, 'Chemise m. longues rouge', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"rouge"}', 0), + (150, 3, 7, 'Chemise m. longues vert', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"vert"}', 0), + (151, 3, 7, 'Chemise m. longues beige', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"beige"}', 0), + (152, 3, 7, 'Chemise m. longues jaune', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"jaune"}', 0), + (153, 3, 7, 'Chemise m. longues jaune clair', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"jaune clair"}', 0), + (154, 3, 7, 'Chemise m. longues vert a carreaux', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"vert a carreaux"}', 0), + (155, 3, 7, 'Chemise m. longues bleu a carreau', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues","colorLabel":"bleu a carreau"}', 0), + (156, 3, 7, 'Chemise m. retroussées blanc', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"blanc"}', 0), + (157, 3, 7, 'Chemise m. retroussées gris clair', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"gris clair"}', 0), + (158, 3, 7, 'Chemise m. retroussées noir', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"noir"}', 0), + (159, 3, 7, 'Chemise m. retroussées bleu', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"bleu"}', 0), + (160, 3, 7, 'Chemise m. retroussées rouge', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"rouge"}', 0), + (161, 3, 7, 'Chemise m. retroussées vert a carreaux', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"vert a carreaux"}', 0), + (162, 1, 7, 'Chemise de bucheron avec sous-pull car. bleu', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. bleu"}', 0), + (163, 1, 7, 'Chemise de bucheron avec sous-pull car. jaune', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. jaune"}', 0), + (164, 1, 7, 'Chemise de bucheron avec sous-pull carreaux', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"carreaux"}', 0), + (165, 1, 7, 'Chemise de bucheron avec sous-pull car. j&n', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. j&n"}', 0), + (166, 1, 7, 'Chemise de bucheron avec sous-pull car. rouge', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. rouge"}', 0), + (167, 1, 7, 'Chemise de bucheron avec sous-pull car. rayés', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. rayés"}', 0), + (168, 1, 7, 'Chemise de bucheron avec sous-pull car. bleu&noir', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. bleu&noir"}', 0), + (169, 1, 7, 'Chemise de bucheron avec sous-pull car. noir', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. noir"}', 0), + (170, 1, 7, 'Chemise de bucheron avec sous-pull los. blanc', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"los. blanc"}', 0), + (171, 1, 7, 'Chemise de bucheron avec sous-pull los.rouge', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"los.rouge"}', 0), + (172, 1, 7, 'Chemise de bucheron avec sous-pull los. bleu', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"los. bleu"}', 0), + (173, 2, 7, 'Chemise de bucheron avec sous-pull car. bleu', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. bleu"}', 0), + (174, 2, 7, 'Chemise de bucheron avec sous-pull car. jaune', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. jaune"}', 0), + (175, 2, 7, 'Chemise de bucheron avec sous-pull carreaux', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"carreaux"}', 0), + (176, 2, 7, 'Chemise de bucheron avec sous-pull car. j&n', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. j&n"}', 0), + (177, 2, 7, 'Chemise de bucheron avec sous-pull car. rouge', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. rouge"}', 0), + (178, 2, 7, 'Chemise de bucheron avec sous-pull car. rayés', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. rayés"}', 0), + (179, 2, 7, 'Chemise de bucheron avec sous-pull car. bleu&noir', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. bleu&noir"}', 0), + (180, 2, 7, 'Chemise de bucheron avec sous-pull car. noir', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"car. noir"}', 0), + (181, 2, 7, 'Chemise de bucheron avec sous-pull los. blanc', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"los. blanc"}', 0), + (182, 2, 7, 'Chemise de bucheron avec sous-pull los.rouge', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"los.rouge"}', 0), + (183, 2, 7, 'Chemise de bucheron avec sous-pull los. bleu', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron avec sous-pull","colorLabel":"los. bleu"}', 0), + (184, 1, 2, 'T-shirt col en V taupe', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"taupe"}', 0), + (185, 1, 2, 'T-shirt col en V bleu', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"bleu"}', 0), + (186, 1, 2, 'T-shirt col en V feu', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"feu"}', 0), + (187, 2, 2, 'T-shirt col en V taupe', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"taupe"}', 0), + (188, 2, 2, 'T-shirt col en V bleu', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"bleu"}', 0), + (189, 2, 2, 'T-shirt col en V feu', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"feu"}', 0), + (190, 1, 2, 'Marcel bleu', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"bleu"}', 0), + (191, 1, 2, 'Marcel jaune', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"jaune"}', 0), + (192, 1, 2, 'Marcel orange', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"orange"}', 0), + (193, 1, 2, 'Marcel violet', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"violet"}', 0), + (194, 1, 2, 'Marcel soleil', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"soleil"}', 0), + (195, 1, 2, 'Marcel vert', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vert"}', 0), + (196, 2, 2, 'Marcel bleu', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"bleu"}', 0), + (197, 2, 2, 'Marcel jaune', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"jaune"}', 0), + (198, 2, 2, 'Marcel orange', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"orange"}', 0), + (199, 2, 2, 'Marcel violet', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"violet"}', 0), + (200, 2, 2, 'Marcel soleil', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"soleil"}', 0), + (201, 2, 2, 'Marcel vert', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vert"}', 0), + (202, 1, 2, 'T-shirt de Noël Père', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"Père"}', 0), + (203, 1, 2, 'T-shirt de Noël lutin', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"lutin"}', 0), + (204, 1, 2, 'T-shirt de Noël bonhomme', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"bonhomme"}', 0), + (205, 1, 2, 'T-shirt de Noël renne', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"renne"}', 0), + (206, 2, 2, 'T-shirt de Noël Père', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"Père"}', 0), + (207, 2, 2, 'T-shirt de Noël lutin', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"lutin"}', 0), + (208, 2, 2, 'T-shirt de Noël bonhomme', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"bonhomme"}', 0), + (209, 2, 2, 'T-shirt de Noël renne', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt de Noël","colorLabel":"renne"}', 0), + (210, 3, 6, 'Veste de costume demi-fermée rouge', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"rouge"}', 0), + (211, 3, 6, 'Veste de costume demi-fermée lutin', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"lutin"}', 0), + (212, 3, 6, 'Veste quatre boutons blanc', 50, '{"components":{"11":{"Drawable":20,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"blanc"}', 0), + (213, 3, 6, 'Veste quatre boutons bleur foncée', 50, '{"components":{"11":{"Drawable":20,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"bleur foncée"}', 0), + (214, 3, 6, 'Veste quatre boutons marron', 50, '{"components":{"11":{"Drawable":20,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"marron"}', 0), + (215, 3, 6, 'Veste quatre boutons beige', 50, '{"components":{"11":{"Drawable":20,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"beige"}', 0), + (216, 3, 11, 'Gilet à chaine gris clair', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"gris clair"}', 0), + (217, 3, 11, 'Gilet à chaine cyan', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"cyan"}', 0), + (218, 3, 11, 'Gilet à chaine gris', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"gris"}', 0), + (219, 3, 11, 'Gilet à chaine marron', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"marron"}', 0), + (220, 3, 6, 'Veste de costume ouverte olive', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"olive"}', 0), + (221, 3, 6, 'Veste de costume ouverte gris', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"gris"}', 0), + (222, 3, 6, 'Veste de costume ouverte bleu minéral', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleu minéral"}', 0), + (223, 3, 6, 'Veste de costume ouverte blanc', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"blanc"}', 0), + (224, 3, 6, 'Veste de costume demi-fermée gris clair', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"gris clair"}', 0), + (225, 3, 6, 'Veste de costume demi-fermée vert olive', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"vert olive"}', 0), + (226, 3, 6, 'Veste de costume demi-fermée bleu minéral', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"bleu minéral"}', 0), + (227, 3, 6, 'Veste de costume demi-fermée rouge tomette', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"rouge tomette"}', 0), + (228, 3, 6, 'Veste de costume demi-fermée blanc cassée', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"blanc cassée"}', 0), + (229, 3, 6, 'Veste de costume demi-fermée brun', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"brun"}', 0), + (230, 3, 6, 'Veste de costume demi-fermée pois marron', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"pois marron"}', 0), + (231, 3, 6, 'Veste de costume demi-fermée beige agate', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"beige agate"}', 0), + (232, 3, 6, 'Veste de costume demi-fermée beige calcaire', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"beige calcaire"}', 0), + (233, 3, 6, 'Veste de costume demi-fermée ardoise carreaux', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"ardoise carreaux"}', 0), + (234, 3, 6, 'Veste de costume demi-fermée pinchard carreau', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"pinchard carreau"}', 0), + (235, 3, 6, 'Veste de costume demi-fermée perle carreau', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"perle carreau"}', 0), + (236, 3, 6, 'Veste de costume demi-fermée blanc écru', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume demi-fermée","colorLabel":"blanc écru"}', 0), + (237, 3, 11, 'Gilet de costume sépia', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"sépia"}', 0), + (238, 3, 11, 'Gilet de costume beige briche', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"beige briche"}', 0), + (239, 3, 11, 'Gilet de costume aigue marine', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"aigue marine"}', 0), + (240, 3, 11, 'Gilet de costume bistre', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"bistre"}', 0), + (241, 3, 11, 'Gilet de costume gris clair carreau', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"gris clair carreau"}', 0), + (242, 3, 11, 'Gilet de costume gris carreau', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"gris carreau"}', 0), + (243, 3, 11, 'Gilet de costume absinthe carreau', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"absinthe carreau"}', 0), + (244, 3, 11, 'Gilet de costume gris perle', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"gris perle"}', 0), + (245, 3, 11, 'Gilet de costume gris souris', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"gris souris"}', 0), + (246, 3, 11, 'Gilet de costume gris cachemire', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"gris cachemire"}', 0), + (247, 3, 7, 'Chemise m. retroussées gris ardoise', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"gris ardoise"}', 0), + (248, 3, 7, 'Chemise m. retroussées vert olive', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"vert olive"}', 0), + (249, 3, 7, 'Chemise m. retroussées gris tourdille', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"gris tourdille"}', 0), + (250, 3, 7, 'Chemise m. retroussées safran', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"safran"}', 0), + (251, 3, 7, 'Chemise m. retroussées jaune de naples', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"jaune de naples"}', 0), + (252, 3, 7, 'Chemise m. retroussées rose dragée', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"rose dragée"}', 0), + (253, 3, 7, 'Chemise m. retroussées carreau rouge', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"carreau rouge"}', 0), + (254, 3, 7, 'Chemise m. retroussées carreau multi', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"carreau multi"}', 0), + (255, 3, 7, 'Chemise m. retroussées carreau bleu', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"carreau bleu"}', 0), + (256, 3, 7, 'Chemise m. retroussées carreau gris', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. retroussées","colorLabel":"carreau gris"}', 0), + (257, 3, 6, 'Veste quatre boutons noir', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"noir"}', 0), + (258, 3, 6, 'Veste quatre boutons gris', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"gris"}', 0), + (259, 3, 6, 'Veste quatre boutons gris de payne', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste quatre boutons","colorLabel":"gris de payne"}', 0), + (260, 3, 6, 'Veste de costume fermée gris ardoise', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume fermée","colorLabel":"gris ardoise"}', 0), + (261, 3, 6, 'Veste de costume fermée gris de payne', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume fermée","colorLabel":"gris de payne"}', 0), + (262, 3, 6, 'Veste de costume fermée bleu minéral', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume fermée","colorLabel":"bleu minéral"}', 0), + (263, 3, 6, 'Veste classe col velours ouverte noir', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"noir"}', 0), + (264, 3, 6, 'Veste classe col velours ouverte gris', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"gris"}', 0), + (265, 3, 6, 'Veste classe col velours ouverte gris ardoise', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"gris ardoise"}', 0), + (266, 3, 6, 'Veste classe col velours ouverte vert anglais', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"vert anglais"}', 0), + (267, 3, 6, 'Veste classe col velours ouverte rouge tomette', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"rouge tomette"}', 0), + (268, 3, 6, 'Veste classe col velours ouverte blanc noir', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"blanc noir"}', 0), + (269, 3, 6, 'Veste classe col velours ouverte marron', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"marron"}', 0), + (270, 3, 6, 'Veste classe col velours ouverte blanc', 50, '{"components":{"11":{"Drawable":29,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe col velours ouverte","colorLabel":"blanc"}', 0), + (271, 3, 6, 'Veste classe col velours fermée noir', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"noir"}', 0), + (272, 3, 6, 'Veste classe col velours fermée gris', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"gris"}', 0), + (273, 3, 6, 'Veste classe col velours fermée gris ardoise', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"gris ardoise"}', 0), + (274, 3, 6, 'Veste classe col velours fermée vert anglais', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"vert anglais"}', 0), + (275, 3, 6, 'Veste classe col velours fermée rouge tomette', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"rouge tomette"}', 0), + (276, 3, 6, 'Veste classe col velours fermée blanc noir', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"blanc noir"}', 0), + (277, 3, 6, 'Veste classe col velours fermée marron', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"marron"}', 0), + (278, 3, 6, 'Veste classe col velours fermée blanc', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe col velours fermée","colorLabel":"blanc"}', 0), + (279, 3, 6, 'Veste de costume slim uni ouverte noir', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"noir"}', 0), + (280, 3, 6, 'Veste de costume slim uni ouverte gris', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"gris"}', 0), + (281, 3, 6, 'Veste de costume slim uni ouverte gris ardoise', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"gris ardoise"}', 0), + (282, 3, 6, 'Veste de costume slim uni ouverte vert anglais', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"vert anglais"}', 0), + (283, 3, 6, 'Veste de costume slim uni ouverte rouge tomette', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"rouge tomette"}', 0), + (284, 3, 6, 'Veste de costume slim uni ouverte blanc noir', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"blanc noir"}', 0), + (285, 3, 6, 'Veste de costume slim uni ouverte marron', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"marron"}', 0), + (286, 3, 6, 'Veste de costume slim uni ouverte blanc', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"blanc"}', 0), + (287, 3, 6, 'Veste de costume slim uni fermée noir', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"noir"}', 0), + (288, 3, 6, 'Veste de costume slim uni fermée gris', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"gris"}', 0), + (289, 3, 6, 'Veste de costume slim uni fermée gris ardoise', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"gris ardoise"}', 0), + (290, 3, 6, 'Veste de costume slim uni fermée vert anglais', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"vert anglais"}', 0), + (291, 3, 6, 'Veste de costume slim uni fermée rouge tomette', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"rouge tomette"}', 0), + (292, 3, 6, 'Veste de costume slim uni fermée blanc noir', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"blanc noir"}', 0), + (293, 3, 6, 'Veste de costume slim uni fermée marron', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"marron"}', 0), + (294, 3, 6, 'Veste de costume slim uni fermée blanc', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"blanc"}', 0), + (295, 1, 2, 'T-shirt uni rayures grises', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"rayures grises"}', 0), + (296, 2, 2, 'T-shirt uni rayures grises', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"rayures grises"}', 0), + (297, 1, 2, 'T-shirt col en V noir', 50, '{"components":{"11":{"Drawable":34,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"noir"}', 0), + (298, 1, 2, 'T-shirt col en V rayures', 50, '{"components":{"11":{"Drawable":34,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rayures"}', 0), + (299, 2, 2, 'T-shirt col en V noir', 50, '{"components":{"11":{"Drawable":34,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"noir"}', 0), + (300, 2, 2, 'T-shirt col en V rayures', 50, '{"components":{"11":{"Drawable":34,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rayures"}', 0), + (301, 3, 6, 'Veste de costume ouverte noir', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"noir"}', 0), + (302, 3, 6, 'Veste de costume ouverte camouflage', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"camouflage"}', 0), + (303, 3, 6, 'Veste de costume ouverte bleu', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleu"}', 0), + (304, 3, 6, 'Veste de costume ouverte rose clair', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"rose clair"}', 0), + (305, 3, 6, 'Veste de costume ouverte leopard', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"leopard"}', 0), + (306, 3, 6, 'Veste de costume ouverte rose', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"rose"}', 0), + (307, 3, 6, 'Veste de costume ouverte beige', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"beige"}', 0), + (308, 1, 2, 'Marcel rayure', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rayure"}', 0), + (309, 1, 2, 'Marcel bleu', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"bleu"}', 0), + (310, 1, 2, 'Marcel rose', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rose"}', 0), + (311, 1, 2, 'Marcel camouflage', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"camouflage"}', 0), + (312, 1, 2, 'Marcel vert jaune', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vert jaune"}', 0), + (313, 1, 2, 'Marcel camouflage gris', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"camouflage gris"}', 0), + (314, 2, 2, 'Marcel rayure', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rayure"}', 0), + (315, 2, 2, 'Marcel bleu', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"bleu"}', 0), + (316, 2, 2, 'Marcel rose', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rose"}', 0), + (317, 2, 2, 'Marcel camouflage', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"camouflage"}', 0), + (318, 2, 2, 'Marcel vert jaune', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vert jaune"}', 0), + (319, 2, 2, 'Marcel camouflage gris', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"camouflage gris"}', 0), + (320, 3, 12, 'Blouson de moto en cuir cuivre', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Blouson de moto en cuir","colorLabel":"cuivre"}', 0), + (321, 3, 12, 'Blouson de moto en cuir noir', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir"}', 0), + (322, 3, 12, 'Blouson de moto en cuir noir rouge', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir rouge"}', 0), + (323, 1, 5, 'Sweat-shirt col rond gris noir', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"gris noir"}', 0), + (324, 1, 5, 'Sweat-shirt col rond camouflage', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"camouflage"}', 0), + (325, 1, 5, 'Sweat-shirt col rond gris ', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"gris "}', 0), + (326, 1, 5, 'Sweat-shirt col rond jaune', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"jaune"}', 0), + (327, 1, 5, 'Sweat-shirt col rond psychédélique', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"psychédélique"}', 0), + (328, 2, 5, 'Sweat-shirt col rond gris noir', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"gris noir"}', 0), + (329, 2, 5, 'Sweat-shirt col rond camouflage', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"camouflage"}', 0), + (330, 2, 5, 'Sweat-shirt col rond gris ', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"gris "}', 0), + (331, 2, 5, 'Sweat-shirt col rond jaune', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"jaune"}', 0), + (332, 2, 5, 'Sweat-shirt col rond psychédélique', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"psychédélique"}', 0), + (333, 3, 3, 'Polo sportif sorti rouge', 50, '{"components":{"11":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rouge"}', 0), + (334, 3, 3, 'Polo sportif sorti ardoise', 50, '{"components":{"11":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"ardoise"}', 0), + (335, 3, 11, 'Gilet de costume rouge', 50, '{"components":{"11":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"rouge"}', 0), + (336, 3, 11, 'Gilet de costume rouge tomette', 50, '{"components":{"11":{"Drawable":40,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"rouge tomette"}', 0), + (337, 1, 7, 'Chemise de bucheron carreau rouge', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"carreau rouge"}', 0), + (338, 1, 7, 'Chemise de bucheron carreau bleu', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"carreau bleu"}', 0), + (339, 1, 7, 'Chemise de bucheron carreau vert', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"carreau vert"}', 0), + (340, 1, 7, 'Chemise de bucheron petit carreau', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"petit carreau"}', 0), + (341, 2, 7, 'Chemise de bucheron carreau rouge', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"carreau rouge"}', 0), + (342, 2, 7, 'Chemise de bucheron carreau bleu', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"carreau bleu"}', 0), + (343, 2, 7, 'Chemise de bucheron carreau vert', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"carreau vert"}', 0), + (344, 2, 7, 'Chemise de bucheron petit carreau', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise de bucheron","colorLabel":"petit carreau"}', 0), + (345, 1, 7, 'Chemise à bretelles fermée', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à bretelles","colorLabel":"fermée"}', 0), + (346, 2, 7, 'Chemise à bretelles fermée', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à bretelles","colorLabel":"fermée"}', 0), + (347, 1, 7, 'Chemise à bretelles ouverte', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à bretelles","colorLabel":"ouverte"}', 0), + (348, 2, 7, 'Chemise à bretelles ouverte', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à bretelles","colorLabel":"ouverte"}', 0), + (349, 1, 2, 'T-shirt uni lime', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"lime"}', 0), + (350, 1, 2, 'T-shirt uni lila', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"lila"}', 0), + (351, 1, 2, 'T-shirt uni perle', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"perle"}', 0), + (352, 2, 2, 'T-shirt uni lime', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"lime"}', 0), + (353, 2, 2, 'T-shirt uni lila', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"lila"}', 0), + (354, 2, 2, 'T-shirt uni perle', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"perle"}', 0), + (355, 3, 11, 'Gilet de costume drapeau vertical47', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"drapeau vertical47"}', 0), + (356, 3, 11, 'Gilet de costume drapeau horizontal', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"drapeau horizontal"}', 0), + (357, 3, 11, 'Gilet de costume drapeau', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"drapeau"}', 0), + (358, 3, 6, 'Queue de pie ouverte rayure', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Queue de pie ouverte","colorLabel":"rayure"}', 0), + (359, 3, 6, 'Queue de pie ouverte etoile', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Queue de pie ouverte","colorLabel":"etoile"}', 0), + (360, 3, 6, 'Queue de pie ouverte unis', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Queue de pie ouverte","colorLabel":"unis"}', 0), + (361, 1, 2, 'T-shirt uni bleu', 50, '{"components":{"11":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (362, 1, 2, 'T-shirt uni drapeau', 50, '{"components":{"11":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"drapeau"}', 0), + (363, 2, 2, 'T-shirt uni bleu', 50, '{"components":{"11":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (364, 2, 2, 'T-shirt uni drapeau', 50, '{"components":{"11":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"drapeau"}', 0), + (365, 1, 10, 'Parachutiste vertical', 50, '{"components":{"11":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"vertical"}', 0), + (366, 2, 10, 'Parachutiste vertical', 50, '{"components":{"11":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"vertical"}', 0), + (367, 1, 9, 'Sweat-shirt m. longues protection noir', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"noir"}', 0), + (368, 1, 9, 'Sweat-shirt m. longues protection gris clair', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"gris clair"}', 0), + (369, 1, 9, 'Sweat-shirt m. longues protection gris ', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"gris "}', 0), + (370, 1, 9, 'Sweat-shirt m. longues protection blanc cassée', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"blanc cassée"}', 0), + (371, 1, 9, 'Sweat-shirt m. longues protection kaki', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"kaki"}', 0), + (372, 2, 9, 'Sweat-shirt m. longues protection noir', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"noir"}', 0), + (373, 2, 9, 'Sweat-shirt m. longues protection gris clair', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"gris clair"}', 0), + (374, 2, 9, 'Sweat-shirt m. longues protection gris ', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"gris "}', 0), + (375, 2, 9, 'Sweat-shirt m. longues protection blanc cassée', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"blanc cassée"}', 0), + (376, 2, 9, 'Sweat-shirt m. longues protection kaki', 50, '{"components":{"11":{"Drawable":49,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt m. longues protection","colorLabel":"kaki"}', 0), + (377, 1, 9, 'Pull militaire noir', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"noir"}', 0), + (378, 1, 9, 'Pull militaire gris', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"gris"}', 0), + (379, 1, 9, 'Pull militaire foncé', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"foncé"}', 0), + (380, 1, 9, 'Pull militaire crème', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"crème"}', 0), + (381, 1, 9, 'Pull militaire kaki', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"kaki"}', 0), + (382, 2, 9, 'Pull militaire noir', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"noir"}', 0), + (383, 2, 9, 'Pull militaire gris', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"gris"}', 0), + (384, 2, 9, 'Pull militaire foncé', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"foncé"}', 0), + (385, 2, 9, 'Pull militaire crème', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"crème"}', 0), + (386, 2, 9, 'Pull militaire kaki', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"kaki"}', 0), + (387, 1, 9, 'Pull manches longues d\'hiver Père noël', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Père noël"}', 0), + (388, 1, 9, 'Pull manches longues d\'hiver lutin', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"lutin"}', 0), + (389, 1, 9, 'Pull manches longues d\'hiver neige', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"neige"}', 0), + (390, 2, 9, 'Pull manches longues d\'hiver Père noël', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Père noël"}', 0), + (391, 2, 9, 'Pull manches longues d\'hiver lutin', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"lutin"}', 0), + (392, 2, 9, 'Pull manches longues d\'hiver neige', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"neige"}', 0), + (393, 1, 5, 'Sweat-shirt de Noël rouge', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"rouge"}', 0), + (394, 1, 5, 'Sweat-shirt de Noël rayé', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"rayé"}', 0), + (395, 1, 5, 'Sweat-shirt de Noël reine', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"reine"}', 0), + (396, 1, 5, 'Sweat-shirt de Noël sapin', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"sapin"}', 0), + (397, 2, 5, 'Sweat-shirt de Noël rouge', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"rouge"}', 0), + (398, 2, 5, 'Sweat-shirt de Noël rayé', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"rayé"}', 0), + (399, 2, 5, 'Sweat-shirt de Noël reine', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"reine"}', 0), + (400, 2, 5, 'Sweat-shirt de Noël sapin', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt de Noël","colorLabel":"sapin"}', 0), + (401, 1, 9, 'Pull de motard noire', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"noire"}', 0), + (402, 1, 9, 'Pull de motard gris', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"gris"}', 0), + (403, 1, 9, 'Pull de motard blanc', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"blanc"}', 0), + (404, 1, 9, 'Pull de motard camo', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"camo"}', 0), + (405, 2, 9, 'Pull de motard noire', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"noire"}', 0), + (406, 2, 9, 'Pull de motard gris', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"gris"}', 0), + (407, 2, 9, 'Pull de motard blanc', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"blanc"}', 0), + (408, 2, 9, 'Pull de motard camo', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"camo"}', 0), + (409, 1, 10, 'Parachutiste noire', 50, '{"components":{"11":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"noire"}', 0), + (410, 2, 10, 'Parachutiste noire', 50, '{"components":{"11":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"noire"}', 0), + (411, 1, 2, 'T-shirt sale blanc', 50, '{"components":{"11":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt sale","colorLabel":"blanc"}', 0), + (412, 2, 2, 'T-shirt sale blanc', 50, '{"components":{"11":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt sale","colorLabel":"blanc"}', 0), + (413, 1, 5, 'Hoodie oversize gris zip usé', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"gris zip usé"}', 0), + (414, 2, 5, 'Hoodie oversize gris zip usé', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"gris zip usé"}', 0), + (415, 3, 6, 'Queue de pie ouverte noire', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Queue de pie ouverte","colorLabel":"noire"}', 0), + (416, 3, 6, 'Costume froissé ouvert blanche', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé ouvert","colorLabel":"blanche"}', 0), + (417, 3, 6, 'Costume froissé ouvert crème', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé ouvert","colorLabel":"crème"}', 0), + (418, 3, 6, 'Costume froissé ouvert noire', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé ouvert","colorLabel":"noire"}', 0), + (419, 3, 6, 'Costume froissé ouvert cyan', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé ouvert","colorLabel":"cyan"}', 0), + (420, 3, 6, 'Costume froissé boutonné blanche', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé boutonné","colorLabel":"blanche"}', 0), + (421, 3, 6, 'Costume froissé boutonné crème', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé boutonné","colorLabel":"crème"}', 0), + (422, 3, 6, 'Costume froissé boutonné noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé boutonné","colorLabel":"noire"}', 0), + (423, 3, 6, 'Costume froissé boutonné cyan', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Costume froissé boutonné","colorLabel":"cyan"}', 0), + (424, 3, 12, 'Veste rectangle fermée blanche', 50, '{"components":{"11":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"blanche"}', 0), + (425, 3, 12, 'Veste rectangle fermée grise', 50, '{"components":{"11":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"grise"}', 0), + (426, 3, 12, 'Veste rectangle fermée kaki', 50, '{"components":{"11":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"kaki"}', 0), + (427, 3, 12, 'Veste rectangle fermée noire', 50, '{"components":{"11":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"noire"}', 0), + (428, 1, 12, 'Veste en cuir moto noire', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"noire"}', 0), + (429, 2, 12, 'Veste en cuir moto noire', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"noire"}', 0), + (430, 3, 7, 'Chemise longue m. courtes uni noire froissée', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"noire froissée"}', 0), + (431, 3, 12, 'Blouson de moto en cuir noir', 50, '{"components":{"11":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Blouson de moto en cuir","colorLabel":"noir"}', 0), + (432, 1, 4, 'Crop manteau rouge', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"rouge"}', 0), + (433, 1, 4, 'Crop manteau bleue', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"bleue"}', 0), + (434, 1, 4, 'Crop manteau turquoise', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"turquoise"}', 0), + (435, 1, 4, 'Crop manteau ciel', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"ciel"}', 0), + (436, 2, 4, 'Crop manteau rouge', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"rouge"}', 0), + (437, 2, 4, 'Crop manteau bleue', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"bleue"}', 0), + (438, 2, 4, 'Crop manteau turquoise', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"turquoise"}', 0), + (439, 2, 4, 'Crop manteau ciel', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"ciel"}', 0), + (440, 1, 12, 'Veste courte avec sous pull rouge', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"rouge"}', 0), + (441, 1, 12, 'Veste courte avec sous pull bleue', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"bleue"}', 0), + (442, 1, 12, 'Veste courte avec sous pull turquoise', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"turquoise"}', 0), + (443, 1, 12, 'Veste courte avec sous pull ciel', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"ciel"}', 0), + (444, 2, 12, 'Veste courte avec sous pull rouge', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"rouge"}', 0), + (445, 2, 12, 'Veste courte avec sous pull bleue', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"bleue"}', 0), + (446, 2, 12, 'Veste courte avec sous pull turquoise', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"turquoise"}', 0), + (447, 2, 12, 'Veste courte avec sous pull ciel', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"ciel"}', 0), + (448, 3, 5, 'Hoodie déboutonné capuche tête noir', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"noir"}', 0), + (449, 3, 5, 'Hoodie déboutonné capuche tête blanc', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"blanc"}', 0), + (450, 3, 5, 'Hoodie déboutonné capuche tête gris', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"gris"}', 0), + (451, 3, 5, 'Hoodie déboutonné capuche tête rouge', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"rouge"}', 0), + (452, 3, 5, 'Hoodie déboutonné capuche tête bleu', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"bleu"}', 0), + (453, 3, 5, 'Hoodie déboutonné capuche tête jaune', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"jaune"}', 0), + (454, 3, 5, 'Hoodie déboutonné noir', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné","colorLabel":"noir"}', 0), + (455, 3, 5, 'Hoodie déboutonné blanc', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné","colorLabel":"blanc"}', 0), + (456, 3, 5, 'Hoodie déboutonné gris', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné","colorLabel":"gris"}', 0), + (457, 3, 5, 'Hoodie déboutonné rouge', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné","colorLabel":"rouge"}', 0), + (458, 3, 5, 'Hoodie déboutonné bleu', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné","colorLabel":"bleu"}', 0), + (459, 3, 5, 'Hoodie déboutonné jaune', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Hoodie déboutonné","colorLabel":"jaune"}', 0), + (460, 3, 4, 'Manteau à fourrure marron', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"marron"}', 0), + (461, 3, 4, 'Manteau à fourrure crème', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"crème"}', 0), + (462, 3, 4, 'Manteau à fourrure noir', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"noir"}', 0), + (463, 3, 4, 'Manteau à fourrure jaune', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"jaune"}', 0), + (464, 3, 4, 'Manteau à fourrure blanc', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"blanc"}', 0), + (465, 3, 4, 'Manteau à fourrure léopard', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"léopard"}', 0), + (466, 3, 4, 'Manteau à fourrure violet', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"violet"}', 0), + (467, 3, 4, 'Manteau à fourrure lion', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"lion"}', 0), + (468, 3, 4, 'Manteau à fourrure gris', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"gris"}', 0), + (469, 3, 4, 'Manteau à fourrure noir intense', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"noir intense"}', 0), + (470, 3, 4, 'Manteau à fourrure rose', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"rose"}', 0), + (471, 3, 4, 'Manteau à fourrure foncé', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"foncé"}', 0), + (472, 1, 2, 'T-shirt uni doré', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"doré"}', 0), + (473, 2, 2, 'T-shirt uni doré', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"doré"}', 0), + (474, 3, 4, 'Manteau long chic jaune', 50, '{"components":{"11":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau long chic","colorLabel":"jaune"}', 0), + (475, 3, 4, 'Manteau long chic gris', 50, '{"components":{"11":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau long chic","colorLabel":"gris"}', 0), + (476, 3, 4, 'Manteau long chic noir', 50, '{"components":{"11":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau long chic","colorLabel":"noir"}', 0), + (477, 3, 4, 'Manteau long chic bleu', 50, '{"components":{"11":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau long chic","colorLabel":"bleu"}', 0), + (478, 1, 2, 'T-shirt à motifs pégase', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"pégase"}', 0), + (479, 1, 2, 'T-shirt à motifs romain', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"romain"}', 0), + (480, 1, 2, 'T-shirt à motifs chevalier', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"chevalier"}', 0), + (481, 1, 2, 'T-shirt à motifs aigle royal', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"aigle royal"}', 0), + (482, 1, 2, 'T-shirt à motifs maron', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"maron"}', 0), + (483, 1, 2, 'T-shirt à motifs épées 1 ', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"épées 1 "}', 0), + (484, 1, 2, 'T-shirt à motifs épées 2', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"épées 2"}', 0), + (485, 1, 2, 'T-shirt à motifs P 1', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"P 1"}', 0), + (486, 1, 2, 'T-shirt à motifs P 2', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":" P 2"}', 0), + (487, 1, 2, 'T-shirt à motifs P roses', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"P roses"}', 0), + (488, 1, 2, 'T-shirt à motifs diamants noirs', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"diamants noirs"}', 0), + (489, 1, 2, 'T-shirt à motifs diamants jaunes', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"diamants jaunes"}', 0), + (490, 1, 2, 'T-shirt à motifs rose', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"rose"}', 0), + (491, 1, 2, 'T-shirt à motifs carrelage', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"carrelage"}', 0), + (492, 1, 2, 'T-shirt à motifs cartes', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"cartes"}', 0), + (493, 1, 2, 'T-shirt à motifs m blanches losanges multicolores', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"m blanches losanges multicolores"}', 0), + (494, 1, 2, 'T-shirt à motifs losanges multicolores', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"losanges multicolores"}', 0), + (495, 1, 2, 'T-shirt à motifs losanges beige', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"losanges beige"}', 0), + (496, 2, 2, 'T-shirt à motifs pégase', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"pégase"}', 0), + (497, 2, 2, 'T-shirt à motifs romain', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"romain"}', 0), + (498, 2, 2, 'T-shirt à motifs chevalier', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"chevalier"}', 0), + (499, 2, 2, 'T-shirt à motifs aigle royal', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"aigle royal"}', 0), + (500, 2, 2, 'T-shirt à motifs maron', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"maron"}', 0), + (501, 2, 2, 'T-shirt à motifs épées 1 ', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"épées 1 "}', 0), + (502, 2, 2, 'T-shirt à motifs épées 2', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"épées 2"}', 0), + (503, 2, 2, 'T-shirt à motifs P 1', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"P 1"}', 0), + (504, 2, 2, 'T-shirt à motifs P 2', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":" P 2"}', 0), + (505, 2, 2, 'T-shirt à motifs P roses', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"P roses"}', 0), + (506, 2, 2, 'T-shirt à motifs diamants noirs', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"diamants noirs"}', 0), + (507, 2, 2, 'T-shirt à motifs diamants jaunes', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"diamants jaunes"}', 0), + (508, 2, 2, 'T-shirt à motifs rose', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"rose"}', 0), + (509, 2, 2, 'T-shirt à motifs carrelage', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"carrelage"}', 0), + (510, 2, 2, 'T-shirt à motifs cartes', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"cartes"}', 0), + (511, 2, 2, 'T-shirt à motifs m blanches losanges multicolores', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"m blanches losanges multicolores"}', 0), + (512, 2, 2, 'T-shirt à motifs losanges multicolores', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"losanges multicolores"}', 0), + (513, 2, 2, 'T-shirt à motifs losanges beige', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"losanges beige"}', 0), + (514, 1, 12, 'Bomber à zip ouvert diamants marrons', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"diamants marrons"}', 0), + (515, 1, 12, 'Bomber à zip ouvert P noirs', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"P noirs"}', 0), + (516, 1, 12, 'Bomber à zip ouvert diamants blancs', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"diamants blancs"}', 0), + (517, 1, 12, 'Bomber à zip ouvert diamants colorés', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"diamants colorés"}', 0), + (518, 1, 12, 'Bomber à zip ouvert carreaux', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"carreaux"}', 0), + (519, 1, 12, 'Bomber à zip ouvert goldé', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"goldé"}', 0), + (520, 1, 12, 'Bomber à zip ouvert cyberpunk', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"cyberpunk"}', 0), + (521, 1, 12, 'Bomber à zip ouvert casino', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"casino"}', 0), + (522, 1, 12, 'Bomber à zip ouvert vagues', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"vagues"}', 0), + (523, 1, 12, 'Bomber à zip ouvert enchainé', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"enchainé"}', 0), + (524, 1, 12, 'Bomber à zip ouvert enchainé rouge', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"enchainé rouge"}', 0), + (525, 2, 12, 'Bomber à zip ouvert diamants marrons', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"diamants marrons"}', 0), + (526, 2, 12, 'Bomber à zip ouvert P noirs', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"P noirs"}', 0), + (527, 2, 12, 'Bomber à zip ouvert diamants blancs', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"diamants blancs"}', 0), + (528, 2, 12, 'Bomber à zip ouvert diamants colorés', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"diamants colorés"}', 0), + (529, 2, 12, 'Bomber à zip ouvert carreaux', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"carreaux"}', 0), + (530, 2, 12, 'Bomber à zip ouvert goldé', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"goldé"}', 0), + (531, 2, 12, 'Bomber à zip ouvert cyberpunk', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"cyberpunk"}', 0), + (532, 2, 12, 'Bomber à zip ouvert casino', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"casino"}', 0), + (533, 2, 12, 'Bomber à zip ouvert vagues', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"vagues"}', 0), + (534, 2, 12, 'Bomber à zip ouvert enchainé', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"enchainé"}', 0), + (535, 2, 12, 'Bomber à zip ouvert enchainé rouge', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Bomber à zip ouvert","colorLabel":"enchainé rouge"}', 0), + (536, 1, 12, 'Bomber à zip fermé diamants marrons', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"diamants marrons"}', 0), + (537, 1, 12, 'Bomber à zip fermé P noirs', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"P noirs"}', 0), + (538, 1, 12, 'Bomber à zip fermé diamants blancs', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"diamants blancs"}', 0), + (539, 1, 12, 'Bomber à zip fermé diamants colorés', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"diamants colorés"}', 0), + (540, 1, 12, 'Bomber à zip fermé carreaux', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"carreaux"}', 0), + (541, 1, 12, 'Bomber à zip fermé goldé', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"goldé"}', 0), + (542, 1, 12, 'Bomber à zip fermé cyberpunk', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"cyberpunk"}', 0), + (543, 1, 12, 'Bomber à zip fermé casino', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"casino"}', 0), + (544, 1, 12, 'Bomber à zip fermé vagues', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"vagues"}', 0), + (545, 1, 12, 'Bomber à zip fermé enchainé', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"enchainé"}', 0), + (546, 1, 12, 'Bomber à zip fermé enchainé rouge', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"enchainé rouge"}', 0), + (547, 2, 12, 'Bomber à zip fermé diamants marrons', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"diamants marrons"}', 0), + (548, 2, 12, 'Bomber à zip fermé P noirs', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"P noirs"}', 0), + (549, 2, 12, 'Bomber à zip fermé diamants blancs', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"diamants blancs"}', 0), + (550, 2, 12, 'Bomber à zip fermé diamants colorés', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"diamants colorés"}', 0), + (551, 2, 12, 'Bomber à zip fermé carreaux', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"carreaux"}', 0), + (552, 2, 12, 'Bomber à zip fermé goldé', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"goldé"}', 0), + (553, 2, 12, 'Bomber à zip fermé cyberpunk', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"cyberpunk"}', 0), + (554, 2, 12, 'Bomber à zip fermé casino', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"casino"}', 0), + (555, 2, 12, 'Bomber à zip fermé vagues', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"vagues"}', 0), + (556, 2, 12, 'Bomber à zip fermé enchainé', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"enchainé"}', 0), + (557, 2, 12, 'Bomber à zip fermé enchainé rouge', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Bomber à zip fermé","colorLabel":"enchainé rouge"}', 0), + (558, 3, 4, 'Manteau à ceinture fermé crème', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau à ceinture fermé","colorLabel":"crème"}', 0), + (559, 3, 4, 'Manteau à ceinture fermé noir', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau à ceinture fermé","colorLabel":"noir"}', 0), + (560, 3, 4, 'Manteau à ceinture fermé bleu', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau à ceinture fermé","colorLabel":"bleu"}', 0), + (561, 3, 4, 'Manteau à ceinture fermé blanc', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau à ceinture fermé","colorLabel":"blanc"}', 0), + (562, 3, 4, 'Manteau à ceinture fermé kaki', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau à ceinture fermé","colorLabel":"kaki"}', 0), + (563, 3, 4, 'Manteau imposant ouvert blanc', 50, '{"components":{"11":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau imposant ouvert","colorLabel":"blanc"}', 0), + (564, 3, 4, 'Manteau imposant ouvert crème', 50, '{"components":{"11":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau imposant ouvert","colorLabel":"crème"}', 0), + (565, 3, 4, 'Manteau imposant ouvert bleu', 50, '{"components":{"11":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau imposant ouvert","colorLabel":"bleu"}', 0), + (566, 3, 4, 'Manteau imposant ouvert kaki', 50, '{"components":{"11":{"Drawable":77,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau imposant ouvert","colorLabel":"kaki"}', 0), + (567, 3, 9, 'Pull manches longues losanges', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"losanges"}', 0), + (568, 3, 9, 'Pull manches longues LE CHIEN', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"LE CHIEN"}', 0), + (569, 3, 9, 'Pull manches longues rasoir', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"rasoir"}', 0), + (570, 3, 9, 'Pull manches longues shiruken', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"shiruken"}', 0), + (571, 3, 9, 'Pull manches longues blanc', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"blanc"}', 0), + (572, 3, 9, 'Pull manches longues grille', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"grille"}', 0), + (573, 3, 9, 'Pull manches longues P crème', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"P crème"}', 0), + (574, 3, 9, 'Pull manches longues P marron', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"P marron"}', 0), + (575, 3, 9, 'Pull manches longues Casino', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Casino"}', 0), + (576, 3, 9, 'Pull manches longues diamants gris', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"diamants gris"}', 0), + (577, 3, 9, 'Pull manches longues P noir', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"P noir"}', 0), + (578, 3, 9, 'Pull manches longues diamants jaune', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"diamants jaune"}', 0), + (579, 3, 9, 'Pull manches longues losanges bonbon', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"losanges bonbon"}', 0), + (580, 3, 9, 'Pull manches longues diamants bonbon', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"diamants bonbon"}', 0), + (581, 3, 9, 'Pull manches longues triangles', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"triangles"}', 0), + (582, 3, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (583, 1, 2, 'T-shirt long uni blanc', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"uni blanc"}', 0), + (584, 1, 2, 'T-shirt long uni noir', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"uni noir"}', 0), + (585, 1, 2, 'T-shirt long uni gris', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"uni gris"}', 0), + (586, 2, 2, 'T-shirt long uni blanc', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"uni blanc"}', 0), + (587, 2, 2, 'T-shirt long uni noir', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"uni noir"}', 0), + (588, 2, 2, 'T-shirt long uni gris', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"uni gris"}', 0), + (589, 1, 2, 'T-shirt hockey noir', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"noir"}', 0), + (590, 1, 2, 'T-shirt hockey blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"blanc"}', 0), + (591, 1, 2, 'T-shirt hockey gris', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"gris"}', 0), + (592, 2, 2, 'T-shirt hockey noir', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"noir"}', 0), + (593, 2, 2, 'T-shirt hockey blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"blanc"}', 0), + (594, 2, 2, 'T-shirt hockey gris', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"gris"}', 0), + (595, 1, 3, 'Polo long gris', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"gris"}', 0), + (596, 1, 3, 'Polo long noir et jaune', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"noir et jaune"}', 0), + (597, 1, 3, 'Polo long noir', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"noir"}', 0), + (598, 1, 3, 'Polo long marron rayé', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"marron rayé"}', 0), + (599, 1, 3, 'Polo long vert', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"vert"}', 0), + (600, 1, 3, 'Polo long rose', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose"}', 0), + (601, 1, 3, 'Polo long bleu rayé', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"bleu rayé"}', 0), + (602, 1, 3, 'Polo long rose et blanc', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose et blanc"}', 0), + (603, 1, 3, 'Polo long gris', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"gris"}', 0), + (604, 1, 3, 'Polo long marine', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"marine"}', 0), + (605, 1, 3, 'Polo long desert', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"desert"}', 0), + (606, 1, 3, 'Polo long tropical', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"tropical"}', 0), + (607, 1, 3, 'Polo long bicolore', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"bicolore"}', 0), + (608, 1, 3, 'Polo long couché de soleil', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"couché de soleil"}', 0), + (609, 1, 3, 'Polo long violet', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"violet"}', 0), + (610, 1, 3, 'Polo long abeille', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"abeille"}', 0), + (611, 2, 3, 'Polo long gris', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"gris"}', 0), + (612, 2, 3, 'Polo long noir et jaune', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"noir et jaune"}', 0), + (613, 2, 3, 'Polo long noir', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"noir"}', 0), + (614, 2, 3, 'Polo long marron rayé', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"marron rayé"}', 0), + (615, 2, 3, 'Polo long vert', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"vert"}', 0), + (616, 2, 3, 'Polo long rose', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose"}', 0), + (617, 2, 3, 'Polo long bleu rayé', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"bleu rayé"}', 0), + (618, 2, 3, 'Polo long rose et blanc', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose et blanc"}', 0), + (619, 2, 3, 'Polo long gris', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"gris"}', 0), + (620, 2, 3, 'Polo long marine', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"marine"}', 0), + (621, 2, 3, 'Polo long desert', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"desert"}', 0), + (622, 2, 3, 'Polo long tropical', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"tropical"}', 0), + (623, 2, 3, 'Polo long bicolore', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"bicolore"}', 0), + (624, 2, 3, 'Polo long couché de soleil', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"couché de soleil"}', 0), + (625, 2, 3, 'Polo long violet', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"violet"}', 0), + (626, 2, 3, 'Polo long abeille', 50, '{"components":{"11":{"Drawable":82,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"abeille"}', 0), + (627, 1, 2, 'T-shirt baseball gris', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris"}', 0), + (628, 1, 2, 'T-shirt baseball blanc et bleu', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc et bleu"}', 0), + (629, 1, 2, 'T-shirt baseball bleu et vert', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"bleu et vert"}', 0), + (630, 1, 2, 'T-shirt baseball blanc rayé', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc rayé"}', 0), + (631, 1, 2, 'T-shirt baseball gris', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris"}', 0), + (632, 2, 2, 'T-shirt baseball gris', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris"}', 0), + (633, 2, 2, 'T-shirt baseball blanc et bleu', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc et bleu"}', 0), + (634, 2, 2, 'T-shirt baseball bleu et vert', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"bleu et vert"}', 0), + (635, 2, 2, 'T-shirt baseball blanc rayé', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc rayé"}', 0), + (636, 2, 2, 'T-shirt baseball gris', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris"}', 0), + (637, 1, 5, 'Sweat de suporter Corkers', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Corkers"}', 0), + (638, 1, 5, 'Sweat de suporter LS', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"LS"}', 0), + (639, 1, 5, 'Sweat de suporter SA', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"SA"}', 0), + (640, 1, 5, 'Sweat de suporter Squeezers', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Squeezers"}', 0), + (641, 1, 5, 'Sweat de suporter Feud', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Feud"}', 0), + (642, 1, 5, 'Sweat de suporter Boars', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Boars"}', 0), + (643, 2, 5, 'Sweat de suporter Corkers', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Corkers"}', 0), + (644, 2, 5, 'Sweat de suporter LS', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"LS"}', 0), + (645, 2, 5, 'Sweat de suporter SA', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"SA"}', 0), + (646, 2, 5, 'Sweat de suporter Squeezers', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Squeezers"}', 0), + (647, 2, 5, 'Sweat de suporter Feud', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Feud"}', 0), + (648, 2, 5, 'Sweat de suporter Boars', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat de suporter","colorLabel":"Boars"}', 0), + (649, 3, 5, 'Hoodie moelleux noir', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie moelleux","colorLabel":"noir"}', 0), + (650, 3, 5, 'Hoodie moelleux gris', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie moelleux","colorLabel":"gris"}', 0), + (651, 3, 5, 'Hoodie moelleux blanc', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie moelleux","colorLabel":"blanc"}', 0), + (652, 3, 5, 'Hoodie moelleux bleu', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie moelleux","colorLabel":"bleu"}', 0), + (653, 3, 5, 'Hoodie moelleux rouge', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie moelleux","colorLabel":"rouge"}', 0), + (654, 3, 12, 'Veste highschool football boutons PP 1', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"PP 1"}', 0), + (655, 3, 12, 'Veste highschool football boutons Magnetics', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Magnetics"}', 0), + (656, 3, 12, 'Veste highschool football boutons Hinterland', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Hinterland"}', 0), + (657, 3, 12, 'Veste highschool football boutons Magnetics 2', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Magnetics 2"}', 0), + (658, 3, 12, 'Veste highschool football boutons Broker', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Broker"}', 0), + (659, 3, 12, 'Veste highschool football boutons Broker 2', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Broker 2"}', 0), + (660, 3, 12, 'Veste highschool football boutons Broker 3', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Broker 3"}', 0), + (661, 3, 12, 'Veste highschool football boutons Tryekester', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Tryekester"}', 0), + (662, 3, 12, 'Veste highschool football boutons Tryekester 2', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Tryekester 2"}', 0), + (663, 3, 12, 'Veste highschool football boutons Huit', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Huit"}', 0), + (664, 3, 12, 'Veste highschool football boutons PP 2', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"PP 2"}', 0), + (665, 3, 12, 'Veste highschool football boutons LS', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"LS"}', 0), + (666, 3, 12, 'Veste highschool football boutons ouverte PP 2', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"PP 2"}', 0), + (667, 3, 12, 'Veste highschool football boutons ouverte Magnetics', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Magnetics"}', 0), + (668, 3, 12, 'Veste highschool football boutons ouverte Hinterland', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Hinterland"}', 0), + (669, 3, 12, 'Veste highschool football boutons ouverte Magnetics 3', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Magnetics 3"}', 0), + (670, 3, 12, 'Veste highschool football boutons ouverte Broker', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Broker"}', 0), + (671, 3, 12, 'Veste highschool football boutons ouverte Broker 3', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Broker 3"}', 0), + (672, 3, 12, 'Veste highschool football boutons ouverte Broker 4', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Broker 4"}', 0), + (673, 3, 12, 'Veste highschool football boutons ouverte Tryekester', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Tryekester"}', 0), + (674, 3, 12, 'Veste highschool football boutons ouverte Tryekester 3', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Tryekester 3"}', 0), + (675, 3, 12, 'Veste highschool football boutons ouverte Huit', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"Huit"}', 0), + (676, 3, 12, 'Veste highschool football boutons ouverte PP 3', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"PP 3"}', 0), + (677, 3, 12, 'Veste highschool football boutons ouverte LS', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"LS"}', 0), + (678, 3, 9, 'Pull manches longues noir', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"noir"}', 0), + (679, 3, 9, 'Pull manches longues gris', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"gris"}', 0), + (680, 3, 9, 'Pull manches longues blanc', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"blanc"}', 0), + (681, 3, 9, 'Pull manches longues vert', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"vert"}', 0), + (682, 3, 12, 'Veste highschool football boutons blanc', 50, '{"components":{"11":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blanc"}', 0), + (683, 3, 7, 'Pyjama noir', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (684, 3, 7, 'Pyjama violet', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"violet"}', 0), + (685, 3, 7, 'Pyjama or', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"or"}', 0), + (686, 3, 7, 'Pyjama ciel', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"ciel"}', 0), + (687, 3, 7, 'Pyjama rouge', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (688, 3, 7, 'Pyjama cyan', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"cyan"}', 0), + (689, 3, 7, 'Pyjama fleur noire', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"fleur noire"}', 0), + (690, 3, 3, 'Polo sportif sorti Andreas', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"Andreas"}', 0), + (691, 3, 3, 'Polo sportif sorti 4 couleurs', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"4 couleurs"}', 0), + (692, 3, 3, 'Polo sportif sorti rayé vert', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rayé vert"}', 0), + (693, 3, 3, 'Polo sportif rentré Andreas', 50, '{"components":{"11":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"Andreas"}', 0), + (694, 3, 3, 'Polo sportif rentré 5 couleurs', 50, '{"components":{"11":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"5 couleurs"}', 0), + (695, 3, 3, 'Polo sportif rentré rayé vert', 50, '{"components":{"11":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rayé vert"}', 0), + (696, 1, 7, 'Chemise rentrée m. retroussées bleu', 50, '{"components":{"11":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise rentrée m. retroussées","colorLabel":"bleu"}', 0), + (697, 1, 7, 'Chemise rentrée m. retroussées noir', 50, '{"components":{"11":{"Drawable":95,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise rentrée m. retroussées","colorLabel":"noir"}', 0), + (698, 1, 7, 'Chemise rentrée m. retroussées carreau vert', 50, '{"components":{"11":{"Drawable":95,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise rentrée m. retroussées","colorLabel":"carreau vert"}', 0), + (699, 2, 7, 'Chemise rentrée m. retroussées bleu', 50, '{"components":{"11":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise rentrée m. retroussées","colorLabel":"bleu"}', 0), + (700, 2, 7, 'Chemise rentrée m. retroussées noir', 50, '{"components":{"11":{"Drawable":95,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise rentrée m. retroussées","colorLabel":"noir"}', 0), + (701, 2, 7, 'Chemise rentrée m. retroussées carreau vert', 50, '{"components":{"11":{"Drawable":95,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise rentrée m. retroussées","colorLabel":"carreau vert"}', 0), + (702, 1, 5, 'Hoodie oversize bleu-blanc', 50, '{"components":{"11":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu-blanc"}', 0), + (703, 2, 5, 'Hoodie oversize bleu-blanc', 50, '{"components":{"11":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu-blanc"}', 0), + (704, 1, 2, 'T-shirt sale gris', 50, '{"components":{"11":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt sale","colorLabel":"gris"}', 0), + (705, 1, 2, 'T-shirt sale kaki', 50, '{"components":{"11":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt sale","colorLabel":"kaki"}', 0), + (706, 2, 2, 'T-shirt sale gris', 50, '{"components":{"11":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt sale","colorLabel":"gris"}', 0), + (707, 2, 2, 'T-shirt sale kaki', 50, '{"components":{"11":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt sale","colorLabel":"kaki"}', 0), + (708, 3, 6, 'Veste classe ouverte crème', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste classe ouverte","colorLabel":"crème"}', 0), + (709, 3, 6, 'Veste classe ouverte bleu', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste classe ouverte","colorLabel":"bleu"}', 0), + (710, 3, 6, 'Veste classe ouverte ciel', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste classe ouverte","colorLabel":"ciel"}', 0), + (711, 3, 6, 'Veste classe ouverte violet', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste classe ouverte","colorLabel":"violet"}', 0), + (712, 3, 6, 'Veste classe ouverte jaune', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,8,7],"modelLabel":"Veste classe ouverte","colorLabel":"jaune"}', 0), + (713, 3, 6, 'Veste classe fermée Crème', 50, '{"components":{"11":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe fermée","colorLabel":"Crème"}', 0), + (714, 3, 6, 'Veste classe fermée bleu', 50, '{"components":{"11":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe fermée","colorLabel":"bleu"}', 0), + (715, 3, 6, 'Veste classe fermée ciel', 50, '{"components":{"11":{"Drawable":100,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe fermée","colorLabel":"ciel"}', 0), + (716, 3, 6, 'Veste classe fermée violet', 50, '{"components":{"11":{"Drawable":100,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe fermée","colorLabel":"violet"}', 0), + (717, 3, 6, 'Veste classe fermée jaune', 50, '{"components":{"11":{"Drawable":100,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe fermée","colorLabel":"jaune"}', 0), + (718, 3, 6, 'Veste classe col velours ouverte lie de vin', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste classe col velours ouverte","colorLabel":"lie de vin"}', 0), + (719, 3, 6, 'Veste classe col velours ouverte bleue', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste classe col velours ouverte","colorLabel":"bleue"}', 0), + (720, 3, 6, 'Veste classe col velours ouverte noire', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste classe col velours ouverte","colorLabel":"noire"}', 0), + (721, 3, 6, 'Veste classe col velours ouverte verte', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste classe col velours ouverte","colorLabel":"verte"}', 0), + (722, 3, 6, 'Veste classe col velours fermée lie de vin', 50, '{"components":{"11":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste classe col velours fermée","colorLabel":"lie de vin"}', 0), + (723, 3, 6, 'Veste classe col velours fermée bleue', 50, '{"components":{"11":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste classe col velours fermée","colorLabel":"bleue"}', 0), + (724, 3, 6, 'Veste classe col velours fermée noire', 50, '{"components":{"11":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste classe col velours fermée","colorLabel":"noire"}', 0), + (725, 3, 6, 'Veste classe col velours fermée verte', 50, '{"components":{"11":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste classe col velours fermée","colorLabel":"verte"}', 0), + (726, 3, 6, 'Veste classe col velours ouverte motif végétal', 50, '{"components":{"11":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste classe col velours ouverte","colorLabel":"motif végétal"}', 0), + (727, 1, 7, 'Chemise vacances motif floral', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"motif floral"}', 0), + (728, 2, 7, 'Chemise vacances motif floral', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"motif floral"}', 0), + (729, 3, 4, 'Manteau matelassé bleu foncé', 50, '{"components":{"11":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"bleu foncé"}', 0), + (730, 3, 4, 'Manteau asiatique blanc', 50, '{"components":{"11":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"blanc"}', 0), + (731, 3, 4, 'Manteau asiatique noir', 50, '{"components":{"11":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"noir"}', 0), + (732, 3, 4, 'Manteau asiatique rouge', 50, '{"components":{"11":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"rouge"}', 0), + (733, 3, 4, 'Manteau asiatique bleue-gris', 50, '{"components":{"11":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"bleue-gris"}', 0), + (734, 3, 4, 'Manteau asiatique marron', 50, '{"components":{"11":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"marron"}', 0), + (735, 3, 4, 'Veste à ceinturon feu', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à ceinturon","colorLabel":"feu"}', 0), + (736, 3, 9, 'Pull à col roulé gris foncé', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"gris foncé"}', 0), + (737, 3, 9, 'Pull à col roulé rouge', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"rouge"}', 0), + (738, 3, 9, 'Pull à col roulé marron', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"marron"}', 0), + (739, 3, 9, 'Pull à col roulé noir', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"noir"}', 0), + (740, 3, 9, 'Pull à col roulé bleu foncé', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"bleu foncé"}', 0), + (741, 3, 9, 'Pull à col roulé gris clair', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"gris clair"}', 0), + (742, 1, 12, 'Veste Harrington rouge et noire', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rouge et noire"}', 0), + (743, 1, 12, 'Veste Harrington noire', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"noire"}', 0), + (744, 1, 12, 'Veste Harrington bleue', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleue"}', 0), + (745, 1, 12, 'Veste Harrington verte et bleue', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"verte et bleue"}', 0), + (746, 2, 12, 'Veste Harrington rouge et noire', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rouge et noire"}', 0), + (747, 2, 12, 'Veste Harrington noire', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"noire"}', 0), + (748, 2, 12, 'Veste Harrington bleue', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleue"}', 0), + (749, 2, 12, 'Veste Harrington verte et bleue', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"verte et bleue"}', 0), + (750, 3, 7, 'Haut de peignoir blanc', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"blanc"}', 0), + (751, 3, 7, 'Haut de peignoir bleu gris', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"bleu gris"}', 0), + (752, 3, 7, 'Haut de peignoir noir', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir"}', 0), + (753, 3, 7, 'Haut de peignoir rouge', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"rouge"}', 0), + (754, 3, 7, 'Haut de peignoir Violet', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"Violet"}', 0), + (755, 3, 7, 'Haut de peignoir bleu', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"bleu"}', 0), + (756, 3, 7, 'Haut de peignoir gris', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"gris"}', 0), + (757, 3, 7, 'Haut de peignoir Motif triangle', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"Motif triangle"}', 0), + (758, 3, 4, 'Long manteau à bouton ouvert gris foncé', 50, '{"components":{"11":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"gris foncé"}', 0), + (759, 1, 10, 'Père Noël propre', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Père Noël ","colorLabel":"propre"}', 0), + (760, 1, 10, 'Père Noël sale', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Père Noël ","colorLabel":"sale"}', 0), + (761, 1, 10, 'Père Noël Très sale', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Père Noël ","colorLabel":"Très sale"}', 0), + (762, 2, 10, 'Père Noël propre', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Père Noël ","colorLabel":"propre"}', 0), + (763, 2, 10, 'Père Noël sale', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Père Noël ","colorLabel":"sale"}', 0), + (764, 2, 10, 'Père Noël Très sale', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Père Noël ","colorLabel":"Très sale"}', 0), + (765, 1, 7, 'Pyjama de noël rouge', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"rouge"}', 0), + (766, 1, 7, 'Pyjama de noël marais', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"marais"}', 0), + (767, 1, 7, 'Pyjama de noël bucheron', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"bucheron"}', 0), + (768, 1, 7, 'Pyjama de noël sucre d\'orge', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"sucre d\'orge"}', 0), + (769, 1, 7, 'Pyjama de noël chausette', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"chausette"}', 0), + (770, 1, 7, 'Pyjama de noël lutin vert', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"lutin vert"}', 0), + (771, 1, 7, 'Pyjama de noël luntin rouge', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"luntin rouge"}', 0), + (772, 1, 7, 'Pyjama de noël feuille de houx', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"feuille de houx"}', 0), + (773, 1, 7, 'Pyjama de noël penguin', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"penguin"}', 0), + (774, 1, 7, 'Pyjama de noël cerf', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"cerf"}', 0), + (775, 1, 7, 'Pyjama de noël flocon', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"flocon"}', 0), + (776, 1, 7, 'Pyjama de noël bonhomme de neige', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"bonhomme de neige"}', 0), + (777, 1, 7, 'Pyjama de noël sapin', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"sapin"}', 0), + (778, 1, 7, 'Pyjama de noël sapin festif', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"sapin festif"}', 0), + (779, 1, 7, 'Pyjama de noël ombre sapin', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"ombre sapin"}', 0), + (780, 1, 7, 'Pyjama de noël rayure', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"rayure"}', 0), + (781, 2, 7, 'Pyjama de noël rouge', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"rouge"}', 0), + (782, 2, 7, 'Pyjama de noël marais', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"marais"}', 0), + (783, 2, 7, 'Pyjama de noël bucheron', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"bucheron"}', 0), + (784, 2, 7, 'Pyjama de noël sucre d\'orge', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"sucre d\'orge"}', 0), + (785, 2, 7, 'Pyjama de noël chausette', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"chausette"}', 0), + (786, 2, 7, 'Pyjama de noël lutin vert', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"lutin vert"}', 0), + (787, 2, 7, 'Pyjama de noël luntin rouge', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"luntin rouge"}', 0), + (788, 2, 7, 'Pyjama de noël feuille de houx', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"feuille de houx"}', 0), + (789, 2, 7, 'Pyjama de noël penguin', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"penguin"}', 0), + (790, 2, 7, 'Pyjama de noël cerf', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"cerf"}', 0), + (791, 2, 7, 'Pyjama de noël flocon', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"flocon"}', 0), + (792, 2, 7, 'Pyjama de noël bonhomme de neige', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"bonhomme de neige"}', 0), + (793, 2, 7, 'Pyjama de noël sapin', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"sapin"}', 0), + (794, 2, 7, 'Pyjama de noël sapin festif', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"sapin festif"}', 0), + (795, 2, 7, 'Pyjama de noël ombre sapin', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"ombre sapin"}', 0), + (796, 2, 7, 'Pyjama de noël rayure', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama de noël","colorLabel":"rayure"}', 0), + (797, 1, 12, 'Veste en cuir moto vert', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"vert"}', 0), + (798, 1, 12, 'Veste en cuir moto jaune', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"jaune"}', 0), + (799, 1, 12, 'Veste en cuir moto violet', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"violet"}', 0), + (800, 1, 12, 'Veste en cuir moto rose', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"rose"}', 0), + (801, 1, 12, 'Veste en cuir moto rouge', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"rouge"}', 0), + (802, 1, 12, 'Veste en cuir moto bleu', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"bleu"}', 0), + (803, 1, 12, 'Veste en cuir moto gris', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"gris"}', 0), + (804, 1, 12, 'Veste en cuir moto sable', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"sable"}', 0), + (805, 1, 12, 'Veste en cuir moto blanc', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"blanc"}', 0), + (806, 1, 12, 'Veste en cuir moto noir', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"noir"}', 0), + (807, 2, 12, 'Veste en cuir moto vert', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"vert"}', 0), + (808, 2, 12, 'Veste en cuir moto jaune', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"jaune"}', 0), + (809, 2, 12, 'Veste en cuir moto violet', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"violet"}', 0), + (810, 2, 12, 'Veste en cuir moto rose', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"rose"}', 0), + (811, 2, 12, 'Veste en cuir moto rouge', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"rouge"}', 0), + (812, 2, 12, 'Veste en cuir moto bleu', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"bleu"}', 0), + (813, 2, 12, 'Veste en cuir moto gris', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"gris"}', 0), + (814, 2, 12, 'Veste en cuir moto sable', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"sable"}', 0), + (815, 2, 12, 'Veste en cuir moto blanc', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"blanc"}', 0), + (816, 2, 12, 'Veste en cuir moto noir', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste en cuir moto","colorLabel":"noir"}', 0), + (817, 3, 6, 'Veste quatre boutons bleue', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"bleue"}', 0), + (818, 3, 6, 'Veste quatre boutons rouge', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"rouge"}', 0), + (819, 3, 6, 'Veste quatre boutons grise', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"grise"}', 0), + (820, 3, 6, 'Veste quatre boutons noire', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"noire"}', 0), + (821, 3, 6, 'Veste quatre boutons grise claire', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"grise claire"}', 0), + (822, 3, 6, 'Veste quatre boutons piscine', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"piscine"}', 0), + (823, 3, 6, 'Veste quatre boutons marron', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"marron"}', 0), + (824, 3, 6, 'Veste quatre boutons bande', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"bande"}', 0), + (825, 3, 6, 'Veste quatre boutons carreau rouge', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"carreau rouge"}', 0), + (826, 3, 6, 'Veste quatre boutons rayure', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"rayure"}', 0), + (827, 3, 6, 'Veste quatre boutons petit carreau', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"petit carreau"}', 0), + (828, 3, 6, 'Veste quatre boutons carreau bleu', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 4],"modelLabel":"Veste quatre boutons","colorLabel":"carreau bleu"}', 0), + (829, 3, 11, 'Gilet à chaine bleue', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"bleue"}', 0), + (830, 3, 11, 'Gilet à chaine rouge', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"rouge"}', 0), + (831, 3, 11, 'Gilet à chaine gris', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"gris"}', 0), + (832, 3, 11, 'Gilet à chaine noir', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"noir"}', 0), + (833, 3, 11, 'Gilet à chaine gris clair', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"gris clair"}', 0), + (834, 3, 11, 'Gilet à chaine piscine', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"piscine"}', 0), + (835, 3, 11, 'Gilet à chaine marron', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"marron"}', 0), + (836, 3, 11, 'Gilet à chaine bande', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"bande"}', 0), + (837, 3, 11, 'Gilet à chaine carreau rouge', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"carreau rouge"}', 0), + (838, 3, 11, 'Gilet à chaine rayure', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"rayure"}', 0), + (839, 3, 11, 'Gilet à chaine petit carreau', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"petit carreau"}', 0), + (840, 3, 11, 'Gilet à chaine carreau bleu', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet à chaine","colorLabel":"carreau bleu"}', 0), + (841, 1, 5, 'Hoodie de hipster bicolor', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"bicolor"}', 0), + (842, 1, 5, 'Hoodie de hipster tricolor', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"tricolor"}', 0), + (843, 1, 5, 'Hoodie de hipster noire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noire"}', 0), + (844, 1, 5, 'Hoodie de hipster reggae', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"reggae"}', 0), + (845, 1, 5, 'Hoodie de hipster blanc', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"blanc"}', 0), + (846, 1, 5, 'Hoodie de hipster motif rond', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"motif rond"}', 0), + (847, 1, 5, 'Hoodie de hipster trickster', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"trickster"}', 0), + (848, 1, 5, 'Hoodie de hipster firmnalot', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"firmnalot"}', 0), + (849, 1, 5, 'Hoodie de hipster yeti', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"yeti"}', 0), + (850, 1, 5, 'Hoodie de hipster sweatbox', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"sweatbox"}', 0), + (851, 1, 5, 'Hoodie de hipster jaune', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"jaune"}', 0), + (852, 1, 5, 'Hoodie de hipster vert', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"vert"}', 0), + (853, 2, 5, 'Hoodie de hipster bicolor', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"bicolor"}', 0), + (854, 2, 5, 'Hoodie de hipster tricolor', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"tricolor"}', 0), + (855, 2, 5, 'Hoodie de hipster noire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noire"}', 0), + (856, 2, 5, 'Hoodie de hipster reggae', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"reggae"}', 0), + (857, 2, 5, 'Hoodie de hipster blanc', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"blanc"}', 0), + (858, 2, 5, 'Hoodie de hipster motif rond', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"motif rond"}', 0), + (859, 2, 5, 'Hoodie de hipster trickster', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"trickster"}', 0), + (860, 2, 5, 'Hoodie de hipster firmnalot', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"firmnalot"}', 0), + (861, 2, 5, 'Hoodie de hipster yeti', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"yeti"}', 0), + (862, 2, 5, 'Hoodie de hipster sweatbox', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"sweatbox"}', 0), + (863, 2, 5, 'Hoodie de hipster jaune', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"jaune"}', 0), + (864, 2, 5, 'Hoodie de hipster vert', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"vert"}', 0), + (865, 1, 12, 'Veste en toile noire', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"noire"}', 0), + (866, 1, 12, 'Veste en toile sable', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"sable"}', 0), + (867, 1, 12, 'Veste en toile cyan', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"cyan"}', 0), + (868, 1, 12, 'Veste en toile grise', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"grise"}', 0), + (869, 1, 12, 'Veste en toile nuance gris', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance gris"}', 0), + (870, 1, 12, 'Veste en toile rouge et noir', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"rouge et noir"}', 0), + (871, 1, 12, 'Veste en toile nuance bleu', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance bleu"}', 0), + (872, 1, 12, 'Veste en toile forestier', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"forestier"}', 0), + (873, 1, 12, 'Veste en toile blanc', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"blanc"}', 0), + (874, 1, 12, 'Veste en toile boue', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"boue"}', 0), + (875, 1, 12, 'Veste en toile rouge', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"rouge"}', 0), + (876, 1, 12, 'Veste en toile nuance vert', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance vert"}', 0), + (877, 1, 12, 'Veste en toile tricolor', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"tricolor"}', 0), + (878, 1, 12, 'Veste en toile nuance gris 2', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance gris 2"}', 0), + (879, 2, 12, 'Veste en toile noire', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"noire"}', 0), + (880, 2, 12, 'Veste en toile sable', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"sable"}', 0), + (881, 2, 12, 'Veste en toile cyan', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"cyan"}', 0), + (882, 2, 12, 'Veste en toile grise', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"grise"}', 0), + (883, 2, 12, 'Veste en toile nuance gris', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance gris"}', 0), + (884, 2, 12, 'Veste en toile rouge et noir', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"rouge et noir"}', 0), + (885, 2, 12, 'Veste en toile nuance bleu', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance bleu"}', 0), + (886, 2, 12, 'Veste en toile forestier', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"forestier"}', 0), + (887, 2, 12, 'Veste en toile blanc', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"blanc"}', 0), + (888, 2, 12, 'Veste en toile boue', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"boue"}', 0), + (889, 2, 12, 'Veste en toile rouge', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"rouge"}', 0), + (890, 2, 12, 'Veste en toile nuance vert', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance vert"}', 0), + (891, 2, 12, 'Veste en toile tricolor', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"tricolor"}', 0), + (892, 2, 12, 'Veste en toile nuance gris 2', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en toile","colorLabel":"nuance gris 2"}', 0), + (893, 1, 3, 'Polo à zip blanc', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"blanc"}', 0), + (894, 1, 3, 'Polo à zip bleu gris', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"bleu gris"}', 0), + (895, 1, 3, 'Polo à zip gris foncé', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"gris foncé"}', 0), + (896, 2, 3, 'Polo à zip blanc', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"blanc"}', 0), + (897, 2, 3, 'Polo à zip bleu gris', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"bleu gris"}', 0), + (898, 2, 3, 'Polo à zip gris foncé', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"gris foncé"}', 0), + (899, 1, 4, 'Blouson d\'hiver vert', 50, '{"components":{"11":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson d\'hiver","colorLabel":"vert"}', 0), + (900, 2, 4, 'Blouson d\'hiver vert', 50, '{"components":{"11":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson d\'hiver","colorLabel":"vert"}', 0), + (901, 1, 4, 'Manteau léger marron clair', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau léger","colorLabel":"marron clair"}', 0), + (902, 2, 4, 'Manteau léger marron clair', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Manteau léger","colorLabel":"marron clair"}', 0), + (903, 1, 7, 'Chemise épaisse car. bleu', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. bleu"}', 0), + (904, 1, 7, 'Chemise épaisse car. beige', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. beige"}', 0), + (905, 1, 7, 'Chemise épaisse car. vert', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. vert"}', 0), + (906, 1, 7, 'Chemise épaisse car. violet', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. violet"}', 0), + (907, 1, 7, 'Chemise épaisse car. brun', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. brun"}', 0), + (908, 1, 7, 'Chemise épaisse gr. car. bleu', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. bleu"}', 0), + (909, 1, 7, 'Chemise épaisse gr. car. violet', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. violet"}', 0), + (910, 1, 7, 'Chemise épaisse gr. car. taupe', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. taupe"}', 0), + (911, 1, 7, 'Chemise épaisse gr. car. brun', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. brun"}', 0), + (912, 1, 7, 'Chemise épaisse pet. car. vert', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. vert"}', 0), + (913, 1, 7, 'Chemise épaisse pet. car. rouge', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. rouge"}', 0), + (914, 1, 7, 'Chemise épaisse pet. car. anthracite', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. anthracite"}', 0), + (915, 1, 7, 'Chemise épaisse pet. car. brun', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. brun"}', 0), + (916, 1, 7, 'Chemise épaisse pet. car. violet', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. violet"}', 0), + (917, 1, 7, 'Chemise épaisse pet. car. blanc', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. blanc"}', 0), + (918, 2, 7, 'Chemise épaisse car. bleu', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. bleu"}', 0), + (919, 2, 7, 'Chemise épaisse car. beige', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. beige"}', 0), + (920, 2, 7, 'Chemise épaisse car. vert', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. vert"}', 0), + (921, 2, 7, 'Chemise épaisse car. violet', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. violet"}', 0), + (922, 2, 7, 'Chemise épaisse car. brun', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"car. brun"}', 0), + (923, 2, 7, 'Chemise épaisse gr. car. bleu', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. bleu"}', 0), + (924, 2, 7, 'Chemise épaisse gr. car. violet', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. violet"}', 0), + (925, 2, 7, 'Chemise épaisse gr. car. taupe', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. taupe"}', 0), + (926, 2, 7, 'Chemise épaisse gr. car. brun', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"gr. car. brun"}', 0), + (927, 2, 7, 'Chemise épaisse pet. car. vert', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. vert"}', 0), + (928, 2, 7, 'Chemise épaisse pet. car. rouge', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. rouge"}', 0), + (929, 2, 7, 'Chemise épaisse pet. car. anthracite', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. anthracite"}', 0), + (930, 2, 7, 'Chemise épaisse pet. car. brun', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. brun"}', 0), + (931, 2, 7, 'Chemise épaisse pet. car. violet', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. violet"}', 0), + (932, 2, 7, 'Chemise épaisse pet. car. blanc', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"pet. car. blanc"}', 0), + (933, 1, 7, 'Chemise épaisse col fermé car. bleu', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. bleu"}', 0), + (934, 1, 7, 'Chemise épaisse col fermé car. beige', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. beige"}', 0), + (935, 1, 7, 'Chemise épaisse col fermé car. vert', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. vert"}', 0), + (936, 1, 7, 'Chemise épaisse col fermé car. violet', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. violet"}', 0), + (937, 1, 7, 'Chemise épaisse col fermé car. brun', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. brun"}', 0), + (938, 1, 7, 'Chemise épaisse col fermé gr. car. bleu', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. bleu"}', 0), + (939, 1, 7, 'Chemise épaisse col fermé gr. car. violet', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. violet"}', 0), + (940, 1, 7, 'Chemise épaisse col fermé gr. car. taupe', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. taupe"}', 0), + (941, 1, 7, 'Chemise épaisse col fermé gr. car. brun', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. brun"}', 0), + (942, 1, 7, 'Chemise épaisse col fermé pet. car. vert', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. vert"}', 0), + (943, 1, 7, 'Chemise épaisse col fermé pet. car. rouge', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. rouge"}', 0), + (944, 1, 7, 'Chemise épaisse col fermé pet. car. anthracite', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. anthracite"}', 0), + (945, 1, 7, 'Chemise épaisse col fermé pet. car. brun', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. brun"}', 0), + (946, 1, 7, 'Chemise épaisse col fermé pet. car. violet', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. violet"}', 0), + (947, 1, 7, 'Chemise épaisse col fermé pet. car. blanc', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. blanc"}', 0), + (948, 2, 7, 'Chemise épaisse col fermé car. bleu', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. bleu"}', 0), + (949, 2, 7, 'Chemise épaisse col fermé car. beige', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. beige"}', 0), + (950, 2, 7, 'Chemise épaisse col fermé car. vert', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. vert"}', 0), + (951, 2, 7, 'Chemise épaisse col fermé car. violet', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. violet"}', 0), + (952, 2, 7, 'Chemise épaisse col fermé car. brun', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"car. brun"}', 0), + (953, 2, 7, 'Chemise épaisse col fermé gr. car. bleu', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. bleu"}', 0), + (954, 2, 7, 'Chemise épaisse col fermé gr. car. violet', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. violet"}', 0), + (955, 2, 7, 'Chemise épaisse col fermé gr. car. taupe', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. taupe"}', 0), + (956, 2, 7, 'Chemise épaisse col fermé gr. car. brun', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"gr. car. brun"}', 0), + (957, 2, 7, 'Chemise épaisse col fermé pet. car. vert', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. vert"}', 0), + (958, 2, 7, 'Chemise épaisse col fermé pet. car. rouge', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. rouge"}', 0), + (959, 2, 7, 'Chemise épaisse col fermé pet. car. anthracite', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. anthracite"}', 0), + (960, 2, 7, 'Chemise épaisse col fermé pet. car. brun', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. brun"}', 0), + (961, 2, 7, 'Chemise épaisse col fermé pet. car. violet', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. violet"}', 0), + (962, 2, 7, 'Chemise épaisse col fermé pet. car. blanc', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"pet. car. blanc"}', 0), + (963, 1, 2, 'T-shirt hockey vert', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"vert"}', 0), + (964, 1, 2, 'T-shirt hockey orange', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"orange"}', 0), + (965, 1, 2, 'T-shirt hockey violet', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"violet"}', 0), + (966, 1, 2, 'T-shirt hockey rose', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"rose"}', 0), + (967, 1, 2, 'T-shirt hockey rouge', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"rouge"}', 0), + (968, 1, 2, 'T-shirt hockey bleu', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"bleu"}', 0), + (969, 1, 2, 'T-shirt hockey gris', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"gris"}', 0), + (970, 1, 2, 'T-shirt hockey boue', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"boue"}', 0), + (971, 1, 2, 'T-shirt hockey blanc', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"blanc"}', 0), + (972, 1, 2, 'T-shirt hockey noir', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"noir"}', 0), + (973, 2, 2, 'T-shirt hockey vert', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"vert"}', 0), + (974, 2, 2, 'T-shirt hockey orange', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"orange"}', 0), + (975, 2, 2, 'T-shirt hockey violet', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"violet"}', 0), + (976, 2, 2, 'T-shirt hockey rose', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"rose"}', 0), + (977, 2, 2, 'T-shirt hockey rouge', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"rouge"}', 0), + (978, 2, 2, 'T-shirt hockey bleu', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"bleu"}', 0), + (979, 2, 2, 'T-shirt hockey gris', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"gris"}', 0), + (980, 2, 2, 'T-shirt hockey boue', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"boue"}', 0), + (981, 2, 2, 'T-shirt hockey blanc', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"blanc"}', 0), + (982, 2, 2, 'T-shirt hockey noir', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"noir"}', 0), + (983, 1, 12, 'Veste SecuroServ fermée', 50, '{"components":{"11":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste SecuroServ","colorLabel":"fermée"}', 0), + (984, 2, 12, 'Veste SecuroServ fermée', 50, '{"components":{"11":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste SecuroServ","colorLabel":"fermée"}', 0), + (985, 1, 12, 'Veste SecuroServ ouverte', 50, '{"components":{"11":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste SecuroServ","colorLabel":"ouverte"}', 0), + (986, 2, 12, 'Veste SecuroServ ouverte', 50, '{"components":{"11":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste SecuroServ","colorLabel":"ouverte"}', 0), + (987, 1, 7, 'Chemise vacances feuille d\'or', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"feuille d\'or"}', 0), + (988, 1, 7, 'Chemise vacances mosaïque', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"mosaïque"}', 0), + (989, 1, 7, 'Chemise vacances losange fleur', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"losange fleur"}', 0), + (990, 1, 7, 'Chemise vacances rosace bleue', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"rosace bleue"}', 0), + (991, 1, 7, 'Chemise vacances ronces', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"ronces"}', 0), + (992, 1, 7, 'Chemise vacances pyramides', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"pyramides"}', 0), + (993, 1, 7, 'Chemise vacances 2 rayures', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"2 rayures"}', 0), + (994, 2, 7, 'Chemise vacances feuille d\'or', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"feuille d\'or"}', 0), + (995, 2, 7, 'Chemise vacances mosaïque', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"mosaïque"}', 0), + (996, 2, 7, 'Chemise vacances losange fleur', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"losange fleur"}', 0), + (997, 2, 7, 'Chemise vacances rosace bleue', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"rosace bleue"}', 0), + (998, 2, 7, 'Chemise vacances ronces', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"ronces"}', 0), + (999, 2, 7, 'Chemise vacances pyramides', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"pyramides"}', 0), + (1000, 2, 7, 'Chemise vacances 2 rayures', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"2 rayures"}', 0), + (1001, 3, 4, 'Manteau matelassé gris', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"gris"}', 0), + (1002, 3, 4, 'Manteau matelassé kaki', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"kaki"}', 0), + (1003, 3, 4, 'Manteau matelassé bleu', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"bleu"}', 0), + (1004, 3, 4, 'Manteau matelassé beige', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"beige"}', 0), + (1005, 3, 4, 'Manteau matelassé marron', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"marron"}', 0), + (1006, 3, 4, 'Manteau matelassé vert', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"vert"}', 0), + (1007, 3, 4, 'Manteau matelassé noir', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau matelassé","colorLabel":"noir"}', 0), + (1008, 3, 11, 'Pull sans manches losanges', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Pull sans manches","colorLabel":"losanges"}', 0), + (1009, 3, 11, 'Pull sans manches bleu', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Pull sans manches","colorLabel":"bleu"}', 0), + (1010, 3, 11, 'Pull sans manches ciel', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Pull sans manches","colorLabel":"ciel"}', 0), + (1011, 3, 4, 'Veste à ceinturon taupe', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à ceinturon","colorLabel":"taupe"}', 0), + (1012, 3, 4, 'Veste à ceinturon noir', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à ceinturon","colorLabel":"noir"}', 0), + (1013, 3, 4, 'Veste à ceinturon marron', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à ceinturon","colorLabel":"marron"}', 0), + (1014, 3, 9, 'Pull à col roulé gris clair', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"gris clair"}', 0), + (1015, 3, 9, 'Pull à col roulé rouge', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"rouge"}', 0), + (1016, 3, 9, 'Pull à col roulé marron', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"marron"}', 0), + (1017, 3, 9, 'Pull à col roulé noir', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"noir"}', 0), + (1018, 3, 9, 'Pull à col roulé bleu', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"bleu"}', 0), + (1019, 3, 9, 'Pull à col roulé blanc', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"blanc"}', 0), + (1020, 3, 9, 'Pull à col roulé violet', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"violet"}', 0), + (1021, 3, 9, 'Pull à col roulé vert', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"vert"}', 0), + (1022, 3, 4, 'Veste 6 boutons blanc', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"blanc"}', 0), + (1023, 3, 4, 'Veste 6 boutons gris', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"gris"}', 0), + (1024, 3, 4, 'Veste 6 boutons noir', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"noir"}', 0), + (1025, 3, 4, 'Veste 6 boutons ciel', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"ciel"}', 0), + (1026, 3, 4, 'Veste 6 boutons bleu foncé', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"bleu foncé"}', 0), + (1027, 3, 4, 'Veste 6 boutons noir 2', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"noir 2"}', 0), + (1028, 3, 4, 'Veste 6 boutons rayé noir', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"rayé noir"}', 0), + (1029, 3, 4, 'Veste 6 boutons rayé bleu', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"rayé bleu"}', 0), + (1030, 3, 4, 'Veste 6 boutons marron', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"marron"}', 0), + (1031, 3, 4, 'Veste 6 boutons bordeau', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"bordeau"}', 0), + (1032, 3, 4, 'Veste 6 boutons violet', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"violet"}', 0), + (1033, 3, 4, 'Veste 6 boutons pâle', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"pâle"}', 0), + (1034, 3, 4, 'Veste 6 boutons rayé marron', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"rayé marron"}', 0), + (1035, 3, 4, 'Veste 6 boutons gris clair', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[3, 4],"modelLabel":"Veste 6 boutons","colorLabel":"gris clair"}', 0), + (1036, 1, 12, 'Veste Harrington prolaps bleu', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"prolaps bleu"}', 0), + (1037, 1, 12, 'Veste Harrington marron', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"marron"}', 0), + (1038, 1, 12, 'Veste Harrington f sable', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"f sable"}', 0), + (1039, 1, 12, 'Veste Harrington tricolore 1', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"tricolore 1"}', 0), + (1040, 1, 12, 'Veste Harrington prolaps marine', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"prolaps marine"}', 0), + (1041, 1, 12, 'Veste Harrington blanc', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"blanc"}', 0), + (1042, 1, 12, 'Veste Harrington f bleu', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"f bleu"}', 0), + (1043, 1, 12, 'Veste Harrington violet', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"violet"}', 0), + (1044, 1, 12, 'Veste Harrington prolaps violet', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"prolaps violet"}', 0), + (1045, 1, 12, 'Veste Harrington gris', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"gris"}', 0), + (1046, 1, 12, 'Veste Harrington f vert', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"f vert"}', 0), + (1047, 2, 12, 'Veste Harrington prolaps bleu', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"prolaps bleu"}', 0), + (1048, 2, 12, 'Veste Harrington marron', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"marron"}', 0), + (1049, 2, 12, 'Veste Harrington f sable', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"f sable"}', 0), + (1050, 2, 12, 'Veste Harrington tricolore 1', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"tricolore 1"}', 0), + (1051, 2, 12, 'Veste Harrington prolaps marine', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"prolaps marine"}', 0), + (1052, 2, 12, 'Veste Harrington blanc', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"blanc"}', 0), + (1053, 2, 12, 'Veste Harrington f bleu', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"f bleu"}', 0), + (1054, 2, 12, 'Veste Harrington violet', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"violet"}', 0), + (1055, 2, 12, 'Veste Harrington prolaps violet', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"prolaps violet"}', 0), + (1056, 2, 12, 'Veste Harrington gris', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"gris"}', 0), + (1057, 2, 12, 'Veste Harrington f vert', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"f vert"}', 0), + (1058, 3, 4, 'Long manteau à bouton ouvert noir', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"noir"}', 0), + (1059, 3, 4, 'Long manteau à bouton ouvert marron', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"marron"}', 0), + (1060, 3, 4, 'Long manteau à bouton ouvert sable', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"sable"}', 0), + (1061, 3, 12, 'Veste highschool football boutons vert', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"vert"}', 0), + (1062, 3, 12, 'Veste highschool football boutons orange', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"orange"}', 0), + (1063, 3, 12, 'Veste highschool football boutons violet', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"violet"}', 0), + (1064, 3, 12, 'Veste highschool football boutons rose', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rose"}', 0), + (1065, 3, 12, 'Veste highschool football boutons bordeau', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"bordeau"}', 0), + (1066, 3, 12, 'Veste highschool football boutons bleu', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"bleu"}', 0), + (1067, 3, 12, 'Veste highschool football boutons gris', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"gris"}', 0), + (1068, 3, 12, 'Veste highschool football boutons gris clair', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"gris clair"}', 0), + (1069, 3, 12, 'Veste highschool football boutons blanc', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blanc"}', 0), + (1070, 3, 12, 'Veste highschool football boutons noir et blanc', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"noir et blanc"}', 0), + (1071, 3, 7, 'Pyjama rayé bleu', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rayé bleu"}', 0), + (1072, 3, 7, 'Pyjama rayé jaune', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rayé jaune"}', 0), + (1073, 3, 7, 'Pyjama carr. rose', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"carr. rose"}', 0), + (1074, 3, 7, 'Pyjama carr. vert', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"carr. vert"}', 0), + (1075, 3, 7, 'Pyjama carr. violet', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"carr. violet"}', 0), + (1076, 3, 7, 'Pyjama carr. bleu', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"carr. bleu"}', 0), + (1077, 3, 7, 'Pyjama bordeau', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bordeau"}', 0), + (1078, 3, 7, 'Pyjama maillé blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"maillé blanc"}', 0), + (1079, 3, 7, 'Pyjama psy bleu', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"psy bleu"}', 0), + (1080, 3, 7, 'Pyjama psy jaune', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"psy jaune"}', 0), + (1081, 3, 7, 'Pyjama psy rouge', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"psy rouge"}', 0), + (1082, 3, 7, 'Pyjama rayé rouge', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rayé rouge"}', 0), + (1083, 3, 7, 'Pyjama rayé jaune', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rayé jaune"}', 0), + (1084, 3, 4, 'Robe de chambre rayé bleu', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"rayé bleu"}', 0), + (1085, 3, 4, 'Robe de chambre rayé jaune', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"rayé jaune"}', 0), + (1086, 3, 4, 'Robe de chambre carr. rose', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"carr. rose"}', 0), + (1087, 3, 4, 'Robe de chambre carr. vert', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"carr. vert"}', 0), + (1088, 3, 4, 'Robe de chambre carr. violet', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"carr. violet"}', 0), + (1089, 3, 4, 'Robe de chambre carr. bleu', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"carr. bleu"}', 0), + (1090, 3, 4, 'Robe de chambre bordeau', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"bordeau"}', 0), + (1091, 3, 4, 'Robe de chambre maillé blanc', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"maillé blanc"}', 0), + (1092, 3, 4, 'Robe de chambre psy bleu', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"psy bleu"}', 0), + (1093, 3, 4, 'Robe de chambre psy jaune', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"psy jaune"}', 0), + (1094, 3, 4, 'Robe de chambre psy rouge', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"psy rouge"}', 0), + (1095, 3, 4, 'Robe de chambre rayé rouge', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"rayé rouge"}', 0), + (1096, 3, 4, 'Robe de chambre rayé jaune', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"rayé jaune"}', 0), + (1097, 3, 12, 'Veste moto large col mao submarine', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"submarine"}', 0), + (1098, 3, 12, 'Veste moto large col mao blanc et noir', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"blanc et noir"}', 0), + (1099, 3, 12, 'Veste moto large col mao rouge et blanc', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge et blanc"}', 0), + (1100, 3, 12, 'Veste moto large col mao noir', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"noir"}', 0), + (1101, 3, 12, 'Veste moto large col mao vert foncé bandes jaunes', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert foncé bandes jaunes"}', 0), + (1102, 3, 12, 'Veste moto large col mao blanc', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"blanc"}', 0), + (1103, 3, 12, 'Veste moto large col mao vert et blanc', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert et blanc"}', 0), + (1104, 3, 12, 'Veste moto large col mao orange et blanc', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"orange et blanc"}', 0), + (1105, 3, 12, 'Veste moto large col mao violet et blanc', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"violet et blanc"}', 0), + (1106, 3, 12, 'Veste moto large col mao rose et blanc', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rose et blanc"}', 0), + (1107, 1, 12, 'Veste combinaison moto prairie', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"prairie"}', 0), + (1108, 1, 12, 'Veste combinaison moto vampire', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"vampire"}', 0), + (1109, 1, 12, 'Veste combinaison moto italie', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"italie"}', 0), + (1110, 1, 12, 'Veste combinaison moto noir', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"noir"}', 0), + (1111, 1, 12, 'Veste combinaison moto america', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"america"}', 0), + (1112, 1, 12, 'Veste combinaison moto kill bill', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"kill bill"}', 0), + (1113, 1, 12, 'Veste combinaison moto vieux rose', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"vieux rose"}', 0), + (1114, 1, 12, 'Veste combinaison moto aqua', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"aqua"}', 0), + (1115, 1, 12, 'Veste combinaison moto forêt', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"forêt"}', 0), + (1116, 1, 12, 'Veste combinaison moto sunshine', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"sunshine"}', 0), + (1117, 1, 12, 'Veste combinaison moto myrtille', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"myrtille"}', 0), + (1118, 1, 12, 'Veste combinaison moto hello zitty', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"hello zitty"}', 0), + (1119, 2, 12, 'Veste combinaison moto prairie', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"prairie"}', 0), + (1120, 2, 12, 'Veste combinaison moto vampire', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"vampire"}', 0), + (1121, 2, 12, 'Veste combinaison moto italie', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"italie"}', 0), + (1122, 2, 12, 'Veste combinaison moto noir', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"noir"}', 0), + (1123, 2, 12, 'Veste combinaison moto america', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"america"}', 0), + (1124, 2, 12, 'Veste combinaison moto kill bill', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"kill bill"}', 0), + (1125, 2, 12, 'Veste combinaison moto vieux rose', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"vieux rose"}', 0), + (1126, 2, 12, 'Veste combinaison moto aqua', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"aqua"}', 0), + (1127, 2, 12, 'Veste combinaison moto forêt', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"forêt"}', 0), + (1128, 2, 12, 'Veste combinaison moto sunshine', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"sunshine"}', 0), + (1129, 2, 12, 'Veste combinaison moto myrtille', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"myrtille"}', 0), + (1130, 2, 12, 'Veste combinaison moto hello zitty', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste combinaison moto","colorLabel":"hello zitty"}', 0), + (1131, 1, 10, 'Veste majorette america blanche', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america blanche"}', 0), + (1132, 1, 10, 'Veste majorette america bleue', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america bleue"}', 0), + (1133, 1, 10, 'Veste majorette america rouge', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rouge"}', 0), + (1134, 1, 10, 'Veste majorette america noire', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america noire"}', 0), + (1135, 1, 10, 'Veste majorette america rose', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rose"}', 0), + (1136, 1, 10, 'Veste majorette unie blanche', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie blanche"}', 0), + (1137, 1, 10, 'Veste majorette unie bleue', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie bleue"}', 0), + (1138, 1, 10, 'Veste majorette unie rouge', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rouge"}', 0), + (1139, 1, 10, 'Veste majorette unie noire', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie noire"}', 0), + (1140, 1, 10, 'Veste majorette unie rose', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rose"}', 0), + (1141, 2, 10, 'Veste majorette america blanche', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america blanche"}', 0), + (1142, 2, 10, 'Veste majorette america bleue', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america bleue"}', 0), + (1143, 2, 10, 'Veste majorette america rouge', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rouge"}', 0), + (1144, 2, 10, 'Veste majorette america noire', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america noire"}', 0), + (1145, 2, 10, 'Veste majorette america rose', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rose"}', 0), + (1146, 2, 10, 'Veste majorette unie blanche', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie blanche"}', 0), + (1147, 2, 10, 'Veste majorette unie bleue', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie bleue"}', 0), + (1148, 2, 10, 'Veste majorette unie rouge', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rouge"}', 0), + (1149, 2, 10, 'Veste majorette unie noire', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie noire"}', 0), + (1150, 2, 10, 'Veste majorette unie rose', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rose"}', 0), + (1151, 1, 4, 'Manteau en cuir usé marron', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"marron"}', 0), + (1152, 1, 4, 'Manteau en cuir usé noir', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"noir"}', 0), + (1153, 1, 4, 'Manteau en cuir usé gris', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"gris"}', 0), + (1154, 1, 4, 'Manteau en cuir usé bleu', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"bleu"}', 0), + (1155, 1, 4, 'Manteau en cuir usé clair', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"clair"}', 0), + (1156, 1, 4, 'Manteau en cuir usé bordeau', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"bordeau"}', 0), + (1157, 2, 4, 'Manteau en cuir usé marron', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"marron"}', 0), + (1158, 2, 4, 'Manteau en cuir usé noir', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"noir"}', 0), + (1159, 2, 4, 'Manteau en cuir usé gris', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"gris"}', 0), + (1160, 2, 4, 'Manteau en cuir usé bleu', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"bleu"}', 0), + (1161, 2, 4, 'Manteau en cuir usé clair', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"clair"}', 0), + (1162, 2, 4, 'Manteau en cuir usé bordeau', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau en cuir usé","colorLabel":"bordeau"}', 0), + (1163, 1, 5, 'Sweat-shirt long nagasaki', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"nagasaki"}', 0), + (1164, 1, 5, 'Sweat-shirt long multicolore', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"multicolore"}', 0), + (1165, 1, 5, 'Sweat-shirt long sprunk atomic', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"sprunk atomic"}', 0), + (1166, 1, 5, 'Sweat-shirt long xtreme', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"xtreme"}', 0), + (1167, 1, 5, 'Sweat-shirt long shitzu racing', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"shitzu racing"}', 0), + (1168, 1, 5, 'Sweat-shirt long citron', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"citron"}', 0), + (1169, 1, 5, 'Sweat-shirt long jackal racing', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"jackal racing"}', 0), + (1170, 1, 5, 'Sweat-shirt long jackal bleu', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"jackal bleu"}', 0), + (1171, 1, 5, 'Sweat-shirt long junk', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"junk"}', 0), + (1172, 1, 5, 'Sweat-shirt long 89', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"89"}', 0), + (1173, 1, 5, 'Sweat-shirt long Maibatsu 1', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Maibatsu 1"}', 0), + (1174, 1, 5, 'Sweat-shirt long Maibatsu 2', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Maibatsu 2"}', 0), + (1175, 1, 5, 'Sweat-shirt long principe', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"principe"}', 0), + (1176, 1, 5, 'Sweat-shirt long nagasaki jaune', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"nagasaki jaune"}', 0), + (1177, 1, 5, 'Sweat-shirt long digitalDen', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"digitalDen"}', 0), + (1178, 2, 5, 'Sweat-shirt long nagasaki', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"nagasaki"}', 0), + (1179, 2, 5, 'Sweat-shirt long multicolore', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"multicolore"}', 0), + (1180, 2, 5, 'Sweat-shirt long sprunk atomic', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"sprunk atomic"}', 0), + (1181, 2, 5, 'Sweat-shirt long xtreme', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"xtreme"}', 0), + (1182, 2, 5, 'Sweat-shirt long shitzu racing', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"shitzu racing"}', 0), + (1183, 2, 5, 'Sweat-shirt long citron', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"citron"}', 0), + (1184, 2, 5, 'Sweat-shirt long jackal racing', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"jackal racing"}', 0), + (1185, 2, 5, 'Sweat-shirt long jackal bleu', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"jackal bleu"}', 0), + (1186, 2, 5, 'Sweat-shirt long junk', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"junk"}', 0), + (1187, 2, 5, 'Sweat-shirt long 89', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"89"}', 0), + (1188, 2, 5, 'Sweat-shirt long Maibatsu 1', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Maibatsu 1"}', 0), + (1189, 2, 5, 'Sweat-shirt long Maibatsu 2', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Maibatsu 2"}', 0), + (1190, 2, 5, 'Sweat-shirt long principe', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"principe"}', 0), + (1191, 2, 5, 'Sweat-shirt long nagasaki jaune', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"nagasaki jaune"}', 0), + (1192, 2, 5, 'Sweat-shirt long digitalDen', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"digitalDen"}', 0), + (1193, 1, 12, 'Bomber sport rouge', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"rouge"}', 0), + (1194, 1, 12, 'Bomber sport noir', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"noir"}', 0), + (1195, 1, 12, 'Bomber sport blanc', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"blanc"}', 0), + (1196, 1, 12, 'Bomber sport bleu et blanc', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"bleu et blanc"}', 0), + (1197, 1, 12, 'Bomber sport savane', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"savane"}', 0), + (1198, 1, 12, 'Bomber sport noir et crème', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"noir et crème"}', 0), + (1199, 1, 12, 'Bomber sport vert et blanc', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"vert et blanc"}', 0), + (1200, 1, 12, 'Bomber sport moutarde', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"moutarde"}', 0), + (1201, 1, 12, 'Bomber sport rouge crâne', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"rouge crâne"}', 0), + (1202, 1, 12, 'Bomber sport noir crâne', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"noir crâne"}', 0), + (1203, 1, 12, 'Bomber sport éclair', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"éclair"}', 0), + (1204, 1, 12, 'Bomber sport grotti', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"grotti"}', 0), + (1205, 1, 12, 'Bomber sport howitzer', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"howitzer"}', 0), + (1206, 1, 12, 'Bomber sport imponte', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"imponte"}', 0), + (1207, 1, 12, 'Bomber sport love fist', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"love fist"}', 0), + (1208, 1, 12, 'Bomber sport palmier', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"palmier"}', 0), + (1209, 1, 12, 'Bomber sport tigre', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"tigre"}', 0), + (1210, 1, 12, 'Bomber sport taureau', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"taureau"}', 0), + (1211, 1, 12, 'Bomber sport cheval', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"cheval"}', 0), + (1212, 1, 12, 'Bomber sport TV', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"TV"}', 0), + (1213, 1, 12, 'Bomber sport squad', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"squad"}', 0), + (1214, 1, 12, 'Bomber sport rock', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"rock"}', 0), + (1215, 1, 12, 'Bomber sport vert', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"vert"}', 0), + (1216, 1, 12, 'Bomber sport marron', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"marron"}', 0), + (1217, 1, 12, 'Bomber sport violet', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"violet"}', 0), + (1218, 2, 12, 'Bomber sport rouge', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"rouge"}', 0), + (1219, 2, 12, 'Bomber sport noir', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"noir"}', 0), + (1220, 2, 12, 'Bomber sport blanc', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"blanc"}', 0), + (1221, 2, 12, 'Bomber sport bleu et blanc', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"bleu et blanc"}', 0), + (1222, 2, 12, 'Bomber sport savane', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"savane"}', 0), + (1223, 2, 12, 'Bomber sport noir et crème', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"noir et crème"}', 0), + (1224, 2, 12, 'Bomber sport vert et blanc', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"vert et blanc"}', 0), + (1225, 2, 12, 'Bomber sport moutarde', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"moutarde"}', 0), + (1226, 2, 12, 'Bomber sport rouge crâne', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"rouge crâne"}', 0), + (1227, 2, 12, 'Bomber sport noir crâne', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"noir crâne"}', 0), + (1228, 2, 12, 'Bomber sport éclair', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"éclair"}', 0), + (1229, 2, 12, 'Bomber sport grotti', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"grotti"}', 0), + (1230, 2, 12, 'Bomber sport howitzer', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"howitzer"}', 0), + (1231, 2, 12, 'Bomber sport imponte', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"imponte"}', 0), + (1232, 2, 12, 'Bomber sport love fist', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"love fist"}', 0), + (1233, 2, 12, 'Bomber sport palmier', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"palmier"}', 0), + (1234, 2, 12, 'Bomber sport tigre', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"tigre"}', 0), + (1235, 2, 12, 'Bomber sport taureau', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"taureau"}', 0), + (1236, 2, 12, 'Bomber sport cheval', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"cheval"}', 0), + (1237, 2, 12, 'Bomber sport TV', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"TV"}', 0), + (1238, 2, 12, 'Bomber sport squad', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"squad"}', 0), + (1239, 2, 12, 'Bomber sport rock', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"rock"}', 0), + (1240, 2, 12, 'Bomber sport vert', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"vert"}', 0), + (1241, 2, 12, 'Bomber sport marron', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"marron"}', 0), + (1242, 2, 12, 'Bomber sport violet', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber sport","colorLabel":"violet"}', 0), + (1243, 1, 12, 'Veste de course italie', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"italie"}', 0), + (1244, 1, 12, 'Veste de course USA', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"USA"}', 0), + (1245, 1, 12, 'Veste de course pigeon', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"pigeon"}', 0), + (1246, 1, 12, 'Veste de course grotti', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"grotti"}', 0), + (1247, 1, 12, 'Veste de course pegassi', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"pegassi"}', 0), + (1248, 1, 12, 'Veste de course allemagne', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"allemagne"}', 0), + (1249, 1, 12, 'Veste de course angleterre', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"angleterre"}', 0), + (1250, 1, 12, 'Veste de course japon', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"japon"}', 0), + (1251, 2, 12, 'Veste de course italie', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"italie"}', 0), + (1252, 2, 12, 'Veste de course USA', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"USA"}', 0), + (1253, 2, 12, 'Veste de course pigeon', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"pigeon"}', 0), + (1254, 2, 12, 'Veste de course grotti', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"grotti"}', 0), + (1255, 2, 12, 'Veste de course pegassi', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"pegassi"}', 0), + (1256, 2, 12, 'Veste de course allemagne', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"allemagne"}', 0), + (1257, 2, 12, 'Veste de course angleterre', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"angleterre"}', 0), + (1258, 2, 12, 'Veste de course japon', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"japon"}', 0), + (1259, 1, 11, 'Gilet sans manche renforcé cuir noir', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet sans manche renforcé","colorLabel":"cuir noir"}', 0), + (1260, 1, 11, 'Gilet sans manche renforcé cuir usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet sans manche renforcé","colorLabel":"cuir usé"}', 0), + (1261, 1, 11, 'Gilet sans manche renforcé rouge et blanc', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet sans manche renforcé","colorLabel":"rouge et blanc"}', 0), + (1262, 2, 11, 'Gilet sans manche renforcé cuir noir', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet sans manche renforcé","colorLabel":"cuir noir"}', 0), + (1263, 2, 11, 'Gilet sans manche renforcé cuir usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet sans manche renforcé","colorLabel":"cuir usé"}', 0), + (1264, 2, 11, 'Gilet sans manche renforcé rouge et blanc', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet sans manche renforcé","colorLabel":"rouge et blanc"}', 0), + (1265, 1, 11, 'Jacket en cuir noir', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"noir"}', 0), + (1266, 1, 11, 'Jacket en cuir usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"usé"}', 0), + (1267, 2, 11, 'Jacket en cuir noir', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"noir"}', 0), + (1268, 2, 11, 'Jacket en cuir usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"usé"}', 0), + (1269, 1, 11, 'Veston à zip ouvert noir', 50, '{"components":{"11":{"Drawable":160,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Veston à zip ouvert","colorLabel":"noir"}', 0), + (1270, 1, 11, 'Veston à zip ouvert usé', 50, '{"components":{"11":{"Drawable":160,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Veston à zip ouvert","colorLabel":"usé"}', 0), + (1271, 2, 11, 'Veston à zip ouvert noir', 50, '{"components":{"11":{"Drawable":160,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Veston à zip ouvert","colorLabel":"noir"}', 0), + (1272, 2, 11, 'Veston à zip ouvert usé', 50, '{"components":{"11":{"Drawable":160,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Veston à zip ouvert","colorLabel":"usé"}', 0), + (1273, 1, 4, 'Perfecto manches longues noir usé', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir usé"}', 0), + (1274, 1, 4, 'Perfecto manches longues marron usé', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"marron usé"}', 0), + (1275, 1, 4, 'Perfecto manches longues moutarde usé', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"moutarde usé"}', 0), + (1276, 1, 4, 'Perfecto manches longues noir mat', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir mat"}', 0), + (1277, 2, 4, 'Perfecto manches longues noir usé', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir usé"}', 0), + (1278, 2, 4, 'Perfecto manches longues marron usé', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"marron usé"}', 0), + (1279, 2, 4, 'Perfecto manches longues moutarde usé', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"moutarde usé"}', 0), + (1280, 2, 4, 'Perfecto manches longues noir mat', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir mat"}', 0), + (1281, 1, 11, 'Perfecto sans manche noir usé', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"noir usé"}', 0), + (1282, 1, 11, 'Perfecto sans manche marron usé', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"marron usé"}', 0), + (1283, 1, 11, 'Perfecto sans manche moutarde usé', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"moutarde usé"}', 0), + (1284, 1, 11, 'Perfecto sans manche noir mat', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"noir mat"}', 0), + (1285, 2, 11, 'Perfecto sans manche noir usé', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"noir usé"}', 0), + (1286, 2, 11, 'Perfecto sans manche marron usé', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"marron usé"}', 0), + (1287, 2, 11, 'Perfecto sans manche moutarde usé', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"moutarde usé"}', 0), + (1288, 2, 11, 'Perfecto sans manche noir mat', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"noir mat"}', 0), + (1289, 1, 12, 'Veste renforcée moto bleu', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"bleu"}', 0), + (1290, 1, 12, 'Veste renforcée moto noir et jaune', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"noir et jaune"}', 0), + (1291, 1, 12, 'Veste renforcée moto camo', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"camo"}', 0), + (1292, 1, 12, 'Veste renforcée moto cyan', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"cyan"}', 0), + (1293, 1, 12, 'Veste renforcée moto rouge', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"rouge"}', 0), + (1294, 1, 12, 'Veste renforcée moto vert', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"vert"}', 0), + (1295, 1, 12, 'Veste renforcée moto jaune', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"jaune"}', 0), + (1296, 2, 12, 'Veste renforcée moto bleu', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"bleu"}', 0), + (1297, 2, 12, 'Veste renforcée moto noir et jaune', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"noir et jaune"}', 0), + (1298, 2, 12, 'Veste renforcée moto camo', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"camo"}', 0), + (1299, 2, 12, 'Veste renforcée moto cyan', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"cyan"}', 0), + (1300, 2, 12, 'Veste renforcée moto rouge', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"rouge"}', 0), + (1301, 2, 12, 'Veste renforcée moto vert', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"vert"}', 0), + (1302, 2, 12, 'Veste renforcée moto jaune', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste renforcée moto","colorLabel":"jaune"}', 0), + (1303, 1, 12, 'Veste en cuir rembourée noire', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"noire"}', 0), + (1304, 1, 12, 'Veste en cuir rembourée bordeau', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"bordeau"}', 0), + (1305, 1, 12, 'Veste en cuir rembourée moutarde', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"moutarde"}', 0), + (1306, 1, 12, 'Veste en cuir rembourée noire usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"noire usé"}', 0), + (1307, 1, 12, 'Veste en cuir rembourée bordeau usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"bordeau usé"}', 0), + (1308, 1, 12, 'Veste en cuir rembourée moutarde usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"moutarde usé"}', 0), + (1309, 2, 12, 'Veste en cuir rembourée noire', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"noire"}', 0), + (1310, 2, 12, 'Veste en cuir rembourée bordeau', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"bordeau"}', 0), + (1311, 2, 12, 'Veste en cuir rembourée moutarde', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"moutarde"}', 0), + (1312, 2, 12, 'Veste en cuir rembourée noire usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"noire usé"}', 0), + (1313, 2, 12, 'Veste en cuir rembourée bordeau usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"bordeau usé"}', 0), + (1314, 2, 12, 'Veste en cuir rembourée moutarde usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir rembourée","colorLabel":"moutarde usé"}', 0), + (1315, 3, 4, 'Doudoune unie ouverte rouge', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"rouge"}', 0), + (1316, 3, 4, 'Doudoune unie ouverte bordeau', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"bordeau"}', 0), + (1317, 3, 4, 'Doudoune unie ouverte bleu', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"bleu"}', 0), + (1318, 3, 4, 'Doudoune unie ouverte gris', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"gris"}', 0), + (1319, 3, 4, 'Doudoune unie ouverte kaki', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"kaki"}', 0), + (1320, 3, 4, 'Doudoune unie ouverte lion', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"lion"}', 0), + (1321, 3, 4, 'Doudoune unie ouverte marron', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"marron"}', 0), + (1322, 3, 4, 'Doudoune unie ouverte foncé', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"foncé"}', 0), + (1323, 3, 4, 'Doudoune unie ouverte rose', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"rose"}', 0), + (1324, 3, 4, 'Doudoune unie ouverte citron', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"citron"}', 0), + (1325, 3, 4, 'Doudoune unie ouverte violet', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"violet"}', 0), + (1326, 3, 4, 'Doudoune unie ouverte crème et bleu', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"crème et bleu"}', 0), + (1327, 3, 4, 'Doudoune unie ouverte soleil', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"soleil"}', 0), + (1328, 3, 4, 'Doudoune unie ouverte cyan', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"cyan"}', 0), + (1329, 3, 4, 'Doudoune unie ouverte blanc', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"blanc"}', 0), + (1330, 3, 4, 'Doudoune unie ouverte citron vert', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune unie ouverte","colorLabel":"citron vert"}', 0), + (1331, 1, 4, 'Manteau en cuir à capuche kaki', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau en cuir à capuche","colorLabel":"kaki"}', 0), + (1332, 1, 4, 'Manteau en cuir à capuche noir', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau en cuir à capuche","colorLabel":"noir"}', 0), + (1333, 1, 4, 'Manteau en cuir à capuche bleu', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau en cuir à capuche","colorLabel":"bleu"}', 0), + (1334, 2, 4, 'Manteau en cuir à capuche kaki', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau en cuir à capuche","colorLabel":"kaki"}', 0), + (1335, 2, 4, 'Manteau en cuir à capuche noir', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau en cuir à capuche","colorLabel":"noir"}', 0), + (1336, 2, 4, 'Manteau en cuir à capuche bleu', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Manteau en cuir à capuche","colorLabel":"bleu"}', 0), + (1337, 1, 12, 'Veste ouverte simili jean ciel', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean ciel"}', 0), + (1338, 1, 12, 'Veste ouverte simili jean indigo', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean indigo"}', 0), + (1339, 1, 12, 'Veste ouverte simili jean nuage', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean nuage"}', 0), + (1340, 1, 12, 'Veste ouverte simili jean foncé', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean foncé"}', 0), + (1341, 2, 12, 'Veste ouverte simili jean ciel', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean ciel"}', 0), + (1342, 2, 12, 'Veste ouverte simili jean indigo', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean indigo"}', 0), + (1343, 2, 12, 'Veste ouverte simili jean nuage', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean nuage"}', 0), + (1344, 2, 12, 'Veste ouverte simili jean foncé', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"jean foncé"}', 0), + (1345, 1, 11, 'Veste ouverte simili sans manche jean ciel', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean ciel"}', 0), + (1346, 1, 11, 'Veste ouverte simili sans manche jean indigo', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean indigo"}', 0), + (1347, 1, 11, 'Veste ouverte simili sans manche jean nuage', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean nuage"}', 0), + (1348, 1, 11, 'Veste ouverte simili sans manche jean foncé', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean foncé"}', 0), + (1349, 2, 11, 'Veste ouverte simili sans manche jean ciel', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean ciel"}', 0), + (1350, 2, 11, 'Veste ouverte simili sans manche jean indigo', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean indigo"}', 0), + (1351, 2, 11, 'Veste ouverte simili sans manche jean nuage', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean nuage"}', 0), + (1352, 2, 11, 'Veste ouverte simili sans manche jean foncé', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"jean foncé"}', 0), + (1353, 3, 5, 'Hoodie oversize noir', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir"}', 0), + (1354, 3, 5, 'Hoodie oversize blanc', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc"}', 0), + (1355, 1, 11, 'Veste renforcée moto sans manche bleu', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"bleu"}', 0), + (1356, 1, 11, 'Veste renforcée moto sans manche noir', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"noir"}', 0), + (1357, 1, 11, 'Veste renforcée moto sans manche camo', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"camo"}', 0), + (1358, 1, 11, 'Veste renforcée moto sans manche cyan', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"cyan"}', 0), + (1359, 1, 11, 'Veste renforcée moto sans manche rouge', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"rouge"}', 0), + (1360, 1, 11, 'Veste renforcée moto sans manche vert', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"vert"}', 0), + (1361, 1, 11, 'Veste renforcée moto sans manche jaune', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"jaune"}', 0), + (1362, 2, 11, 'Veste renforcée moto sans manche bleu', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"bleu"}', 0), + (1363, 2, 11, 'Veste renforcée moto sans manche noir', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"noir"}', 0), + (1364, 2, 11, 'Veste renforcée moto sans manche camo', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"camo"}', 0), + (1365, 2, 11, 'Veste renforcée moto sans manche cyan', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"cyan"}', 0), + (1366, 2, 11, 'Veste renforcée moto sans manche rouge', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"rouge"}', 0), + (1367, 2, 11, 'Veste renforcée moto sans manche vert', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"vert"}', 0), + (1368, 2, 11, 'Veste renforcée moto sans manche jaune', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste renforcée moto sans manche","colorLabel":"jaune"}', 0), + (1369, 1, 10, 'Veste Tron jaune', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"jaune"}', 0), + (1370, 1, 10, 'Veste Tron verte', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"verte"}', 0), + (1371, 1, 10, 'Veste Tron orange', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"orange"}', 0), + (1372, 1, 10, 'Veste Tron bleue', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"bleue"}', 0), + (1373, 1, 10, 'Veste Tron rose', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"rose"}', 0), + (1374, 1, 10, 'Veste Tron rouge', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"rouge"}', 0), + (1375, 1, 10, 'Veste Tron cyan', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"cyan"}', 0), + (1376, 1, 10, 'Veste Tron grise', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"grise"}', 0), + (1377, 1, 10, 'Veste Tron crème', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"crème"}', 0), + (1378, 1, 10, 'Veste Tron blanche', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"blanche"}', 0), + (1379, 1, 10, 'Veste Tron noire', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"noire"}', 0), + (1380, 2, 10, 'Veste Tron jaune', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"jaune"}', 0), + (1381, 2, 10, 'Veste Tron verte', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"verte"}', 0), + (1382, 2, 10, 'Veste Tron orange', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"orange"}', 0), + (1383, 2, 10, 'Veste Tron bleue', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"bleue"}', 0), + (1384, 2, 10, 'Veste Tron rose', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"rose"}', 0), + (1385, 2, 10, 'Veste Tron rouge', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"rouge"}', 0), + (1386, 2, 10, 'Veste Tron cyan', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"cyan"}', 0), + (1387, 2, 10, 'Veste Tron grise', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"grise"}', 0), + (1388, 2, 10, 'Veste Tron crème', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"crème"}', 0), + (1389, 2, 10, 'Veste Tron blanche', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"blanche"}', 0), + (1390, 2, 10, 'Veste Tron noire', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Tron","colorLabel":"noire"}', 0), + (1391, 3, 11, 'Veston en cuir sans manche noir', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston en cuir sans manche","colorLabel":"noir"}', 0), + (1392, 3, 11, 'Veston en cuir sans manche usé', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston en cuir sans manche","colorLabel":"usé"}', 0), + (1393, 3, 11, 'Veston en cuir sans manche moutarde', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston en cuir sans manche","colorLabel":"moutarde"}', 0), + (1394, 3, 11, 'Veston en cuir sans manche bordeau', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston en cuir sans manche","colorLabel":"bordeau"}', 0), + (1395, 3, 6, 'Veste de costume rayée crème et noire', 50, '{"components":{"11":{"Drawable":183,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume rayée","colorLabel":"crème et noire"}', 0), + (1396, 3, 6, 'Veste de costume rayée rouge et bleue', 50, '{"components":{"11":{"Drawable":183,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume rayée","colorLabel":"rouge et bleue"}', 0), + (1397, 3, 6, 'Veste de costume rayée bleue et jaune', 50, '{"components":{"11":{"Drawable":183,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume rayée","colorLabel":"bleue et jaune"}', 0), + (1398, 3, 6, 'Veste de costume rayée bleue et noire', 50, '{"components":{"11":{"Drawable":183,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume rayée","colorLabel":"bleue et noire"}', 0), + (1399, 3, 6, 'Veste de costume rayée blanche et noire', 50, '{"components":{"11":{"Drawable":183,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume rayée","colorLabel":"blanche et noire"}', 0), + (1400, 3, 6, 'Veste de costume rayée rouge et blanche', 50, '{"components":{"11":{"Drawable":183,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume rayée","colorLabel":"rouge et blanche"}', 0), + (1401, 1, 4, 'Anorak à capuche fermé gris', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris"}', 0), + (1402, 1, 4, 'Anorak à capuche fermé kaki', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"kaki"}', 0), + (1403, 1, 4, 'Anorak à capuche fermé gris drapeau', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris drapeau"}', 0), + (1404, 1, 4, 'Anorak à capuche fermé kaki drapeau', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"kaki drapeau"}', 0), + (1405, 2, 4, 'Anorak à capuche fermé gris', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris"}', 0), + (1406, 2, 4, 'Anorak à capuche fermé kaki', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"kaki"}', 0), + (1407, 2, 4, 'Anorak à capuche fermé gris drapeau', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris drapeau"}', 0), + (1408, 2, 4, 'Anorak à capuche fermé kaki drapeau', 50, '{"components":{"11":{"Drawable":184,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"kaki drapeau"}', 0), + (1409, 1, 4, 'Anorak à capuche ouvert gris', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris"}', 0), + (1410, 1, 4, 'Anorak à capuche ouvert kaki', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"kaki"}', 0), + (1411, 1, 4, 'Anorak à capuche ouvert gris drapeau', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris drapeau"}', 0), + (1412, 1, 4, 'Anorak à capuche ouvert kaki drapeau', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"kaki drapeau"}', 0), + (1413, 2, 4, 'Anorak à capuche ouvert gris', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris"}', 0), + (1414, 2, 4, 'Anorak à capuche ouvert kaki', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"kaki"}', 0), + (1415, 2, 4, 'Anorak à capuche ouvert gris drapeau', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris drapeau"}', 0), + (1416, 2, 4, 'Anorak à capuche ouvert kaki drapeau', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"kaki drapeau"}', 0), + (1417, 1, 10, 'Gorille coloré foncé', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"foncé"}', 0), + (1418, 1, 10, 'Gorille coloré vert', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"vert"}', 0), + (1419, 1, 10, 'Gorille coloré orange', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"orange"}', 0), + (1420, 1, 10, 'Gorille coloré violet rose', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"violet rose"}', 0), + (1421, 1, 10, 'Gorille coloré magenta', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"magenta"}', 0), + (1422, 1, 10, 'Gorille coloré bleu', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"bleu"}', 0), + (1423, 1, 10, 'Gorille coloré gris', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"gris"}', 0), + (1424, 1, 10, 'Gorille coloré crème', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"crème"}', 0), + (1425, 1, 10, 'Gorille coloré blanc', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"blanc"}', 0), + (1426, 1, 10, 'Gorille coloré noir', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"noir"}', 0), + (1427, 2, 10, 'Gorille coloré foncé', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"foncé"}', 0), + (1428, 2, 10, 'Gorille coloré vert', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"vert"}', 0), + (1429, 2, 10, 'Gorille coloré orange', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"orange"}', 0), + (1430, 2, 10, 'Gorille coloré violet rose', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"violet rose"}', 0), + (1431, 2, 10, 'Gorille coloré magenta', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"magenta"}', 0), + (1432, 2, 10, 'Gorille coloré bleu', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"bleu"}', 0), + (1433, 2, 10, 'Gorille coloré gris', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"gris"}', 0), + (1434, 2, 10, 'Gorille coloré crème', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"crème"}', 0), + (1435, 2, 10, 'Gorille coloré blanc', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"blanc"}', 0), + (1436, 2, 10, 'Gorille coloré noir', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gorille coloré","colorLabel":"noir"}', 0), + (1437, 3, 4, 'Coupe-vent long noir', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"noir"}', 0), + (1438, 3, 4, 'Coupe-vent long foncé', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"foncé"}', 0), + (1439, 3, 4, 'Coupe-vent long gris', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"gris"}', 0), + (1440, 3, 4, 'Coupe-vent long dégradé', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"dégradé"}', 0), + (1441, 3, 4, 'Coupe-vent long blanc', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"blanc"}', 0), + (1442, 3, 4, 'Coupe-vent long rouge', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"rouge"}', 0), + (1443, 3, 4, 'Coupe-vent long rose', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"rose"}', 0), + (1444, 3, 4, 'Coupe-vent long pâle', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"pâle"}', 0), + (1445, 3, 4, 'Coupe-vent long beige', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"beige"}', 0), + (1446, 3, 4, 'Coupe-vent long citron', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"citron"}', 0), + (1447, 3, 4, 'Coupe-vent long nuit', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"nuit"}', 0), + (1448, 3, 4, 'Coupe-vent long cuir', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"cuir"}', 0), + (1449, 3, 4, 'Coupe-vent long mojito', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long","colorLabel":"mojito"}', 0), + (1450, 1, 4, 'Anorak à capuche fermé beige', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"beige"}', 0), + (1451, 1, 4, 'Anorak à capuche fermé rouge', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"rouge"}', 0), + (1452, 1, 4, 'Anorak à capuche fermé jaune', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"jaune"}', 0), + (1453, 1, 4, 'Anorak à capuche fermé citron', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"citron"}', 0), + (1454, 1, 4, 'Anorak à capuche fermé ciel', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"ciel"}', 0), + (1455, 1, 4, 'Anorak à capuche fermé orange', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"orange"}', 0), + (1456, 1, 4, 'Anorak à capuche fermé camo', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo"}', 0), + (1457, 1, 4, 'Anorak à capuche fermé camo vert', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert"}', 0), + (1458, 1, 4, 'Anorak à capuche fermé carreau', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"carreau"}', 0), + (1459, 1, 4, 'Anorak à capuche fermé savane', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"savane"}', 0), + (1460, 1, 4, 'Anorak à capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu"}', 0), + (1461, 2, 4, 'Anorak à capuche fermé beige', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"beige"}', 0), + (1462, 2, 4, 'Anorak à capuche fermé rouge', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"rouge"}', 0), + (1463, 2, 4, 'Anorak à capuche fermé jaune', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"jaune"}', 0), + (1464, 2, 4, 'Anorak à capuche fermé citron', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"citron"}', 0), + (1465, 2, 4, 'Anorak à capuche fermé ciel', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"ciel"}', 0), + (1466, 2, 4, 'Anorak à capuche fermé orange', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"orange"}', 0), + (1467, 2, 4, 'Anorak à capuche fermé camo', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo"}', 0), + (1468, 2, 4, 'Anorak à capuche fermé camo vert', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert"}', 0), + (1469, 2, 4, 'Anorak à capuche fermé carreau', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"carreau"}', 0), + (1470, 2, 4, 'Anorak à capuche fermé savane', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"savane"}', 0), + (1471, 2, 4, 'Anorak à capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":188,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu"}', 0), + (1472, 1, 4, 'Anorak à capuche ouvert beige', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"beige"}', 0), + (1473, 1, 4, 'Anorak à capuche ouvert rouge', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"rouge"}', 0), + (1474, 1, 4, 'Anorak à capuche ouvert jaune', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"jaune"}', 0), + (1475, 1, 4, 'Anorak à capuche ouvert citron', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"citron"}', 0), + (1476, 1, 4, 'Anorak à capuche ouvert ciel', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"ciel"}', 0), + (1477, 1, 4, 'Anorak à capuche ouvert orange', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"orange"}', 0), + (1478, 1, 4, 'Anorak à capuche ouvert camo', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo"}', 0), + (1479, 1, 4, 'Anorak à capuche ouvert camo vert', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert"}', 0), + (1480, 1, 4, 'Anorak à capuche ouvert carreau', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"carreau"}', 0), + (1481, 1, 4, 'Anorak à capuche ouvert savane', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"savane"}', 0), + (1482, 1, 4, 'Anorak à capuche ouvert camo bleu', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu"}', 0), + (1483, 2, 4, 'Anorak à capuche ouvert beige', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"beige"}', 0), + (1484, 2, 4, 'Anorak à capuche ouvert rouge', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"rouge"}', 0), + (1485, 2, 4, 'Anorak à capuche ouvert jaune', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"jaune"}', 0), + (1486, 2, 4, 'Anorak à capuche ouvert citron', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"citron"}', 0), + (1487, 2, 4, 'Anorak à capuche ouvert ciel', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"ciel"}', 0), + (1488, 2, 4, 'Anorak à capuche ouvert orange', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"orange"}', 0), + (1489, 2, 4, 'Anorak à capuche ouvert camo', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo"}', 0), + (1490, 2, 4, 'Anorak à capuche ouvert camo vert', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert"}', 0), + (1491, 2, 4, 'Anorak à capuche ouvert carreau', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"carreau"}', 0), + (1492, 2, 4, 'Anorak à capuche ouvert savane', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"savane"}', 0), + (1493, 2, 4, 'Anorak à capuche ouvert camo bleu', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu"}', 0), + (1494, 3, 4, 'Doudoune à motif ouverte verte', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"verte"}', 0), + (1495, 3, 4, 'Doudoune à motif ouverte bleue', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"bleue"}', 0), + (1496, 3, 4, 'Doudoune à motif ouverte rose', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"rose"}', 0), + (1497, 3, 4, 'Doudoune à motif ouverte hiver', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"hiver"}', 0), + (1498, 3, 4, 'Doudoune à motif ouverte crème', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"crème"}', 0), + (1499, 3, 4, 'Doudoune à motif ouverte léopard noir', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard noir"}', 0), + (1500, 3, 4, 'Doudoune à motif ouverte léopard bleu', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard bleu"}', 0), + (1501, 3, 4, 'Doudoune à motif ouverte big noir', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"big noir"}', 0), + (1502, 3, 4, 'Doudoune à motif ouverte big jaune', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"big jaune"}', 0), + (1503, 3, 4, 'Doudoune à motif ouverte big rose', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"big rose"}', 0), + (1504, 3, 4, 'Doudoune à motif ouverte big rose', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"big rose"}', 0), + (1505, 3, 4, 'Doudoune à motif ouverte big carreau', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"big carreau"}', 0), + (1506, 3, 4, 'Doudoune à motif ouverte street jaune', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"street jaune"}', 0), + (1507, 3, 4, 'Doudoune à motif ouverte street clair', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"street clair"}', 0), + (1508, 3, 4, 'Doudoune à motif ouverte zèbre', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"zèbre"}', 0), + (1509, 3, 4, 'Doudoune à motif ouverte zèbre rouge', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"zèbre rouge"}', 0), + (1510, 3, 4, 'Long manteau à bouton ouvert blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"blanc"}', 0), + (1511, 3, 4, 'Long manteau à bouton ouvert camo vert', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"camo vert"}', 0), + (1512, 3, 4, 'Long manteau à bouton ouvert camo savane', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"camo savane"}', 0), + (1513, 3, 4, 'Long manteau à bouton ouvert camo gris', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"camo gris"}', 0), + (1514, 3, 4, 'Long manteau à bouton ouvert psy', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"psy"}', 0), + (1515, 3, 4, 'Long manteau à bouton ouvert bleu', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"bleu"}', 0), + (1516, 3, 4, 'Long manteau à bouton ouvert rouge courreau', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"rouge courreau"}', 0), + (1517, 3, 4, 'Long manteau à bouton ouvert moutarde', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"moutarde"}', 0), + (1518, 3, 4, 'Long manteau à bouton ouvert carreau vert', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"carreau vert"}', 0), + (1519, 3, 4, 'Long manteau à bouton ouvert gris', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"gris"}', 0), + (1520, 3, 4, 'Long manteau à bouton ouvert rouge', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"rouge"}', 0), + (1521, 3, 4, 'Long manteau à bouton ouvert bordeau', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Long manteau à bouton ouvert","colorLabel":"bordeau"}', 0), + (1522, 1, 2, 'T-shirt long Güffy', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy"}', 0), + (1523, 1, 2, 'T-shirt long M rouge', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"M rouge"}', 0), + (1524, 1, 2, 'T-shirt long MG feuille', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"MG feuille"}', 0), + (1525, 1, 2, 'T-shirt long Blagueurs épine', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Blagueurs épine"}', 0), + (1526, 1, 2, 'T-shirt long Blagueurs blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Blagueurs blanc"}', 0), + (1527, 1, 2, 'T-shirt long Street B', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Street B"}', 0), + (1528, 1, 2, 'T-shirt long Huile', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Huile"}', 0), + (1529, 1, 2, 'T-shirt long Banane écrasée', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Banane écrasée"}', 0), + (1530, 1, 2, 'T-shirt long MG rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"MG rose"}', 0), + (1531, 1, 2, 'T-shirt long Güffy blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy blanc"}', 0), + (1532, 1, 2, 'T-shirt long Güffy noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy noir"}', 0), + (1533, 1, 2, 'T-shirt long Güffy noir rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy noir rose"}', 0), + (1534, 1, 2, 'T-shirt long Sand castle bleu', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Sand castle bleu"}', 0), + (1535, 1, 2, 'T-shirt long camo gris', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"camo gris"}', 0), + (1536, 1, 2, 'T-shirt long sand castle noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"sand castle noir"}', 0), + (1537, 1, 2, 'T-shirt long Manor couleurs', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Manor couleurs"}', 0), + (1538, 1, 2, 'T-shirt long Manor bleu', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Manor bleu"}', 0), + (1539, 1, 2, 'T-shirt long M optique', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"M optique"}', 0), + (1540, 1, 2, 'T-shirt long B citron', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"B citron"}', 0), + (1541, 1, 2, 'T-shirt long Bigness street', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness street"}', 0), + (1542, 1, 2, 'T-shirt long Camo B', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Camo B"}', 0), + (1543, 1, 2, 'T-shirt long Bigness savane', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness savane"}', 0), + (1544, 1, 2, 'T-shirt long Focus', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Focus"}', 0), + (1545, 1, 2, 'T-shirt long Güffy rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy rose"}', 0), + (1546, 1, 2, 'T-shirt long MG bonbon', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"MG bonbon"}', 0), + (1547, 2, 2, 'T-shirt long Güffy', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy"}', 0), + (1548, 2, 2, 'T-shirt long M rouge', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"M rouge"}', 0), + (1549, 2, 2, 'T-shirt long MG feuille', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"MG feuille"}', 0), + (1550, 2, 2, 'T-shirt long Blagueurs épine', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Blagueurs épine"}', 0), + (1551, 2, 2, 'T-shirt long Blagueurs blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Blagueurs blanc"}', 0), + (1552, 2, 2, 'T-shirt long Street B', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Street B"}', 0), + (1553, 2, 2, 'T-shirt long Huile', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Huile"}', 0), + (1554, 2, 2, 'T-shirt long Banane écrasée', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Banane écrasée"}', 0), + (1555, 2, 2, 'T-shirt long MG rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"MG rose"}', 0), + (1556, 2, 2, 'T-shirt long Güffy blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy blanc"}', 0), + (1557, 2, 2, 'T-shirt long Güffy noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy noir"}', 0), + (1558, 2, 2, 'T-shirt long Güffy noir rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy noir rose"}', 0), + (1559, 2, 2, 'T-shirt long Sand castle bleu', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Sand castle bleu"}', 0), + (1560, 2, 2, 'T-shirt long camo gris', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"camo gris"}', 0), + (1561, 2, 2, 'T-shirt long sand castle noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"sand castle noir"}', 0), + (1562, 2, 2, 'T-shirt long Manor couleurs', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Manor couleurs"}', 0), + (1563, 2, 2, 'T-shirt long Manor bleu', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Manor bleu"}', 0), + (1564, 2, 2, 'T-shirt long M optique', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"M optique"}', 0), + (1565, 2, 2, 'T-shirt long B citron', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"B citron"}', 0), + (1566, 2, 2, 'T-shirt long Bigness street', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness street"}', 0), + (1567, 2, 2, 'T-shirt long Camo B', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Camo B"}', 0), + (1568, 2, 2, 'T-shirt long Bigness savane', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness savane"}', 0), + (1569, 2, 2, 'T-shirt long Focus', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Focus"}', 0), + (1570, 2, 2, 'T-shirt long Güffy rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Güffy rose"}', 0), + (1571, 2, 2, 'T-shirt long MG bonbon', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"MG bonbon"}', 0), + (1572, 1, 9, 'Pull manches longues d\'hiver père Noël', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"père Noël"}', 0), + (1573, 1, 9, 'Pull manches longues d\'hiver lutin', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"lutin"}', 0), + (1574, 1, 9, 'Pull manches longues d\'hiver Houx', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Houx"}', 0), + (1575, 2, 9, 'Pull manches longues d\'hiver père Noël', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"père Noël"}', 0), + (1576, 2, 9, 'Pull manches longues d\'hiver lutin', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"lutin"}', 0), + (1577, 2, 9, 'Pull manches longues d\'hiver Houx', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Houx"}', 0), + (1578, 1, 9, 'Pull manches longues d\'hiver gris et jaune', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"gris et jaune"}', 0), + (1579, 1, 9, 'Pull manches longues d\'hiver noir et jaune', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"noir et jaune"}', 0), + (1580, 1, 9, 'Pull manches longues d\'hiver yéti', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"yéti"}', 0), + (1581, 1, 9, 'Pull manches longues d\'hiver yéti et snowman', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"yéti et snowman"}', 0), + (1582, 1, 9, 'Pull manches longues d\'hiver renne beige', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"renne beige"}', 0), + (1583, 1, 9, 'Pull manches longues d\'hiver renne rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"renne rouge"}', 0), + (1584, 1, 9, 'Pull manches longues d\'hiver naughty vert', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"naughty vert"}', 0), + (1585, 1, 9, 'Pull manches longues d\'hiver naughty rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"naughty rouge"}', 0), + (1586, 1, 9, 'Pull manches longues d\'hiver holidays bleu', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"holidays bleu"}', 0), + (1587, 1, 9, 'Pull manches longues d\'hiver holiday sapin', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"holiday sapin"}', 0), + (1588, 1, 9, 'Pull manches longues d\'hiver love fist rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"love fist rouge"}', 0), + (1589, 1, 9, 'Pull manches longues d\'hiver love fist noir', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"love fist noir"}', 0), + (1590, 1, 9, 'Pull manches longues d\'hiver sapin rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"sapin rouge"}', 0), + (1591, 1, 9, 'Pull manches longues d\'hiver sapin vert', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"sapin vert"}', 0), + (1592, 1, 9, 'Pull manches longues d\'hiver NRV cat rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"NRV cat rouge"}', 0), + (1593, 1, 9, 'Pull manches longues d\'hiver NRV cat vert', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"NRV cat vert"}', 0), + (1594, 2, 9, 'Pull manches longues d\'hiver gris et jaune', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"gris et jaune"}', 0), + (1595, 2, 9, 'Pull manches longues d\'hiver noir et jaune', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"noir et jaune"}', 0), + (1596, 2, 9, 'Pull manches longues d\'hiver yéti', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"yéti"}', 0), + (1597, 2, 9, 'Pull manches longues d\'hiver yéti et snowman', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"yéti et snowman"}', 0), + (1598, 2, 9, 'Pull manches longues d\'hiver renne beige', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"renne beige"}', 0), + (1599, 2, 9, 'Pull manches longues d\'hiver renne rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"renne rouge"}', 0), + (1600, 2, 9, 'Pull manches longues d\'hiver naughty vert', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"naughty vert"}', 0), + (1601, 2, 9, 'Pull manches longues d\'hiver naughty rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"naughty rouge"}', 0), + (1602, 2, 9, 'Pull manches longues d\'hiver holidays bleu', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"holidays bleu"}', 0), + (1603, 2, 9, 'Pull manches longues d\'hiver holiday sapin', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"holiday sapin"}', 0), + (1604, 2, 9, 'Pull manches longues d\'hiver love fist rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"love fist rouge"}', 0), + (1605, 2, 9, 'Pull manches longues d\'hiver love fist noir', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"love fist noir"}', 0), + (1606, 2, 9, 'Pull manches longues d\'hiver sapin rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"sapin rouge"}', 0), + (1607, 2, 9, 'Pull manches longues d\'hiver sapin vert', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"sapin vert"}', 0), + (1608, 2, 9, 'Pull manches longues d\'hiver NRV cat rouge', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"NRV cat rouge"}', 0), + (1609, 2, 9, 'Pull manches longues d\'hiver NRV cat vert', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"NRV cat vert"}', 0), + (1610, 1, 9, 'Gilet chaud d\'hiver bleu sapin', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu sapin"}', 0), + (1611, 1, 9, 'Gilet chaud d\'hiver rouge renne', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"rouge renne"}', 0), + (1612, 1, 9, 'Gilet chaud d\'hiver gris caribou', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"gris caribou"}', 0), + (1613, 1, 9, 'Gilet chaud d\'hiver vert noël', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"vert noël"}', 0), + (1614, 1, 9, 'Gilet chaud d\'hiver noir sapin', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"noir sapin"}', 0), + (1615, 1, 9, 'Gilet chaud d\'hiver bleu-rouge xmas', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu-rouge xmas"}', 0), + (1616, 1, 9, 'Gilet chaud d\'hiver carreaux rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux rouge"}', 0), + (1617, 1, 9, 'Gilet chaud d\'hiver carreaux vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux vert"}', 0), + (1618, 2, 9, 'Gilet chaud d\'hiver bleu sapin', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu sapin"}', 0), + (1619, 2, 9, 'Gilet chaud d\'hiver rouge renne', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"rouge renne"}', 0), + (1620, 2, 9, 'Gilet chaud d\'hiver gris caribou', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"gris caribou"}', 0), + (1621, 2, 9, 'Gilet chaud d\'hiver vert noël', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"vert noël"}', 0), + (1622, 2, 9, 'Gilet chaud d\'hiver noir sapin', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"noir sapin"}', 0), + (1623, 2, 9, 'Gilet chaud d\'hiver bleu-rouge xmas', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu-rouge xmas"}', 0), + (1624, 2, 9, 'Gilet chaud d\'hiver carreaux rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux rouge"}', 0), + (1625, 2, 9, 'Gilet chaud d\'hiver carreaux vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux vert"}', 0), + (1626, 1, 10, 'Combinaison couvrante indigène vert', 50, '{"components":{"11":{"Drawable":201,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène vert"}', 0), + (1627, 1, 10, 'Combinaison couvrante indigène bleu-violet', 50, '{"components":{"11":{"Drawable":201,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène bleu-violet"}', 0), + (1628, 1, 10, 'Combinaison couvrante indigène rose-orange', 50, '{"components":{"11":{"Drawable":201,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène rose-orange"}', 0), + (1629, 2, 10, 'Combinaison couvrante indigène vert', 50, '{"components":{"11":{"Drawable":201,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène vert"}', 0), + (1630, 2, 10, 'Combinaison couvrante indigène bleu-violet', 50, '{"components":{"11":{"Drawable":201,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène bleu-violet"}', 0), + (1631, 2, 10, 'Combinaison couvrante indigène rose-orange', 50, '{"components":{"11":{"Drawable":201,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène rose-orange"}', 0), + (1632, 1, 5, 'Hoodie sans manche capuche tête noir', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"noir"}', 0), + (1633, 1, 5, 'Hoodie sans manche capuche tête anthracite', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"anthracite"}', 0), + (1634, 1, 5, 'Hoodie sans manche capuche tête gris', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"gris"}', 0), + (1635, 1, 5, 'Hoodie sans manche capuche tête perle', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"perle"}', 0), + (1636, 1, 5, 'Hoodie sans manche capuche tête vert', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"vert"}', 0), + (1637, 2, 5, 'Hoodie sans manche capuche tête noir', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"noir"}', 0), + (1638, 2, 5, 'Hoodie sans manche capuche tête anthracite', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"anthracite"}', 0), + (1639, 2, 5, 'Hoodie sans manche capuche tête gris', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"gris"}', 0), + (1640, 2, 5, 'Hoodie sans manche capuche tête perle', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"perle"}', 0), + (1641, 2, 5, 'Hoodie sans manche capuche tête vert', 50, '{"components":{"11":{"Drawable":202,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"vert"}', 0), + (1642, 3, 5, 'Hoodie oversize capuche tête jaune-orange', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"jaune-orange"}', 0), + (1643, 3, 5, 'Hoodie oversize capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rose"}', 0), + (1644, 3, 5, 'Hoodie oversize capuche tête noir logo', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir logo"}', 0), + (1645, 3, 5, 'Hoodie oversize capuche tête vert logo', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vert logo"}', 0), + (1646, 3, 5, 'Hoodie oversize capuche tête clown logo', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"clown logo"}', 0), + (1647, 3, 5, 'Hoodie oversize capuche tête bleu foncé', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu foncé"}', 0), + (1648, 3, 5, 'Hoodie oversize capuche tête léopard beige', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard beige"}', 0), + (1649, 3, 5, 'Hoodie oversize capuche tête léopard rouge-blanc', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard rouge-blanc"}', 0), + (1650, 3, 5, 'Hoodie oversize capuche tête léopard rose', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard rose"}', 0), + (1651, 3, 5, 'Hoodie oversize capuche tête multicolore', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"multicolore"}', 0), + (1652, 3, 5, 'Hoodie oversize capuche tête camouflage vert', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"camouflage vert"}', 0), + (1653, 3, 5, 'Hoodie oversize capuche tête gris', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"gris"}', 0), + (1654, 3, 5, 'Hoodie oversize capuche tête camouflage rouge', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"camouflage rouge"}', 0), + (1655, 3, 5, 'Hoodie oversize capuche tête camouflage bleu', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"camouflage bleu"}', 0), + (1656, 3, 5, 'Hoodie oversize capuche tête anthracite', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"anthracite"}', 0), + (1657, 3, 5, 'Hoodie oversize capuche tête camouflage marron', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"camouflage marron"}', 0), + (1658, 3, 4, 'Coupe-vent long capuche tête noir', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"noir"}', 0), + (1659, 3, 4, 'Coupe-vent long capuche tête anthracite', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"anthracite"}', 0), + (1660, 3, 4, 'Coupe-vent long capuche tête gris foncé', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"gris foncé"}', 0), + (1661, 3, 4, 'Coupe-vent long capuche tête gris clair', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"gris clair"}', 0), + (1662, 3, 4, 'Coupe-vent long capuche tête blanc', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"blanc"}', 0), + (1663, 3, 4, 'Coupe-vent long capuche tête rouge', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"rouge"}', 0), + (1664, 3, 4, 'Coupe-vent long capuche tête pourpre', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"pourpre"}', 0), + (1665, 3, 4, 'Coupe-vent long capuche tête beige', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"beige"}', 0), + (1666, 3, 4, 'Coupe-vent long capuche tête sable', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"sable"}', 0), + (1667, 3, 4, 'Coupe-vent long capuche tête vert lime', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"vert lime"}', 0), + (1668, 3, 4, 'Coupe-vent long capuche tête dégradé', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"dégradé"}', 0), + (1669, 3, 4, 'Coupe-vent long capuche tête marron', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"marron"}', 0), + (1670, 3, 4, 'Coupe-vent long capuche tête olive', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Coupe-vent long capuche tête","colorLabel":"olive"}', 0), + (1671, 1, 5, 'Hoodie sans manche noir', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"noir"}', 0), + (1672, 1, 5, 'Hoodie sans manche anthracite', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"anthracite"}', 0), + (1673, 1, 5, 'Hoodie sans manche gris', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"gris"}', 0), + (1674, 1, 5, 'Hoodie sans manche perle', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"perle"}', 0), + (1675, 1, 5, 'Hoodie sans manche vert foncé', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"vert foncé"}', 0), + (1676, 2, 5, 'Hoodie sans manche noir', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"noir"}', 0), + (1677, 2, 5, 'Hoodie sans manche anthracite', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"anthracite"}', 0), + (1678, 2, 5, 'Hoodie sans manche gris', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"gris"}', 0), + (1679, 2, 5, 'Hoodie sans manche perle', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"perle"}', 0), + (1680, 2, 5, 'Hoodie sans manche vert foncé', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"vert foncé"}', 0), + (1681, 1, 5, 'Hoodie sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel bleu"}', 0), + (1682, 1, 5, 'Hoodie sans manche pixel sable', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel sable"}', 0), + (1683, 1, 5, 'Hoodie sans manche pixel vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel vert"}', 0), + (1684, 1, 5, 'Hoodie sans manche pixel beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel beige"}', 0), + (1685, 1, 5, 'Hoodie sans manche pixel crème', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel crème"}', 0), + (1686, 1, 5, 'Hoodie sans manche camo beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo beige"}', 0), + (1687, 1, 5, 'Hoodie sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo brun-vert"}', 0), + (1688, 1, 5, 'Hoodie sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"carreaux fin vert"}', 0), + (1689, 1, 5, 'Hoodie sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel forêt"}', 0), + (1690, 1, 5, 'Hoodie sans manche camo sable', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo sable"}', 0), + (1691, 1, 5, 'Hoodie sans manche camo bleu', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo bleu"}', 0), + (1692, 1, 5, 'Hoodie sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"géométrique vert"}', 0), + (1693, 1, 5, 'Hoodie sans manche camo olive', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo olive"}', 0), + (1694, 1, 5, 'Hoodie sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs kaki"}', 0), + (1695, 1, 5, 'Hoodie sans manche camo crème', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo crème"}', 0), + (1696, 1, 5, 'Hoodie sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs vert-beige"}', 0), + (1697, 2, 5, 'Hoodie sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel bleu"}', 0), + (1698, 2, 5, 'Hoodie sans manche pixel sable', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel sable"}', 0), + (1699, 2, 5, 'Hoodie sans manche pixel vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel vert"}', 0), + (1700, 2, 5, 'Hoodie sans manche pixel beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel beige"}', 0), + (1701, 2, 5, 'Hoodie sans manche pixel crème', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel crème"}', 0), + (1702, 2, 5, 'Hoodie sans manche camo beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo beige"}', 0), + (1703, 2, 5, 'Hoodie sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo brun-vert"}', 0), + (1704, 2, 5, 'Hoodie sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"carreaux fin vert"}', 0), + (1705, 2, 5, 'Hoodie sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel forêt"}', 0), + (1706, 2, 5, 'Hoodie sans manche camo sable', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo sable"}', 0), + (1707, 2, 5, 'Hoodie sans manche camo bleu', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo bleu"}', 0), + (1708, 2, 5, 'Hoodie sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"géométrique vert"}', 0), + (1709, 2, 5, 'Hoodie sans manche camo olive', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo olive"}', 0), + (1710, 2, 5, 'Hoodie sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs kaki"}', 0), + (1711, 2, 5, 'Hoodie sans manche camo crème', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo crème"}', 0), + (1712, 2, 5, 'Hoodie sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs vert-beige"}', 0), + (1713, 1, 5, 'Hoodie sans manche capuche tête pixel bleu', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel bleu"}', 0), + (1714, 1, 5, 'Hoodie sans manche capuche tête pixel sable', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel sable"}', 0), + (1715, 1, 5, 'Hoodie sans manche capuche tête pixel vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel vert"}', 0), + (1716, 1, 5, 'Hoodie sans manche capuche tête pixel beige', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel beige"}', 0), + (1717, 1, 5, 'Hoodie sans manche capuche tête pixel crème', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel crème"}', 0), + (1718, 1, 5, 'Hoodie sans manche capuche tête camo beige', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo beige"}', 0), + (1719, 1, 5, 'Hoodie sans manche capuche tête camo brun-vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo brun-vert"}', 0), + (1720, 1, 5, 'Hoodie sans manche capuche tête carreaux fin vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"carreaux fin vert"}', 0), + (1721, 1, 5, 'Hoodie sans manche capuche tête pixel forêt', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel forêt"}', 0), + (1722, 1, 5, 'Hoodie sans manche capuche tête camo sable', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo sable"}', 0), + (1723, 1, 5, 'Hoodie sans manche capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo bleu"}', 0), + (1724, 1, 5, 'Hoodie sans manche capuche tête géométrique vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"géométrique vert"}', 0), + (1725, 1, 5, 'Hoodie sans manche capuche tête camo olive', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo olive"}', 0), + (1726, 1, 5, 'Hoodie sans manche capuche tête motifs kaki', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs kaki"}', 0), + (1727, 1, 5, 'Hoodie sans manche capuche tête camo crème', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo crème"}', 0), + (1728, 1, 5, 'Hoodie sans manche capuche tête motifs vert-beige', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs vert-beige"}', 0), + (1729, 2, 5, 'Hoodie sans manche capuche tête pixel bleu', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel bleu"}', 0), + (1730, 2, 5, 'Hoodie sans manche capuche tête pixel sable', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel sable"}', 0), + (1731, 2, 5, 'Hoodie sans manche capuche tête pixel vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel vert"}', 0), + (1732, 2, 5, 'Hoodie sans manche capuche tête pixel beige', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel beige"}', 0), + (1733, 2, 5, 'Hoodie sans manche capuche tête pixel crème', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel crème"}', 0), + (1734, 2, 5, 'Hoodie sans manche capuche tête camo beige', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo beige"}', 0), + (1735, 2, 5, 'Hoodie sans manche capuche tête camo brun-vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo brun-vert"}', 0), + (1736, 2, 5, 'Hoodie sans manche capuche tête carreaux fin vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"carreaux fin vert"}', 0), + (1737, 2, 5, 'Hoodie sans manche capuche tête pixel forêt', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel forêt"}', 0), + (1738, 2, 5, 'Hoodie sans manche capuche tête camo sable', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo sable"}', 0), + (1739, 2, 5, 'Hoodie sans manche capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo bleu"}', 0), + (1740, 2, 5, 'Hoodie sans manche capuche tête géométrique vert', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"géométrique vert"}', 0), + (1741, 2, 5, 'Hoodie sans manche capuche tête camo olive', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo olive"}', 0), + (1742, 2, 5, 'Hoodie sans manche capuche tête motifs kaki', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs kaki"}', 0), + (1743, 2, 5, 'Hoodie sans manche capuche tête camo crème', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo crème"}', 0), + (1744, 2, 5, 'Hoodie sans manche capuche tête motifs vert-beige', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs vert-beige"}', 0), + (1745, 1, 2, 'T-shirt camouflage pixel bleu', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel bleu"}', 0), + (1746, 1, 2, 'T-shirt camouflage pixel sable', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel sable"}', 0), + (1747, 1, 2, 'T-shirt camouflage pixel vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel vert"}', 0), + (1748, 1, 2, 'T-shirt camouflage pixel beige', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel beige"}', 0), + (1749, 1, 2, 'T-shirt camouflage pixel crème', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel crème"}', 0), + (1750, 1, 2, 'T-shirt camouflage camo beige', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo beige"}', 0), + (1751, 1, 2, 'T-shirt camouflage camo brun-vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo brun-vert"}', 0), + (1752, 1, 2, 'T-shirt camouflage carreaux fin vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"carreaux fin vert"}', 0), + (1753, 1, 2, 'T-shirt camouflage pixel forêt', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel forêt"}', 0), + (1754, 1, 2, 'T-shirt camouflage camo sable', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo sable"}', 0), + (1755, 1, 2, 'T-shirt camouflage camo bleu', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo bleu"}', 0), + (1756, 1, 2, 'T-shirt camouflage géométrique vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"géométrique vert"}', 0), + (1757, 1, 2, 'T-shirt camouflage camo olive', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo olive"}', 0), + (1758, 1, 2, 'T-shirt camouflage motifs kaki', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"motifs kaki"}', 0), + (1759, 1, 2, 'T-shirt camouflage camo crème', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo crème"}', 0), + (1760, 1, 2, 'T-shirt camouflage motifs vert-beige', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"motifs vert-beige"}', 0), + (1761, 2, 2, 'T-shirt camouflage pixel bleu', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel bleu"}', 0), + (1762, 2, 2, 'T-shirt camouflage pixel sable', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel sable"}', 0), + (1763, 2, 2, 'T-shirt camouflage pixel vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel vert"}', 0), + (1764, 2, 2, 'T-shirt camouflage pixel beige', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel beige"}', 0), + (1765, 2, 2, 'T-shirt camouflage pixel crème', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel crème"}', 0), + (1766, 2, 2, 'T-shirt camouflage camo beige', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo beige"}', 0), + (1767, 2, 2, 'T-shirt camouflage camo brun-vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo brun-vert"}', 0), + (1768, 2, 2, 'T-shirt camouflage carreaux fin vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"carreaux fin vert"}', 0), + (1769, 2, 2, 'T-shirt camouflage pixel forêt', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"pixel forêt"}', 0), + (1770, 2, 2, 'T-shirt camouflage camo sable', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo sable"}', 0), + (1771, 2, 2, 'T-shirt camouflage camo bleu', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo bleu"}', 0), + (1772, 2, 2, 'T-shirt camouflage géométrique vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"géométrique vert"}', 0), + (1773, 2, 2, 'T-shirt camouflage camo olive', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo olive"}', 0), + (1774, 2, 2, 'T-shirt camouflage motifs kaki', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"motifs kaki"}', 0), + (1775, 2, 2, 'T-shirt camouflage camo crème', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"camo crème"}', 0), + (1776, 2, 2, 'T-shirt camouflage motifs vert-beige', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt camouflage","colorLabel":"motifs vert-beige"}', 0), + (1777, 1, 4, 'Anorak sans capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel bleu"}', 0), + (1778, 1, 4, 'Anorak sans capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel sable"}', 0), + (1779, 1, 4, 'Anorak sans capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel vert"}', 0), + (1780, 1, 4, 'Anorak sans capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel beige"}', 0), + (1781, 1, 4, 'Anorak sans capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel crème"}', 0), + (1782, 1, 4, 'Anorak sans capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige"}', 0), + (1783, 1, 4, 'Anorak sans capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (1784, 1, 4, 'Anorak sans capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (1785, 1, 4, 'Anorak sans capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel forêt"}', 0), + (1786, 1, 4, 'Anorak sans capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo sable"}', 0), + (1787, 1, 4, 'Anorak sans capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu"}', 0), + (1788, 1, 4, 'Anorak sans capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"géométrique vert"}', 0), + (1789, 1, 4, 'Anorak sans capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo olive"}', 0), + (1790, 1, 4, 'Anorak sans capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs kaki"}', 0), + (1791, 1, 4, 'Anorak sans capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo crème"}', 0), + (1792, 1, 4, 'Anorak sans capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs rose"}', 0), + (1793, 2, 4, 'Anorak sans capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel bleu"}', 0), + (1794, 2, 4, 'Anorak sans capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel sable"}', 0), + (1795, 2, 4, 'Anorak sans capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel vert"}', 0), + (1796, 2, 4, 'Anorak sans capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel beige"}', 0), + (1797, 2, 4, 'Anorak sans capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel crème"}', 0), + (1798, 2, 4, 'Anorak sans capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige"}', 0), + (1799, 2, 4, 'Anorak sans capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (1800, 2, 4, 'Anorak sans capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (1801, 2, 4, 'Anorak sans capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel forêt"}', 0), + (1802, 2, 4, 'Anorak sans capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo sable"}', 0), + (1803, 2, 4, 'Anorak sans capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu"}', 0), + (1804, 2, 4, 'Anorak sans capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"géométrique vert"}', 0), + (1805, 2, 4, 'Anorak sans capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo olive"}', 0), + (1806, 2, 4, 'Anorak sans capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs kaki"}', 0), + (1807, 2, 4, 'Anorak sans capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo crème"}', 0), + (1808, 2, 4, 'Anorak sans capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs rose"}', 0), + (1809, 1, 4, 'Anorak à capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel bleu"}', 0), + (1810, 1, 4, 'Anorak à capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel sable"}', 0), + (1811, 1, 4, 'Anorak à capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel vert"}', 0), + (1812, 1, 4, 'Anorak à capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel beige"}', 0), + (1813, 1, 4, 'Anorak à capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel crème"}', 0), + (1814, 1, 4, 'Anorak à capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige"}', 0), + (1815, 1, 4, 'Anorak à capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (1816, 1, 4, 'Anorak à capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (1817, 1, 4, 'Anorak à capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel forêt"}', 0), + (1818, 1, 4, 'Anorak à capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo sable"}', 0), + (1819, 1, 4, 'Anorak à capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu"}', 0), + (1820, 1, 4, 'Anorak à capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"géométrique vert"}', 0), + (1821, 1, 4, 'Anorak à capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo olive"}', 0), + (1822, 1, 4, 'Anorak à capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs kaki"}', 0), + (1823, 1, 4, 'Anorak à capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo crème"}', 0), + (1824, 1, 4, 'Anorak à capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs rose"}', 0), + (1825, 2, 4, 'Anorak à capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel bleu"}', 0), + (1826, 2, 4, 'Anorak à capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel sable"}', 0), + (1827, 2, 4, 'Anorak à capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel vert"}', 0), + (1828, 2, 4, 'Anorak à capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel beige"}', 0), + (1829, 2, 4, 'Anorak à capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel crème"}', 0), + (1830, 2, 4, 'Anorak à capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige"}', 0), + (1831, 2, 4, 'Anorak à capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (1832, 2, 4, 'Anorak à capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (1833, 2, 4, 'Anorak à capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel forêt"}', 0), + (1834, 2, 4, 'Anorak à capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo sable"}', 0), + (1835, 2, 4, 'Anorak à capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu"}', 0), + (1836, 2, 4, 'Anorak à capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"géométrique vert"}', 0), + (1837, 2, 4, 'Anorak à capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo olive"}', 0), + (1838, 2, 4, 'Anorak à capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs kaki"}', 0), + (1839, 2, 4, 'Anorak à capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo crème"}', 0), + (1840, 2, 4, 'Anorak à capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs rose"}', 0), + (1841, 1, 4, 'Anorak à capuche tête fermé pixel bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel bleu"}', 0), + (1842, 1, 4, 'Anorak à capuche tête fermé pixel sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel sable"}', 0), + (1843, 1, 4, 'Anorak à capuche tête fermé pixel vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel vert"}', 0), + (1844, 1, 4, 'Anorak à capuche tête fermé pixel beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel beige"}', 0), + (1845, 1, 4, 'Anorak à capuche tête fermé pixel crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel crème"}', 0), + (1846, 1, 4, 'Anorak à capuche tête fermé camo beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige"}', 0), + (1847, 1, 4, 'Anorak à capuche tête fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu-vert"}', 0), + (1848, 1, 4, 'Anorak à capuche tête fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux fin vert"}', 0), + (1849, 1, 4, 'Anorak à capuche tête fermé pixel forêt', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel forêt"}', 0), + (1850, 1, 4, 'Anorak à capuche tête fermé camo sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo sable"}', 0), + (1851, 1, 4, 'Anorak à capuche tête fermé camo bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu"}', 0), + (1852, 1, 4, 'Anorak à capuche tête fermé géométrique vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"géométrique vert"}', 0), + (1853, 1, 4, 'Anorak à capuche tête fermé camo olive', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo olive"}', 0), + (1854, 1, 4, 'Anorak à capuche tête fermé motifs kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs kaki"}', 0), + (1855, 1, 4, 'Anorak à capuche tête fermé camo crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo crème"}', 0), + (1856, 1, 4, 'Anorak à capuche tête fermé motifs rose', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs rose"}', 0), + (1857, 2, 4, 'Anorak à capuche tête fermé pixel bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel bleu"}', 0), + (1858, 2, 4, 'Anorak à capuche tête fermé pixel sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel sable"}', 0), + (1859, 2, 4, 'Anorak à capuche tête fermé pixel vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel vert"}', 0), + (1860, 2, 4, 'Anorak à capuche tête fermé pixel beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel beige"}', 0), + (1861, 2, 4, 'Anorak à capuche tête fermé pixel crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel crème"}', 0), + (1862, 2, 4, 'Anorak à capuche tête fermé camo beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige"}', 0), + (1863, 2, 4, 'Anorak à capuche tête fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu-vert"}', 0), + (1864, 2, 4, 'Anorak à capuche tête fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux fin vert"}', 0), + (1865, 2, 4, 'Anorak à capuche tête fermé pixel forêt', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel forêt"}', 0), + (1866, 2, 4, 'Anorak à capuche tête fermé camo sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo sable"}', 0), + (1867, 2, 4, 'Anorak à capuche tête fermé camo bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu"}', 0), + (1868, 2, 4, 'Anorak à capuche tête fermé géométrique vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"géométrique vert"}', 0), + (1869, 2, 4, 'Anorak à capuche tête fermé camo olive', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo olive"}', 0), + (1870, 2, 4, 'Anorak à capuche tête fermé motifs kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs kaki"}', 0), + (1871, 2, 4, 'Anorak à capuche tête fermé camo crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo crème"}', 0), + (1872, 2, 4, 'Anorak à capuche tête fermé motifs rose', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs rose"}', 0), + (1873, 1, 4, 'Anorak à capuche ouvert pixel bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel bleu"}', 0), + (1874, 1, 4, 'Anorak à capuche ouvert pixel sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel sable"}', 0), + (1875, 1, 4, 'Anorak à capuche ouvert pixel vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel vert"}', 0), + (1876, 1, 4, 'Anorak à capuche ouvert pixel beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel beige"}', 0), + (1877, 1, 4, 'Anorak à capuche ouvert pixel crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel crème"}', 0), + (1878, 1, 4, 'Anorak à capuche ouvert camo beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige"}', 0), + (1879, 1, 4, 'Anorak à capuche ouvert camo bleu-vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu-vert"}', 0), + (1880, 1, 4, 'Anorak à capuche ouvert carreaux fin vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"carreaux fin vert"}', 0), + (1881, 1, 4, 'Anorak à capuche ouvert pixel forêt', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel forêt"}', 0), + (1882, 1, 4, 'Anorak à capuche ouvert camo sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo sable"}', 0), + (1883, 1, 4, 'Anorak à capuche ouvert camo bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu"}', 0), + (1884, 1, 4, 'Anorak à capuche ouvert géométrique vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"géométrique vert"}', 0), + (1885, 1, 4, 'Anorak à capuche ouvert camo olive', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo olive"}', 0), + (1886, 1, 4, 'Anorak à capuche ouvert motifs kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs kaki"}', 0), + (1887, 1, 4, 'Anorak à capuche ouvert camo crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo crème"}', 0), + (1888, 1, 4, 'Anorak à capuche ouvert motifs rose', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs rose"}', 0), + (1889, 2, 4, 'Anorak à capuche ouvert pixel bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel bleu"}', 0), + (1890, 2, 4, 'Anorak à capuche ouvert pixel sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel sable"}', 0), + (1891, 2, 4, 'Anorak à capuche ouvert pixel vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel vert"}', 0), + (1892, 2, 4, 'Anorak à capuche ouvert pixel beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel beige"}', 0), + (1893, 2, 4, 'Anorak à capuche ouvert pixel crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel crème"}', 0), + (1894, 2, 4, 'Anorak à capuche ouvert camo beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige"}', 0), + (1895, 2, 4, 'Anorak à capuche ouvert camo bleu-vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu-vert"}', 0), + (1896, 2, 4, 'Anorak à capuche ouvert carreaux fin vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"carreaux fin vert"}', 0), + (1897, 2, 4, 'Anorak à capuche ouvert pixel forêt', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel forêt"}', 0), + (1898, 2, 4, 'Anorak à capuche ouvert camo sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo sable"}', 0), + (1899, 2, 4, 'Anorak à capuche ouvert camo bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu"}', 0), + (1900, 2, 4, 'Anorak à capuche ouvert géométrique vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"géométrique vert"}', 0), + (1901, 2, 4, 'Anorak à capuche ouvert camo olive', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo olive"}', 0), + (1902, 2, 4, 'Anorak à capuche ouvert motifs kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs kaki"}', 0), + (1903, 2, 4, 'Anorak à capuche ouvert camo crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo crème"}', 0), + (1904, 2, 4, 'Anorak à capuche ouvert motifs rose', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs rose"}', 0), + (1905, 1, 12, 'Veste ouverte simili pixel bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel bleu"}', 0), + (1906, 1, 12, 'Veste ouverte simili pixel sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel sable"}', 0), + (1907, 1, 12, 'Veste ouverte simili pixel vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel vert"}', 0), + (1908, 1, 12, 'Veste ouverte simili pixel beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel beige"}', 0), + (1909, 1, 12, 'Veste ouverte simili pixel crème', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel crème"}', 0), + (1910, 1, 12, 'Veste ouverte simili camo beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo beige"}', 0), + (1911, 1, 12, 'Veste ouverte simili camo brun-vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo brun-vert"}', 0), + (1912, 1, 12, 'Veste ouverte simili carreaux fin vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"carreaux fin vert"}', 0), + (1913, 1, 12, 'Veste ouverte simili pixel forêt', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel forêt"}', 0), + (1914, 1, 12, 'Veste ouverte simili camo sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo sable"}', 0), + (1915, 1, 12, 'Veste ouverte simili camo bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo bleu"}', 0), + (1916, 1, 12, 'Veste ouverte simili géométrique vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"géométrique vert"}', 0), + (1917, 1, 12, 'Veste ouverte simili camo olive', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo olive"}', 0), + (1918, 1, 12, 'Veste ouverte simili motifs kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"motifs kaki"}', 0), + (1919, 1, 12, 'Veste ouverte simili camo corail', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo corail"}', 0), + (1920, 1, 12, 'Veste ouverte simili motifs vert-beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"motifs vert-beige"}', 0), + (1921, 2, 12, 'Veste ouverte simili pixel bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel bleu"}', 0), + (1922, 2, 12, 'Veste ouverte simili pixel sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel sable"}', 0), + (1923, 2, 12, 'Veste ouverte simili pixel vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel vert"}', 0), + (1924, 2, 12, 'Veste ouverte simili pixel beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel beige"}', 0), + (1925, 2, 12, 'Veste ouverte simili pixel crème', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel crème"}', 0), + (1926, 2, 12, 'Veste ouverte simili camo beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo beige"}', 0), + (1927, 2, 12, 'Veste ouverte simili camo brun-vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo brun-vert"}', 0), + (1928, 2, 12, 'Veste ouverte simili carreaux fin vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"carreaux fin vert"}', 0), + (1929, 2, 12, 'Veste ouverte simili pixel forêt', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"pixel forêt"}', 0), + (1930, 2, 12, 'Veste ouverte simili camo sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo sable"}', 0), + (1931, 2, 12, 'Veste ouverte simili camo bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo bleu"}', 0), + (1932, 2, 12, 'Veste ouverte simili géométrique vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"géométrique vert"}', 0), + (1933, 2, 12, 'Veste ouverte simili camo olive', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo olive"}', 0), + (1934, 2, 12, 'Veste ouverte simili motifs kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"motifs kaki"}', 0), + (1935, 2, 12, 'Veste ouverte simili camo corail', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"camo corail"}', 0), + (1936, 2, 12, 'Veste ouverte simili motifs vert-beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili","colorLabel":"motifs vert-beige"}', 0), + (1937, 1, 11, 'Veste ouverte simili sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel bleu"}', 0), + (1938, 1, 11, 'Veste ouverte simili sans manche pixel sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel sable"}', 0), + (1939, 1, 11, 'Veste ouverte simili sans manche pixel vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel vert"}', 0), + (1940, 1, 11, 'Veste ouverte simili sans manche pixel beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel beige"}', 0), + (1941, 1, 11, 'Veste ouverte simili sans manche pixel crème', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel crème"}', 0), + (1942, 1, 11, 'Veste ouverte simili sans manche camo beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo beige"}', 0), + (1943, 1, 11, 'Veste ouverte simili sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo brun-vert"}', 0), + (1944, 1, 11, 'Veste ouverte simili sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"carreaux fin vert"}', 0), + (1945, 1, 11, 'Veste ouverte simili sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel forêt"}', 0), + (1946, 1, 11, 'Veste ouverte simili sans manche camo sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo sable"}', 0), + (1947, 1, 11, 'Veste ouverte simili sans manche camo bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo bleu"}', 0), + (1948, 1, 11, 'Veste ouverte simili sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"géométrique vert"}', 0), + (1949, 1, 11, 'Veste ouverte simili sans manche camo olive', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo olive"}', 0), + (1950, 1, 11, 'Veste ouverte simili sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"motifs kaki"}', 0), + (1951, 1, 11, 'Veste ouverte simili sans manche camo corail', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo corail"}', 0), + (1952, 1, 11, 'Veste ouverte simili sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"motifs vert-beige"}', 0), + (1953, 2, 11, 'Veste ouverte simili sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel bleu"}', 0), + (1954, 2, 11, 'Veste ouverte simili sans manche pixel sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel sable"}', 0), + (1955, 2, 11, 'Veste ouverte simili sans manche pixel vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel vert"}', 0), + (1956, 2, 11, 'Veste ouverte simili sans manche pixel beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel beige"}', 0), + (1957, 2, 11, 'Veste ouverte simili sans manche pixel crème', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel crème"}', 0), + (1958, 2, 11, 'Veste ouverte simili sans manche camo beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo beige"}', 0), + (1959, 2, 11, 'Veste ouverte simili sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo brun-vert"}', 0), + (1960, 2, 11, 'Veste ouverte simili sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"carreaux fin vert"}', 0), + (1961, 2, 11, 'Veste ouverte simili sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"pixel forêt"}', 0), + (1962, 2, 11, 'Veste ouverte simili sans manche camo sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo sable"}', 0), + (1963, 2, 11, 'Veste ouverte simili sans manche camo bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo bleu"}', 0), + (1964, 2, 11, 'Veste ouverte simili sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"géométrique vert"}', 0), + (1965, 2, 11, 'Veste ouverte simili sans manche camo olive', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo olive"}', 0), + (1966, 2, 11, 'Veste ouverte simili sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"motifs kaki"}', 0), + (1967, 2, 11, 'Veste ouverte simili sans manche camo corail', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"camo corail"}', 0), + (1968, 2, 11, 'Veste ouverte simili sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste ouverte simili sans manche","colorLabel":"motifs vert-beige"}', 0), + (1969, 1, 4, 'Anorak sans capuche fermé anthracite', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"anthracite"}', 0), + (1970, 1, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (1971, 1, 4, 'Anorak sans capuche fermé abricot', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"abricot"}', 0), + (1972, 1, 4, 'Anorak sans capuche fermé rouge', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"rouge"}', 0), + (1973, 1, 4, 'Anorak sans capuche fermé jaune', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"jaune"}', 0), + (1974, 1, 4, 'Anorak sans capuche fermé lime', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lime"}', 0), + (1975, 1, 4, 'Anorak sans capuche fermé turquoise', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"turquoise"}', 0), + (1976, 1, 4, 'Anorak sans capuche fermé orange', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"orange"}', 0), + (1977, 1, 4, 'Anorak sans capuche fermé motifs gris', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs gris"}', 0), + (1978, 1, 4, 'Anorak sans capuche fermé motifs forêt', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs forêt"}', 0), + (1979, 1, 4, 'Anorak sans capuche fermé carreaux gris', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux gris"}', 0), + (1980, 1, 4, 'Anorak sans capuche fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-vert"}', 0), + (1981, 1, 4, 'Anorak sans capuche fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu foncé"}', 0), + (1982, 1, 4, 'Anorak sans capuche fermé gris logo', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"gris logo"}', 0), + (1983, 1, 4, 'Anorak sans capuche fermé vert logo', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert logo"}', 0), + (1984, 2, 4, 'Anorak sans capuche fermé anthracite', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"anthracite"}', 0), + (1985, 2, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (1986, 2, 4, 'Anorak sans capuche fermé abricot', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"abricot"}', 0), + (1987, 2, 4, 'Anorak sans capuche fermé rouge', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"rouge"}', 0), + (1988, 2, 4, 'Anorak sans capuche fermé jaune', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"jaune"}', 0), + (1989, 2, 4, 'Anorak sans capuche fermé lime', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lime"}', 0), + (1990, 2, 4, 'Anorak sans capuche fermé turquoise', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"turquoise"}', 0), + (1991, 2, 4, 'Anorak sans capuche fermé orange', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"orange"}', 0), + (1992, 2, 4, 'Anorak sans capuche fermé motifs gris', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs gris"}', 0), + (1993, 2, 4, 'Anorak sans capuche fermé motifs forêt', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs forêt"}', 0), + (1994, 2, 4, 'Anorak sans capuche fermé carreaux gris', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux gris"}', 0), + (1995, 2, 4, 'Anorak sans capuche fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-vert"}', 0), + (1996, 2, 4, 'Anorak sans capuche fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu foncé"}', 0), + (1997, 2, 4, 'Anorak sans capuche fermé gris logo', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"gris logo"}', 0), + (1998, 2, 4, 'Anorak sans capuche fermé vert logo', 50, '{"components":{"11":{"Drawable":217,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert logo"}', 0), + (1999, 1, 4, 'Anorak à capuche tête fermé anthracite', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"anthracite"}', 0), + (2000, 1, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (2001, 1, 4, 'Anorak à capuche tête fermé abricot', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"abricot"}', 0), + (2002, 1, 4, 'Anorak à capuche tête fermé rouge', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"rouge"}', 0), + (2003, 1, 4, 'Anorak à capuche tête fermé jaune', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"jaune"}', 0), + (2004, 1, 4, 'Anorak à capuche tête fermé lime', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lime"}', 0), + (2005, 1, 4, 'Anorak à capuche tête fermé turquoise', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"turquoise"}', 0), + (2006, 1, 4, 'Anorak à capuche tête fermé orange', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"orange"}', 0), + (2007, 1, 4, 'Anorak à capuche tête fermé motifs gris', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs gris"}', 0), + (2008, 1, 4, 'Anorak à capuche tête fermé motifs forêt', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs forêt"}', 0), + (2009, 1, 4, 'Anorak à capuche tête fermé carreaux gris', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux gris"}', 0), + (2010, 1, 4, 'Anorak à capuche tête fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-vert"}', 0), + (2011, 1, 4, 'Anorak à capuche tête fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu foncé"}', 0), + (2012, 1, 4, 'Anorak à capuche tête fermé gris logo', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"gris logo"}', 0), + (2013, 1, 4, 'Anorak à capuche tête fermé vert logo', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert logo"}', 0), + (2014, 2, 4, 'Anorak à capuche tête fermé anthracite', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"anthracite"}', 0), + (2015, 2, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (2016, 2, 4, 'Anorak à capuche tête fermé abricot', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"abricot"}', 0), + (2017, 2, 4, 'Anorak à capuche tête fermé rouge', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"rouge"}', 0), + (2018, 2, 4, 'Anorak à capuche tête fermé jaune', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"jaune"}', 0), + (2019, 2, 4, 'Anorak à capuche tête fermé lime', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lime"}', 0), + (2020, 2, 4, 'Anorak à capuche tête fermé turquoise', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"turquoise"}', 0), + (2021, 2, 4, 'Anorak à capuche tête fermé orange', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"orange"}', 0), + (2022, 2, 4, 'Anorak à capuche tête fermé motifs gris', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs gris"}', 0), + (2023, 2, 4, 'Anorak à capuche tête fermé motifs forêt', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs forêt"}', 0), + (2024, 2, 4, 'Anorak à capuche tête fermé carreaux gris', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux gris"}', 0), + (2025, 2, 4, 'Anorak à capuche tête fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-vert"}', 0), + (2026, 2, 4, 'Anorak à capuche tête fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu foncé"}', 0), + (2027, 2, 4, 'Anorak à capuche tête fermé gris logo', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"gris logo"}', 0), + (2028, 2, 4, 'Anorak à capuche tête fermé vert logo', 50, '{"components":{"11":{"Drawable":218,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert logo"}', 0), + (2029, 1, 11, 'Chemise à motifs sans manche fermée pixel bleu', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel bleu"}', 0), + (2030, 1, 11, 'Chemise à motifs sans manche fermée pixel sable', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel sable"}', 0), + (2031, 1, 11, 'Chemise à motifs sans manche fermée pixel vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel vert"}', 0), + (2032, 1, 11, 'Chemise à motifs sans manche fermée pixel beige', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel beige"}', 0), + (2033, 1, 11, 'Chemise à motifs sans manche fermée pixel crème', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel crème"}', 0), + (2034, 1, 11, 'Chemise à motifs sans manche fermée camo beige', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo beige"}', 0), + (2035, 1, 11, 'Chemise à motifs sans manche fermée camo brun-vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo brun-vert"}', 0), + (2036, 1, 11, 'Chemise à motifs sans manche fermée carreaux fin vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"carreaux fin vert"}', 0), + (2037, 1, 11, 'Chemise à motifs sans manche fermée pixel forêt', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel forêt"}', 0), + (2038, 1, 11, 'Chemise à motifs sans manche fermée camo sable', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo sable"}', 0), + (2039, 1, 11, 'Chemise à motifs sans manche fermée camo bleu', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo bleu"}', 0), + (2040, 1, 11, 'Chemise à motifs sans manche fermée géométrique vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"géométrique vert"}', 0), + (2041, 1, 11, 'Chemise à motifs sans manche fermée camo olive', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo olive"}', 0), + (2042, 1, 11, 'Chemise à motifs sans manche fermée motifs kaki', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"motifs kaki"}', 0), + (2043, 1, 11, 'Chemise à motifs sans manche fermée camo corail', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo corail"}', 0), + (2044, 1, 11, 'Chemise à motifs sans manche fermée motifs vert-beige', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"motifs vert-beige"}', 0), + (2045, 2, 11, 'Chemise à motifs sans manche fermée pixel bleu', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel bleu"}', 0), + (2046, 2, 11, 'Chemise à motifs sans manche fermée pixel sable', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel sable"}', 0), + (2047, 2, 11, 'Chemise à motifs sans manche fermée pixel vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel vert"}', 0), + (2048, 2, 11, 'Chemise à motifs sans manche fermée pixel beige', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel beige"}', 0), + (2049, 2, 11, 'Chemise à motifs sans manche fermée pixel crème', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel crème"}', 0), + (2050, 2, 11, 'Chemise à motifs sans manche fermée camo beige', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo beige"}', 0), + (2051, 2, 11, 'Chemise à motifs sans manche fermée camo brun-vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo brun-vert"}', 0), + (2052, 2, 11, 'Chemise à motifs sans manche fermée carreaux fin vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"carreaux fin vert"}', 0), + (2053, 2, 11, 'Chemise à motifs sans manche fermée pixel forêt', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"pixel forêt"}', 0), + (2054, 2, 11, 'Chemise à motifs sans manche fermée camo sable', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo sable"}', 0), + (2055, 2, 11, 'Chemise à motifs sans manche fermée camo bleu', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo bleu"}', 0), + (2056, 2, 11, 'Chemise à motifs sans manche fermée géométrique vert', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"géométrique vert"}', 0), + (2057, 2, 11, 'Chemise à motifs sans manche fermée camo olive', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo olive"}', 0), + (2058, 2, 11, 'Chemise à motifs sans manche fermée motifs kaki', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"motifs kaki"}', 0), + (2059, 2, 11, 'Chemise à motifs sans manche fermée camo corail', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"camo corail"}', 0), + (2060, 2, 11, 'Chemise à motifs sans manche fermée motifs vert-beige', 50, '{"components":{"11":{"Drawable":219,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise à motifs sans manche fermée","colorLabel":"motifs vert-beige"}', 0), + (2061, 1, 9, 'Polaire pixel bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel bleu"}', 0), + (2062, 1, 9, 'Polaire pixel sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel sable"}', 0), + (2063, 1, 9, 'Polaire pixel vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel vert"}', 0), + (2064, 1, 9, 'Polaire pixel beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel beige"}', 0), + (2065, 1, 9, 'Polaire pixel crème', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel crème"}', 0), + (2066, 1, 9, 'Polaire camo beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo beige"}', 0), + (2067, 1, 9, 'Polaire camo brun-vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo brun-vert"}', 0), + (2068, 1, 9, 'Polaire carreaux fin vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"carreaux fin vert"}', 0), + (2069, 1, 9, 'Polaire pixel forêt', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel forêt"}', 0), + (2070, 1, 9, 'Polaire camo sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo sable"}', 0), + (2071, 1, 9, 'Polaire camo bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo bleu"}', 0), + (2072, 1, 9, 'Polaire géométrique vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"géométrique vert"}', 0), + (2073, 1, 9, 'Polaire camo olive', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo olive"}', 0), + (2074, 1, 9, 'Polaire motifs kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs kaki"}', 0), + (2075, 1, 9, 'Polaire camo crème', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo crème"}', 0), + (2076, 1, 9, 'Polaire motifs vert-beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs vert-beige"}', 0), + (2077, 2, 9, 'Polaire pixel bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel bleu"}', 0), + (2078, 2, 9, 'Polaire pixel sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel sable"}', 0), + (2079, 2, 9, 'Polaire pixel vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel vert"}', 0), + (2080, 2, 9, 'Polaire pixel beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel beige"}', 0), + (2081, 2, 9, 'Polaire pixel crème', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel crème"}', 0), + (2082, 2, 9, 'Polaire camo beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo beige"}', 0), + (2083, 2, 9, 'Polaire camo brun-vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo brun-vert"}', 0), + (2084, 2, 9, 'Polaire carreaux fin vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"carreaux fin vert"}', 0), + (2085, 2, 9, 'Polaire pixel forêt', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel forêt"}', 0), + (2086, 2, 9, 'Polaire camo sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo sable"}', 0), + (2087, 2, 9, 'Polaire camo bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo bleu"}', 0), + (2088, 2, 9, 'Polaire géométrique vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"géométrique vert"}', 0), + (2089, 2, 9, 'Polaire camo olive', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo olive"}', 0), + (2090, 2, 9, 'Polaire motifs kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs kaki"}', 0), + (2091, 2, 9, 'Polaire camo crème', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo crème"}', 0), + (2092, 2, 9, 'Polaire motifs vert-beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs vert-beige"}', 0), + (2093, 1, 12, 'Veste imperméable col mao m. longues pixel bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel bleu"}', 0), + (2094, 1, 12, 'Veste imperméable col mao m. longues pixel sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel sable"}', 0), + (2095, 1, 12, 'Veste imperméable col mao m. longues pixel vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel vert"}', 0), + (2096, 1, 12, 'Veste imperméable col mao m. longues pixel beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel beige"}', 0), + (2097, 1, 12, 'Veste imperméable col mao m. longues pixel crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel crème"}', 0), + (2098, 1, 12, 'Veste imperméable col mao m. longues camo beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo beige"}', 0), + (2099, 1, 12, 'Veste imperméable col mao m. longues camo brun-vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo brun-vert"}', 0), + (2100, 1, 12, 'Veste imperméable col mao m. longues carreaux fin vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"carreaux fin vert"}', 0), + (2101, 1, 12, 'Veste imperméable col mao m. longues pixel forêt', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel forêt"}', 0), + (2102, 1, 12, 'Veste imperméable col mao m. longues camo sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo sable"}', 0), + (2103, 1, 12, 'Veste imperméable col mao m. longues camo bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo bleu"}', 0), + (2104, 1, 12, 'Veste imperméable col mao m. longues géométrique vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"géométrique vert"}', 0), + (2105, 1, 12, 'Veste imperméable col mao m. longues camo olive', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo olive"}', 0), + (2106, 1, 12, 'Veste imperméable col mao m. longues motifs kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"motifs kaki"}', 0), + (2107, 1, 12, 'Veste imperméable col mao m. longues camo crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo crème"}', 0), + (2108, 1, 12, 'Veste imperméable col mao m. longues motifs vert-beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"motifs vert-beige"}', 0), + (2109, 2, 12, 'Veste imperméable col mao m. longues pixel bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel bleu"}', 0), + (2110, 2, 12, 'Veste imperméable col mao m. longues pixel sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel sable"}', 0), + (2111, 2, 12, 'Veste imperméable col mao m. longues pixel vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel vert"}', 0), + (2112, 2, 12, 'Veste imperméable col mao m. longues pixel beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel beige"}', 0), + (2113, 2, 12, 'Veste imperméable col mao m. longues pixel crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel crème"}', 0), + (2114, 2, 12, 'Veste imperméable col mao m. longues camo beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo beige"}', 0), + (2115, 2, 12, 'Veste imperméable col mao m. longues camo brun-vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo brun-vert"}', 0), + (2116, 2, 12, 'Veste imperméable col mao m. longues carreaux fin vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"carreaux fin vert"}', 0), + (2117, 2, 12, 'Veste imperméable col mao m. longues pixel forêt', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"pixel forêt"}', 0), + (2118, 2, 12, 'Veste imperméable col mao m. longues camo sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo sable"}', 0), + (2119, 2, 12, 'Veste imperméable col mao m. longues camo bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo bleu"}', 0), + (2120, 2, 12, 'Veste imperméable col mao m. longues géométrique vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"géométrique vert"}', 0), + (2121, 2, 12, 'Veste imperméable col mao m. longues camo olive', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo olive"}', 0), + (2122, 2, 12, 'Veste imperméable col mao m. longues motifs kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"motifs kaki"}', 0), + (2123, 2, 12, 'Veste imperméable col mao m. longues camo crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"camo crème"}', 0), + (2124, 2, 12, 'Veste imperméable col mao m. longues motifs vert-beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"motifs vert-beige"}', 0), + (2125, 1, 12, 'Veste imperméable col mao m. roulées pixel bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel bleu"}', 0), + (2126, 1, 12, 'Veste imperméable col mao m. roulées pixel sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel sable"}', 0), + (2127, 1, 12, 'Veste imperméable col mao m. roulées pixel vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel vert"}', 0), + (2128, 1, 12, 'Veste imperméable col mao m. roulées pixel beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel beige"}', 0), + (2129, 1, 12, 'Veste imperméable col mao m. roulées pixel crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel crème"}', 0), + (2130, 1, 12, 'Veste imperméable col mao m. roulées camo beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo beige"}', 0), + (2131, 1, 12, 'Veste imperméable col mao m. roulées camo brun-vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo brun-vert"}', 0), + (2132, 1, 12, 'Veste imperméable col mao m. roulées carreaux fin vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"carreaux fin vert"}', 0), + (2133, 1, 12, 'Veste imperméable col mao m. roulées pixel forêt', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel forêt"}', 0), + (2134, 1, 12, 'Veste imperméable col mao m. roulées camo sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo sable"}', 0), + (2135, 1, 12, 'Veste imperméable col mao m. roulées camo bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo bleu"}', 0), + (2136, 1, 12, 'Veste imperméable col mao m. roulées géométrique vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"géométrique vert"}', 0), + (2137, 1, 12, 'Veste imperméable col mao m. roulées camo olive', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo olive"}', 0), + (2138, 1, 12, 'Veste imperméable col mao m. roulées motifs kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"motifs kaki"}', 0), + (2139, 1, 12, 'Veste imperméable col mao m. roulées camo crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo crème"}', 0), + (2140, 1, 12, 'Veste imperméable col mao m. roulées motifs vert-beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"motifs vert-beige"}', 0), + (2141, 2, 12, 'Veste imperméable col mao m. roulées pixel bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel bleu"}', 0), + (2142, 2, 12, 'Veste imperméable col mao m. roulées pixel sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel sable"}', 0), + (2143, 2, 12, 'Veste imperméable col mao m. roulées pixel vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel vert"}', 0), + (2144, 2, 12, 'Veste imperméable col mao m. roulées pixel beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel beige"}', 0), + (2145, 2, 12, 'Veste imperméable col mao m. roulées pixel crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel crème"}', 0), + (2146, 2, 12, 'Veste imperméable col mao m. roulées camo beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo beige"}', 0), + (2147, 2, 12, 'Veste imperméable col mao m. roulées camo brun-vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo brun-vert"}', 0), + (2148, 2, 12, 'Veste imperméable col mao m. roulées carreaux fin vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"carreaux fin vert"}', 0), + (2149, 2, 12, 'Veste imperméable col mao m. roulées pixel forêt', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"pixel forêt"}', 0), + (2150, 2, 12, 'Veste imperméable col mao m. roulées camo sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo sable"}', 0), + (2151, 2, 12, 'Veste imperméable col mao m. roulées camo bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo bleu"}', 0), + (2152, 2, 12, 'Veste imperméable col mao m. roulées géométrique vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"géométrique vert"}', 0), + (2153, 2, 12, 'Veste imperméable col mao m. roulées camo olive', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo olive"}', 0), + (2154, 2, 12, 'Veste imperméable col mao m. roulées motifs kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"motifs kaki"}', 0), + (2155, 2, 12, 'Veste imperméable col mao m. roulées camo crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"camo crème"}', 0), + (2156, 2, 12, 'Veste imperméable col mao m. roulées motifs vert-beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. roulées","colorLabel":"motifs vert-beige"}', 0), + (2157, 3, 11, 'Doudoune légère sans manche noir', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"noir"}', 0), + (2158, 3, 11, 'Doudoune légère sans manche gris', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"gris"}', 0), + (2159, 3, 11, 'Doudoune légère sans manche blanc', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"blanc"}', 0), + (2160, 3, 11, 'Doudoune légère sans manche rouge', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"rouge"}', 0), + (2161, 3, 11, 'Doudoune légère sans manche orange', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"orange"}', 0), + (2162, 3, 11, 'Doudoune légère sans manche jaune', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"jaune"}', 0), + (2163, 3, 11, 'Doudoune légère sans manche lime', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"lime"}', 0), + (2164, 3, 11, 'Doudoune légère sans manche vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"vert"}', 0), + (2165, 3, 11, 'Doudoune légère sans manche turquoise', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"turquoise"}', 0), + (2166, 3, 11, 'Doudoune légère sans manche bleu', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"bleu"}', 0), + (2167, 3, 11, 'Doudoune légère sans manche pêche', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"pêche"}', 0), + (2168, 3, 11, 'Doudoune légère sans manche beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"beige"}', 0), + (2169, 3, 11, 'Doudoune légère sans manche camo vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo vert"}', 0), + (2170, 3, 11, 'Doudoune légère sans manche camo orange', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo orange"}', 0), + (2171, 3, 11, 'Doudoune légère sans manche camo violet', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo violet"}', 0), + (2172, 3, 11, 'Doudoune légère sans manche camo rose', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo rose"}', 0), + (2173, 3, 12, 'Doudoune légère manche longue noir', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"noir"}', 0), + (2174, 3, 12, 'Doudoune légère manche longue gris', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"gris"}', 0), + (2175, 3, 12, 'Doudoune légère manche longue blanc', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"blanc"}', 0), + (2176, 3, 12, 'Doudoune légère manche longue rouge', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"rouge"}', 0), + (2177, 3, 12, 'Doudoune légère manche longue orange', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"orange"}', 0), + (2178, 3, 12, 'Doudoune légère manche longue jaune', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"jaune"}', 0), + (2179, 3, 12, 'Doudoune légère manche longue lime', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"lime"}', 0), + (2180, 3, 12, 'Doudoune légère manche longue vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"vert"}', 0), + (2181, 3, 12, 'Doudoune légère manche longue turquoise', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"turquoise"}', 0), + (2182, 3, 12, 'Doudoune légère manche longue bleu', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"bleu"}', 0), + (2183, 3, 12, 'Doudoune légère manche longue pêche', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"pêche"}', 0), + (2184, 3, 12, 'Doudoune légère manche longue beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"beige"}', 0), + (2185, 3, 12, 'Doudoune légère manche longue camo vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"camo vert"}', 0), + (2186, 3, 12, 'Doudoune légère manche longue camo orange', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"camo orange"}', 0), + (2187, 3, 12, 'Doudoune légère manche longue camo violet', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"camo violet"}', 0), + (2188, 3, 12, 'Doudoune légère manche longue camo rose', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manche longue","colorLabel":"camo rose"}', 0), + (2189, 1, 5, 'Sweat-shirt col rond 98 bleu-blanc', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"98 bleu-blanc"}', 0), + (2190, 1, 5, 'Sweat-shirt col rond 98 rouge-blanc', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"98 rouge-blanc"}', 0), + (2191, 2, 5, 'Sweat-shirt col rond 98 bleu-blanc', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"98 bleu-blanc"}', 0), + (2192, 2, 5, 'Sweat-shirt col rond 98 rouge-blanc', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"98 rouge-blanc"}', 0), + (2193, 1, 2, 'T-shirt à motifs noir', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"noir"}', 0), + (2194, 2, 2, 'T-shirt à motifs noir', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"noir"}', 0), + (2195, 1, 12, 'Veste moto large col mao vert-jaune', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert-jaune"}', 0), + (2196, 1, 12, 'Veste moto large col mao turquoise', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise"}', 0), + (2197, 1, 12, 'Veste moto large col mao Postal', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Postal"}', 0), + (2198, 1, 12, 'Veste moto large col mao Junk', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Junk"}', 0), + (2199, 1, 12, 'Veste moto large col mao Kronos', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Kronos"}', 0), + (2200, 1, 12, 'Veste moto large col mao Me tv', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Me tv"}', 0), + (2201, 1, 12, 'Veste moto large col mao Pendulus', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Pendulus"}', 0), + (2202, 1, 12, 'Veste moto large col mao Redwood bleu', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Redwood bleu"}', 0), + (2203, 1, 12, 'Veste moto large col mao Cola rouge', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Cola rouge"}', 0), + (2204, 1, 12, 'Veste moto large col mao CNT', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"CNT"}', 0), + (2205, 1, 12, 'Veste moto large col mao Jackal racing', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Jackal racing"}', 0), + (2206, 1, 12, 'Veste moto large col mao Shark', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Shark"}', 0), + (2207, 1, 12, 'Veste moto large col mao Sprunk', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Sprunk"}', 0), + (2208, 1, 12, 'Veste moto large col mao Tinkle', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Tinkle"}', 0), + (2209, 2, 12, 'Veste moto large col mao vert-jaune', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert-jaune"}', 0), + (2210, 2, 12, 'Veste moto large col mao turquoise', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise"}', 0), + (2211, 2, 12, 'Veste moto large col mao Postal', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Postal"}', 0), + (2212, 2, 12, 'Veste moto large col mao Junk', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Junk"}', 0), + (2213, 2, 12, 'Veste moto large col mao Kronos', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Kronos"}', 0), + (2214, 2, 12, 'Veste moto large col mao Me tv', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Me tv"}', 0), + (2215, 2, 12, 'Veste moto large col mao Pendulus', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Pendulus"}', 0), + (2216, 2, 12, 'Veste moto large col mao Redwood bleu', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Redwood bleu"}', 0), + (2217, 2, 12, 'Veste moto large col mao Cola rouge', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Cola rouge"}', 0), + (2218, 2, 12, 'Veste moto large col mao CNT', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"CNT"}', 0), + (2219, 2, 12, 'Veste moto large col mao Jackal racing', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Jackal racing"}', 0), + (2220, 2, 12, 'Veste moto large col mao Shark', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Shark"}', 0), + (2221, 2, 12, 'Veste moto large col mao Sprunk', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Sprunk"}', 0), + (2222, 2, 12, 'Veste moto large col mao Tinkle', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Tinkle"}', 0), + (2223, 1, 10, 'Parachutiste vert-jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"vert-jaune"}', 0), + (2224, 1, 10, 'Parachutiste abricot', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"abricot"}', 0), + (2225, 1, 10, 'Parachutiste violet', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"violet"}', 0), + (2226, 1, 10, 'Parachutiste rose', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"rose"}', 0), + (2227, 1, 10, 'Parachutiste noir jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"noir jaune"}', 0), + (2228, 1, 10, 'Parachutiste blanc-noir', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"blanc-noir"}', 0), + (2229, 1, 10, 'Parachutiste gris', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"gris"}', 0), + (2230, 1, 10, 'Parachutiste pétrole-beige', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"pétrole-beige"}', 0), + (2231, 1, 10, 'Parachutiste sable', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"sable"}', 0), + (2232, 1, 10, 'Parachutiste pourpre', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"pourpre"}', 0), + (2233, 1, 10, 'Parachutiste orange', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"orange"}', 0), + (2234, 1, 10, 'Parachutiste jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"jaune"}', 0), + (2235, 1, 10, 'Parachutiste bleu', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"bleu"}', 0), + (2236, 1, 10, 'Parachutiste bleu ciel', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"bleu ciel"}', 0), + (2237, 1, 10, 'Parachutiste beige', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"beige"}', 0), + (2238, 1, 10, 'Parachutiste crème', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"crème"}', 0), + (2239, 2, 10, 'Parachutiste vert-jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"vert-jaune"}', 0), + (2240, 2, 10, 'Parachutiste abricot', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"abricot"}', 0), + (2241, 2, 10, 'Parachutiste violet', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"violet"}', 0), + (2242, 2, 10, 'Parachutiste rose', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"rose"}', 0), + (2243, 2, 10, 'Parachutiste noir jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"noir jaune"}', 0), + (2244, 2, 10, 'Parachutiste blanc-noir', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"blanc-noir"}', 0), + (2245, 2, 10, 'Parachutiste gris', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"gris"}', 0), + (2246, 2, 10, 'Parachutiste pétrole-beige', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"pétrole-beige"}', 0), + (2247, 2, 10, 'Parachutiste sable', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"sable"}', 0), + (2248, 2, 10, 'Parachutiste pourpre', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"pourpre"}', 0), + (2249, 2, 10, 'Parachutiste orange', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"orange"}', 0), + (2250, 2, 10, 'Parachutiste jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"jaune"}', 0), + (2251, 2, 10, 'Parachutiste bleu', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"bleu"}', 0), + (2252, 2, 10, 'Parachutiste bleu ciel', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"bleu ciel"}', 0), + (2253, 2, 10, 'Parachutiste beige', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"beige"}', 0), + (2254, 2, 10, 'Parachutiste crème', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"crème"}', 0), + (2255, 3, 12, 'Blouson zippé fermé vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"vert"}', 0), + (2256, 3, 12, 'Blouson zippé fermé brun', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"brun"}', 0), + (2257, 3, 12, 'Blouson zippé fermé noir', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir"}', 0), + (2258, 3, 12, 'Blouson zippé fermé gris', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"gris"}', 0), + (2259, 3, 12, 'Blouson zippé fermé blanc', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc"}', 0), + (2260, 3, 12, 'Blouson zippé fermé turquoise', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"turquoise"}', 0), + (2261, 3, 12, 'Blouson zippé fermé bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"bleu"}', 0), + (2262, 3, 12, 'Blouson zippé fermé rouge', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"rouge"}', 0), + (2263, 3, 12, 'Blouson zippé fermé forêt', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"forêt"}', 0), + (2264, 3, 12, 'Blouson zippé fermé orange', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"orange"}', 0), + (2265, 3, 12, 'Blouson zippé fermé violet', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"violet"}', 0), + (2266, 3, 12, 'Blouson zippé fermé rose', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"rose"}', 0), + (2267, 3, 12, 'Blouson zippé ouvert vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"vert"}', 0), + (2268, 3, 12, 'Blouson zippé ouvert brun', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"brun"}', 0), + (2269, 3, 12, 'Blouson zippé ouvert noir', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"noir"}', 0), + (2270, 3, 12, 'Blouson zippé ouvert gris', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"gris"}', 0), + (2271, 3, 12, 'Blouson zippé ouvert blanc', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"blanc"}', 0), + (2272, 3, 12, 'Blouson zippé ouvert turquoise', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"turquoise"}', 0), + (2273, 3, 12, 'Blouson zippé ouvert bleu', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"bleu"}', 0), + (2274, 3, 12, 'Blouson zippé ouvert rouge', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"rouge"}', 0), + (2275, 3, 12, 'Blouson zippé ouvert forêt', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"forêt"}', 0), + (2276, 3, 12, 'Blouson zippé ouvert orange', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"orange"}', 0), + (2277, 3, 12, 'Blouson zippé ouvert violet', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"violet"}', 0), + (2278, 3, 12, 'Blouson zippé ouvert rose', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"rose"}', 0), + (2279, 1, 10, 'Parachutiste corail', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"corail"}', 0), + (2280, 2, 10, 'Parachutiste corail', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Parachutiste","colorLabel":"corail"}', 0), + (2281, 1, 4, 'Manteau court fermé vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"vert"}', 0), + (2282, 1, 4, 'Manteau court fermé jaune', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"jaune"}', 0), + (2283, 1, 4, 'Manteau court fermé sable', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"sable"}', 0), + (2284, 1, 4, 'Manteau court fermé bleu', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"bleu"}', 0), + (2285, 1, 4, 'Manteau court fermé noir', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"noir"}', 0), + (2286, 1, 4, 'Manteau court fermé anthracite', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"anthracite"}', 0), + (2287, 1, 4, 'Manteau court fermé gris', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"gris"}', 0), + (2288, 1, 4, 'Manteau court fermé camo beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo beige"}', 0), + (2289, 1, 4, 'Manteau court fermé camo vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo vert"}', 0), + (2290, 1, 4, 'Manteau court fermé camo brun-beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo brun-beige"}', 0), + (2291, 2, 4, 'Manteau court fermé vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"vert"}', 0), + (2292, 2, 4, 'Manteau court fermé jaune', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"jaune"}', 0), + (2293, 2, 4, 'Manteau court fermé sable', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"sable"}', 0), + (2294, 2, 4, 'Manteau court fermé bleu', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"bleu"}', 0), + (2295, 2, 4, 'Manteau court fermé noir', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"noir"}', 0), + (2296, 2, 4, 'Manteau court fermé anthracite', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"anthracite"}', 0), + (2297, 2, 4, 'Manteau court fermé gris', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"gris"}', 0), + (2298, 2, 4, 'Manteau court fermé camo beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo beige"}', 0), + (2299, 2, 4, 'Manteau court fermé camo vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo vert"}', 0), + (2300, 2, 4, 'Manteau court fermé camo brun-beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo brun-beige"}', 0), + (2301, 1, 4, 'Manteau court ouvert vert', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"vert"}', 0), + (2302, 1, 4, 'Manteau court ouvert jaune', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"jaune"}', 0), + (2303, 1, 4, 'Manteau court ouvert sable', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"sable"}', 0), + (2304, 1, 4, 'Manteau court ouvert bleu', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"bleu"}', 0), + (2305, 1, 4, 'Manteau court ouvert noir', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"noir"}', 0), + (2306, 1, 4, 'Manteau court ouvert anthracite', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"anthracite"}', 0), + (2307, 1, 4, 'Manteau court ouvert gris', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"gris"}', 0), + (2308, 1, 4, 'Manteau court ouvert camo beige', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"camo beige"}', 0), + (2309, 1, 4, 'Manteau court ouvert camo vert', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"camo vert"}', 0), + (2310, 1, 4, 'Manteau court ouvert camo brun-beige', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"camo brun-beige"}', 0), + (2311, 2, 4, 'Manteau court ouvert vert', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"vert"}', 0), + (2312, 2, 4, 'Manteau court ouvert jaune', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"jaune"}', 0), + (2313, 2, 4, 'Manteau court ouvert sable', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"sable"}', 0), + (2314, 2, 4, 'Manteau court ouvert bleu', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"bleu"}', 0), + (2315, 2, 4, 'Manteau court ouvert noir', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"noir"}', 0), + (2316, 2, 4, 'Manteau court ouvert anthracite', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"anthracite"}', 0), + (2317, 2, 4, 'Manteau court ouvert gris', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"gris"}', 0), + (2318, 2, 4, 'Manteau court ouvert camo beige', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"camo beige"}', 0), + (2319, 2, 4, 'Manteau court ouvert camo vert', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"camo vert"}', 0), + (2320, 2, 4, 'Manteau court ouvert camo brun-beige', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"camo brun-beige"}', 0), + (2321, 1, 7, 'Chemise m. relevées noir', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"noir"}', 0), + (2322, 1, 7, 'Chemise m. relevées anthracite', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"anthracite"}', 0), + (2323, 1, 7, 'Chemise m. relevées gris', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"gris"}', 0), + (2324, 1, 7, 'Chemise m. relevées perle', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"perle"}', 0), + (2325, 1, 7, 'Chemise m. relevées blanc', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"blanc"}', 0), + (2326, 1, 7, 'Chemise m. relevées motifs kaki', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"motifs kaki"}', 0), + (2327, 1, 7, 'Chemise m. relevées motifs corail', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"motifs corail"}', 0), + (2328, 1, 7, 'Chemise m. relevées tropical bleu-corail', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical bleu-corail"}', 0), + (2329, 1, 7, 'Chemise m. relevées tropical turquoise', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical turquoise"}', 0), + (2330, 1, 7, 'Chemise m. relevées léopard vert', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"léopard vert"}', 0), + (2331, 1, 7, 'Chemise m. relevées léopard turquoise', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"léopard turquoise"}', 0), + (2332, 1, 7, 'Chemise m. relevées noir motifs', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"noir motifs"}', 0), + (2333, 1, 7, 'Chemise m. relevées blanc motifs', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"blanc motifs"}', 0), + (2334, 1, 7, 'Chemise m. relevées lime-bleu ciel', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"lime-bleu ciel"}', 0), + (2335, 1, 7, 'Chemise m. relevées rose-bleu', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"rose-bleu"}', 0), + (2336, 1, 7, 'Chemise m. relevées turquoise motifs', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"turquoise motifs"}', 0), + (2337, 2, 7, 'Chemise m. relevées noir', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"noir"}', 0), + (2338, 2, 7, 'Chemise m. relevées anthracite', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"anthracite"}', 0), + (2339, 2, 7, 'Chemise m. relevées gris', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"gris"}', 0), + (2340, 2, 7, 'Chemise m. relevées perle', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"perle"}', 0), + (2341, 2, 7, 'Chemise m. relevées blanc', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"blanc"}', 0), + (2342, 2, 7, 'Chemise m. relevées motifs kaki', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"motifs kaki"}', 0), + (2343, 2, 7, 'Chemise m. relevées motifs corail', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"motifs corail"}', 0), + (2344, 2, 7, 'Chemise m. relevées tropical bleu-corail', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical bleu-corail"}', 0), + (2345, 2, 7, 'Chemise m. relevées tropical turquoise', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical turquoise"}', 0), + (2346, 2, 7, 'Chemise m. relevées léopard vert', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"léopard vert"}', 0), + (2347, 2, 7, 'Chemise m. relevées léopard turquoise', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"léopard turquoise"}', 0), + (2348, 2, 7, 'Chemise m. relevées noir motifs', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"noir motifs"}', 0), + (2349, 2, 7, 'Chemise m. relevées blanc motifs', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"blanc motifs"}', 0), + (2350, 2, 7, 'Chemise m. relevées lime-bleu ciel', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"lime-bleu ciel"}', 0), + (2351, 2, 7, 'Chemise m. relevées rose-bleu', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"rose-bleu"}', 0), + (2352, 2, 7, 'Chemise m. relevées turquoise motifs', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"turquoise motifs"}', 0), + (2353, 3, 3, 'Polo sportif à motifs sorti gris-rouge', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"gris-rouge"}', 0), + (2354, 3, 3, 'Polo sportif à motifs sorti blanc-gris', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"blanc-gris"}', 0), + (2355, 3, 3, 'Polo sportif à motifs sorti brun-rose', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"brun-rose"}', 0), + (2356, 3, 3, 'Polo sportif à motifs sorti rose-brun', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"rose-brun"}', 0), + (2357, 3, 3, 'Polo sportif à motifs sorti vert d\'eau-jaune', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"vert d\'eau-jaune"}', 0), + (2358, 3, 3, 'Polo sportif à motifs sorti rouge-vert', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"rouge-vert"}', 0), + (2359, 3, 3, 'Polo sportif à motifs sorti turquoise-pétrole', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"turquoise-pétrole"}', 0), + (2360, 3, 3, 'Polo sportif à motifs sorti blanc-pétrole', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"blanc-pétrole"}', 0), + (2361, 3, 3, 'Polo sportif à motifs sorti noir-rouge', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"noir-rouge"}', 0), + (2362, 3, 3, 'Polo sportif à motifs sorti rouge-noir', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"rouge-noir"}', 0), + (2363, 3, 3, 'Polo sportif à motifs sorti bleu foncé', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"bleu foncé"}', 0), + (2364, 3, 3, 'Polo sportif à motifs sorti jaune', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"jaune"}', 0), + (2365, 3, 3, 'Polo sportif à motifs rentré gris-rouge', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"gris-rouge"}', 0), + (2366, 3, 3, 'Polo sportif à motifs rentré blanc-gris', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"blanc-gris"}', 0), + (2367, 3, 3, 'Polo sportif à motifs rentré brun-rose', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"brun-rose"}', 0), + (2368, 3, 3, 'Polo sportif à motifs rentré rose-brun', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"rose-brun"}', 0), + (2369, 3, 3, 'Polo sportif à motifs rentré vert d\'eau-jaune', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"vert d\'eau-jaune"}', 0), + (2370, 3, 3, 'Polo sportif à motifs rentré rouge-vert', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"rouge-vert"}', 0), + (2371, 3, 3, 'Polo sportif à motifs rentré turquoise-pétrole', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"turquoise-pétrole"}', 0), + (2372, 3, 3, 'Polo sportif à motifs rentré blanc-pétrole', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"blanc-pétrole"}', 0), + (2373, 3, 3, 'Polo sportif à motifs rentré noir-rouge', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"noir-rouge"}', 0), + (2374, 3, 3, 'Polo sportif à motifs rentré rouge-noir', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"rouge-noir"}', 0), + (2375, 3, 3, 'Polo sportif à motifs rentré bleu foncé', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"bleu foncé"}', 0), + (2376, 3, 3, 'Polo sportif à motifs rentré jaune', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"jaune"}', 0), + (2377, 1, 2, 'Marcel blanc', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"blanc"}', 0), + (2378, 1, 2, 'Marcel crème', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"crème"}', 0), + (2379, 1, 2, 'Marcel gris', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"gris"}', 0), + (2380, 1, 2, 'Marcel anthracite', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"anthracite"}', 0), + (2381, 1, 2, 'Marcel noir', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"noir"}', 0), + (2382, 1, 2, 'Marcel jaune', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"jaune"}', 0), + (2383, 1, 2, 'Marcel vanille', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vanille"}', 0), + (2384, 1, 2, 'Marcel rouge', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rouge"}', 0), + (2385, 1, 2, 'Marcel bordeaux', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"bordeaux"}', 0), + (2386, 1, 2, 'Marcel rose', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rose"}', 0), + (2387, 1, 2, 'Marcel fuchsia', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"fuchsia"}', 0), + (2388, 1, 2, 'Marcel violet', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"violet"}', 0), + (2389, 1, 2, 'Marcel orange', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"orange"}', 0), + (2390, 1, 2, 'Marcel abricot', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"abricot"}', 0), + (2391, 1, 2, 'Marcel vert', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vert"}', 0), + (2392, 1, 2, 'Marcel lime', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"lime"}', 0), + (2393, 2, 2, 'Marcel blanc', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"blanc"}', 0), + (2394, 2, 2, 'Marcel crème', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"crème"}', 0), + (2395, 2, 2, 'Marcel gris', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"gris"}', 0), + (2396, 2, 2, 'Marcel anthracite', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"anthracite"}', 0), + (2397, 2, 2, 'Marcel noir', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"noir"}', 0), + (2398, 2, 2, 'Marcel jaune', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"jaune"}', 0), + (2399, 2, 2, 'Marcel vanille', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vanille"}', 0), + (2400, 2, 2, 'Marcel rouge', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rouge"}', 0), + (2401, 2, 2, 'Marcel bordeaux', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"bordeaux"}', 0), + (2402, 2, 2, 'Marcel rose', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"rose"}', 0), + (2403, 2, 2, 'Marcel fuchsia', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"fuchsia"}', 0), + (2404, 2, 2, 'Marcel violet', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"violet"}', 0), + (2405, 2, 2, 'Marcel orange', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"orange"}', 0), + (2406, 2, 2, 'Marcel abricot', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"abricot"}', 0), + (2407, 2, 2, 'Marcel vert', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"vert"}', 0), + (2408, 2, 2, 'Marcel lime', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Marcel","colorLabel":"lime"}', 0), + (2409, 1, 2, 'T-shirt retroussé blanc', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"blanc"}', 0), + (2410, 1, 2, 'T-shirt retroussé noir', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"noir"}', 0), + (2411, 1, 2, 'T-shirt retroussé rouge', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"rouge"}', 0), + (2412, 1, 2, 'T-shirt retroussé rayé', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"rayé"}', 0), + (2413, 1, 2, 'T-shirt retroussé crème', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"crème"}', 0), + (2414, 1, 2, 'T-shirt retroussé marron', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"marron"}', 0), + (2415, 2, 2, 'T-shirt retroussé blanc', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"blanc"}', 0), + (2416, 2, 2, 'T-shirt retroussé noir', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"noir"}', 0), + (2417, 2, 2, 'T-shirt retroussé rouge', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"rouge"}', 0), + (2418, 2, 2, 'T-shirt retroussé rayé', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"rayé"}', 0), + (2419, 2, 2, 'T-shirt retroussé crème', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"crème"}', 0), + (2420, 2, 2, 'T-shirt retroussé marron', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"marron"}', 0), + (2421, 1, 2, 'T-shirt retroussé pixel bleu', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel bleu"}', 0), + (2422, 1, 2, 'T-shirt retroussé pixel sable', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel sable"}', 0), + (2423, 1, 2, 'T-shirt retroussé pixel vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel vert"}', 0), + (2424, 1, 2, 'T-shirt retroussé pixel beige', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel beige"}', 0), + (2425, 1, 2, 'T-shirt retroussé pixel crème', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel crème"}', 0), + (2426, 1, 2, 'T-shirt retroussé camo beige', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo beige"}', 0), + (2427, 1, 2, 'T-shirt retroussé camo brun-vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo brun-vert"}', 0), + (2428, 1, 2, 'T-shirt retroussé carreaux fin vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"carreaux fin vert"}', 0), + (2429, 1, 2, 'T-shirt retroussé pixel forêt', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel forêt"}', 0), + (2430, 1, 2, 'T-shirt retroussé camo sable', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo sable"}', 0), + (2431, 1, 2, 'T-shirt retroussé camo bleu', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo bleu"}', 0), + (2432, 1, 2, 'T-shirt retroussé géométrique vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"géométrique vert"}', 0), + (2433, 1, 2, 'T-shirt retroussé camo olive', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo olive"}', 0), + (2434, 1, 2, 'T-shirt retroussé motifs kaki', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"motifs kaki"}', 0), + (2435, 1, 2, 'T-shirt retroussé camo crème', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo crème"}', 0), + (2436, 1, 2, 'T-shirt retroussé motifs vert-beige', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"motifs vert-beige"}', 0), + (2437, 2, 2, 'T-shirt retroussé pixel bleu', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel bleu"}', 0), + (2438, 2, 2, 'T-shirt retroussé pixel sable', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel sable"}', 0), + (2439, 2, 2, 'T-shirt retroussé pixel vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel vert"}', 0), + (2440, 2, 2, 'T-shirt retroussé pixel beige', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel beige"}', 0), + (2441, 2, 2, 'T-shirt retroussé pixel crème', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel crème"}', 0), + (2442, 2, 2, 'T-shirt retroussé camo beige', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo beige"}', 0), + (2443, 2, 2, 'T-shirt retroussé camo brun-vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo brun-vert"}', 0), + (2444, 2, 2, 'T-shirt retroussé carreaux fin vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"carreaux fin vert"}', 0), + (2445, 2, 2, 'T-shirt retroussé pixel forêt', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"pixel forêt"}', 0), + (2446, 2, 2, 'T-shirt retroussé camo sable', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo sable"}', 0), + (2447, 2, 2, 'T-shirt retroussé camo bleu', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo bleu"}', 0), + (2448, 2, 2, 'T-shirt retroussé géométrique vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"géométrique vert"}', 0), + (2449, 2, 2, 'T-shirt retroussé camo olive', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo olive"}', 0), + (2450, 2, 2, 'T-shirt retroussé motifs kaki', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"motifs kaki"}', 0), + (2451, 2, 2, 'T-shirt retroussé camo crème', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"camo crème"}', 0), + (2452, 2, 2, 'T-shirt retroussé motifs vert-beige', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"motifs vert-beige"}', 0), + (2453, 3, 4, 'Manteau à fourrure zèbre turquoise', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"zèbre turquoise"}', 0), + (2454, 3, 4, 'Manteau à fourrure léopard jaune', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"léopard jaune"}', 0), + (2455, 3, 4, 'Manteau à fourrure zèbre beige', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"zèbre beige"}', 0), + (2456, 3, 4, 'Manteau à fourrure rouge', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"rouge"}', 0), + (2457, 3, 4, 'Manteau à fourrure orange', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"orange"}', 0), + (2458, 3, 4, 'Manteau à fourrure léopard noir', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure","colorLabel":"léopard noir"}', 0), + (2459, 3, 3, 'Polo uni sorti gris', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni sorti","colorLabel":"gris"}', 0), + (2460, 3, 3, 'Polo uni sorti bleu', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni sorti","colorLabel":"bleu"}', 0), + (2461, 3, 3, 'Polo uni sorti blanc', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni sorti","colorLabel":"blanc"}', 0), + (2462, 3, 3, 'Polo uni sorti beige', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni sorti","colorLabel":"beige"}', 0), + (2463, 3, 3, 'Polo uni sorti noir', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni sorti","colorLabel":"noir"}', 0), + (2464, 3, 3, 'Polo uni sorti bordeaux', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni sorti","colorLabel":"bordeaux"}', 0), + (2465, 3, 3, 'Polo uni rentré gris', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni rentré","colorLabel":"gris"}', 0), + (2466, 3, 3, 'Polo uni rentré bleu', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni rentré","colorLabel":"bleu"}', 0), + (2467, 3, 3, 'Polo uni rentré blanc', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni rentré","colorLabel":"blanc"}', 0), + (2468, 3, 3, 'Polo uni rentré beige', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni rentré","colorLabel":"beige"}', 0), + (2469, 3, 3, 'Polo uni rentré noir', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni rentré","colorLabel":"noir"}', 0), + (2470, 3, 3, 'Polo uni rentré bordeaux', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo uni rentré","colorLabel":"bordeaux"}', 0), + (2471, 1, 12, 'Combinaison moto sportive noir', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir"}', 0), + (2472, 1, 12, 'Combinaison moto sportive blanc', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"blanc"}', 0), + (2473, 1, 12, 'Combinaison moto sportive bleu', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"bleu"}', 0), + (2474, 1, 12, 'Combinaison moto sportive rouge', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"rouge"}', 0), + (2475, 1, 12, 'Combinaison moto sportive noir-turquoise', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-turquoise"}', 0), + (2476, 1, 12, 'Combinaison moto sportive noir-vert', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-vert"}', 0), + (2477, 1, 12, 'Combinaison moto sportive noir-orange', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-orange"}', 0), + (2478, 1, 12, 'Combinaison moto sportive jaune-noir', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"jaune-noir"}', 0), + (2479, 1, 12, 'Combinaison moto sportive noir-rouge', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-rouge"}', 0), + (2480, 1, 12, 'Combinaison moto sportive noir-rose-dragon', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-rose-dragon"}', 0), + (2481, 1, 12, 'Combinaison moto sportive pétrole', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"pétrole"}', 0), + (2482, 1, 12, 'Combinaison moto sportive noir-lime', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-lime"}', 0), + (2483, 1, 12, 'Combinaison moto sportive noir-orange-pétrole', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-orange-pétrole"}', 0), + (2484, 1, 12, 'Combinaison moto sportive noir-gris', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-gris"}', 0), + (2485, 1, 12, 'Combinaison moto sportive blanc-rouge', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"blanc-rouge"}', 0), + (2486, 1, 12, 'Combinaison moto sportive bleu-orange', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"bleu-orange"}', 0), + (2487, 2, 12, 'Combinaison moto sportive noir', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir"}', 0), + (2488, 2, 12, 'Combinaison moto sportive blanc', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"blanc"}', 0), + (2489, 2, 12, 'Combinaison moto sportive bleu', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"bleu"}', 0), + (2490, 2, 12, 'Combinaison moto sportive rouge', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"rouge"}', 0), + (2491, 2, 12, 'Combinaison moto sportive noir-turquoise', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-turquoise"}', 0), + (2492, 2, 12, 'Combinaison moto sportive noir-vert', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-vert"}', 0), + (2493, 2, 12, 'Combinaison moto sportive noir-orange', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-orange"}', 0), + (2494, 2, 12, 'Combinaison moto sportive jaune-noir', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"jaune-noir"}', 0), + (2495, 2, 12, 'Combinaison moto sportive noir-rouge', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-rouge"}', 0), + (2496, 2, 12, 'Combinaison moto sportive noir-rose-dragon', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-rose-dragon"}', 0), + (2497, 2, 12, 'Combinaison moto sportive pétrole', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"pétrole"}', 0), + (2498, 2, 12, 'Combinaison moto sportive noir-lime', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-lime"}', 0), + (2499, 2, 12, 'Combinaison moto sportive noir-orange-pétrole', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-orange-pétrole"}', 0), + (2500, 2, 12, 'Combinaison moto sportive noir-gris', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"noir-gris"}', 0), + (2501, 2, 12, 'Combinaison moto sportive blanc-rouge', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"blanc-rouge"}', 0), + (2502, 2, 12, 'Combinaison moto sportive bleu-orange', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison moto sportive","colorLabel":"bleu-orange"}', 0), + (2503, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert sable', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"sable"}', 0), + (2504, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert vert', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"vert"}', 0), + (2505, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert gris', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"gris"}', 0), + (2506, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert motifs bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"motifs bleu"}', 0), + (2507, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert bleu ciel', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"bleu ciel"}', 0), + (2508, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert noir', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"noir"}', 0), + (2509, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert noir-blanc', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"noir-blanc"}', 0), + (2510, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert blanc', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"blanc"}', 0), + (2511, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert kaki', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"kaki"}', 0), + (2512, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert camo rose', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camo rose"}', 0), + (2513, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert camo gris', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camo gris"}', 0), + (2514, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert camo bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camo bleu"}', 0), + (2515, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert noir-rouge', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"noir-rouge"}', 0), + (2516, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert vert-rouge', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"vert-rouge"}', 0), + (2517, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert anthracite', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"anthracite"}', 0), + (2518, 1, 4, 'Veste d\'extérieur renforcée col haut ouvert camel', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camel"}', 0), + (2519, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert sable', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"sable"}', 0), + (2520, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert vert', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"vert"}', 0), + (2521, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert gris', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"gris"}', 0), + (2522, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert motifs bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"motifs bleu"}', 0), + (2523, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert bleu ciel', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"bleu ciel"}', 0), + (2524, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert noir', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"noir"}', 0), + (2525, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert noir-blanc', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"noir-blanc"}', 0), + (2526, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert blanc', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"blanc"}', 0), + (2527, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert kaki', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"kaki"}', 0), + (2528, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert camo rose', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camo rose"}', 0), + (2529, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert camo gris', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camo gris"}', 0), + (2530, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert camo bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camo bleu"}', 0), + (2531, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert noir-rouge', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"noir-rouge"}', 0), + (2532, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert vert-rouge', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"vert-rouge"}', 0), + (2533, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert anthracite', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"anthracite"}', 0), + (2534, 2, 4, 'Veste d\'extérieur renforcée col haut ouvert camel', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Veste d\'extérieur renforcée col haut ouvert","colorLabel":"camel"}', 0), + (2535, 1, 9, 'Pull manches longues d\'hiver motifs vert', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"motifs vert"}', 0), + (2536, 1, 9, 'Pull manches longues d\'hiver motifs rouge', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"motifs rouge"}', 0), + (2537, 1, 9, 'Pull manches longues d\'hiver licorne', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"licorne"}', 0), + (2538, 1, 9, 'Pull manches longues d\'hiver rouge Claus', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"rouge Claus"}', 0), + (2539, 1, 9, 'Pull manches longues d\'hiver t-rex', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"t-rex"}', 0), + (2540, 1, 9, 'Pull manches longues d\'hiver noir cactus', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"noir cactus"}', 0), + (2541, 1, 9, 'Pull manches longues d\'hiver vert pole dance', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"vert pole dance"}', 0), + (2542, 1, 9, 'Pull manches longues d\'hiver bleu père noël', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"bleu père noël"}', 0), + (2543, 1, 9, 'Pull manches longues d\'hiver bleu renne', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"bleu renne"}', 0), + (2544, 1, 9, 'Pull manches longues d\'hiver rouge lutin', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"rouge lutin"}', 0), + (2545, 2, 9, 'Pull manches longues d\'hiver motifs vert', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"motifs vert"}', 0), + (2546, 2, 9, 'Pull manches longues d\'hiver motifs rouge', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"motifs rouge"}', 0), + (2547, 2, 9, 'Pull manches longues d\'hiver licorne', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"licorne"}', 0), + (2548, 2, 9, 'Pull manches longues d\'hiver rouge Claus', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"rouge Claus"}', 0), + (2549, 2, 9, 'Pull manches longues d\'hiver t-rex', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"t-rex"}', 0), + (2550, 2, 9, 'Pull manches longues d\'hiver noir cactus', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"noir cactus"}', 0), + (2551, 2, 9, 'Pull manches longues d\'hiver vert pole dance', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"vert pole dance"}', 0), + (2552, 2, 9, 'Pull manches longues d\'hiver bleu père noël', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"bleu père noël"}', 0), + (2553, 2, 9, 'Pull manches longues d\'hiver bleu renne', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"bleu renne"}', 0), + (2554, 2, 9, 'Pull manches longues d\'hiver rouge lutin', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"rouge lutin"}', 0), + (2555, 1, 10, 'Combinaison couvrante noir-vert', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (2556, 1, 10, 'Combinaison couvrante noir-orange', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (2557, 1, 10, 'Combinaison couvrante noir-violet', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-violet"}', 0), + (2558, 1, 10, 'Combinaison couvrante noir-rose', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (2559, 1, 10, 'Combinaison couvrante noir-jaune', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (2560, 1, 10, 'Combinaison couvrante noir-blanc', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-blanc"}', 0), + (2561, 1, 10, 'Combinaison couvrante marron-beige', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"marron-beige"}', 0), + (2562, 1, 10, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (2563, 1, 10, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (2564, 1, 10, 'Combinaison couvrante père noël', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (2565, 1, 10, 'Combinaison couvrante lutin vert', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (2566, 1, 10, 'Combinaison couvrante lutin rouge', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (2567, 2, 10, 'Combinaison couvrante noir-vert', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (2568, 2, 10, 'Combinaison couvrante noir-orange', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (2569, 2, 10, 'Combinaison couvrante noir-violet', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-violet"}', 0), + (2570, 2, 10, 'Combinaison couvrante noir-rose', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (2571, 2, 10, 'Combinaison couvrante noir-jaune', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (2572, 2, 10, 'Combinaison couvrante noir-blanc', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-blanc"}', 0), + (2573, 2, 10, 'Combinaison couvrante marron-beige', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"marron-beige"}', 0), + (2574, 2, 10, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (2575, 2, 10, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (2576, 2, 10, 'Combinaison couvrante père noël', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (2577, 2, 10, 'Combinaison couvrante lutin vert', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (2578, 2, 10, 'Combinaison couvrante lutin rouge', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (2579, 1, 11, 'Veste d\'extérieur sans manche noir', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir"}', 0), + (2580, 1, 11, 'Veste d\'extérieur sans manche gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"gris"}', 0), + (2581, 1, 11, 'Veste d\'extérieur sans manche camel', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camel"}', 0), + (2582, 1, 11, 'Veste d\'extérieur sans manche beige', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"beige"}', 0), + (2583, 1, 11, 'Veste d\'extérieur sans manche anthracite', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite"}', 0), + (2584, 1, 11, 'Veste d\'extérieur sans manche anthracite-bleu', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite-bleu"}', 0), + (2585, 1, 11, 'Veste d\'extérieur sans manche noir-rouge', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir-rouge"}', 0), + (2586, 1, 11, 'Veste d\'extérieur sans manche vert', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"vert"}', 0), + (2587, 1, 11, 'Veste d\'extérieur sans manche brun', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"brun"}', 0), + (2588, 1, 11, 'Veste d\'extérieur sans manche camo gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo gris"}', 0), + (2589, 1, 11, 'Veste d\'extérieur sans manche géométrique kaki', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"géométrique kaki"}', 0), + (2590, 1, 11, 'Veste d\'extérieur sans manche camo beige', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo beige"}', 0), + (2591, 1, 11, 'Veste d\'extérieur sans manche camo rose', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo rose"}', 0), + (2592, 1, 11, 'Veste d\'extérieur sans manche bleu', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"bleu"}', 0), + (2593, 1, 11, 'Veste d\'extérieur sans manche vert-brun', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"vert-brun"}', 0), + (2594, 1, 11, 'Veste d\'extérieur sans manche orange', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"orange"}', 0), + (2595, 2, 11, 'Veste d\'extérieur sans manche noir', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir"}', 0), + (2596, 2, 11, 'Veste d\'extérieur sans manche gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"gris"}', 0), + (2597, 2, 11, 'Veste d\'extérieur sans manche camel', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camel"}', 0), + (2598, 2, 11, 'Veste d\'extérieur sans manche beige', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"beige"}', 0), + (2599, 2, 11, 'Veste d\'extérieur sans manche anthracite', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite"}', 0), + (2600, 2, 11, 'Veste d\'extérieur sans manche anthracite-bleu', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite-bleu"}', 0), + (2601, 2, 11, 'Veste d\'extérieur sans manche noir-rouge', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir-rouge"}', 0), + (2602, 2, 11, 'Veste d\'extérieur sans manche vert', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"vert"}', 0), + (2603, 2, 11, 'Veste d\'extérieur sans manche brun', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"brun"}', 0), + (2604, 2, 11, 'Veste d\'extérieur sans manche camo gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo gris"}', 0), + (2605, 2, 11, 'Veste d\'extérieur sans manche géométrique kaki', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"géométrique kaki"}', 0), + (2606, 2, 11, 'Veste d\'extérieur sans manche camo beige', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo beige"}', 0), + (2607, 2, 11, 'Veste d\'extérieur sans manche camo rose', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo rose"}', 0), + (2608, 2, 11, 'Veste d\'extérieur sans manche bleu', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"bleu"}', 0), + (2609, 2, 11, 'Veste d\'extérieur sans manche vert-brun', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"vert-brun"}', 0), + (2610, 2, 11, 'Veste d\'extérieur sans manche orange', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"orange"}', 0), + (2611, 1, 4, 'Veste de travail entrouverte noir', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir"}', 0), + (2612, 1, 4, 'Veste de travail entrouverte ardoise', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"ardoise"}', 0), + (2613, 1, 4, 'Veste de travail entrouverte sable', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"sable"}', 0), + (2614, 1, 4, 'Veste de travail entrouverte camo olive', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo olive"}', 0), + (2615, 1, 4, 'Veste de travail entrouverte camo bleu', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu"}', 0), + (2616, 1, 4, 'Veste de travail entrouverte vanille', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"vanille"}', 0), + (2617, 1, 4, 'Veste de travail entrouverte anthracite', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"anthracite"}', 0), + (2618, 1, 4, 'Veste de travail entrouverte camel', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camel"}', 0), + (2619, 1, 4, 'Veste de travail entrouverte gris', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"gris"}', 0), + (2620, 1, 4, 'Veste de travail entrouverte camo bleu ciel', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu ciel"}', 0), + (2621, 1, 4, 'Veste de travail entrouverte camo rose', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo rose"}', 0), + (2622, 1, 4, 'Veste de travail entrouverte perle', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"perle"}', 0), + (2623, 1, 4, 'Veste de travail entrouverte poil de chameau', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"poil de chameau"}', 0), + (2624, 1, 4, 'Veste de travail entrouverte taupe', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"taupe"}', 0), + (2625, 1, 4, 'Veste de travail entrouverte orange', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"orange"}', 0), + (2626, 1, 4, 'Veste de travail entrouverte noir-rouge', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir-rouge"}', 0), + (2627, 2, 4, 'Veste de travail entrouverte noir', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir"}', 0), + (2628, 2, 4, 'Veste de travail entrouverte ardoise', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"ardoise"}', 0), + (2629, 2, 4, 'Veste de travail entrouverte sable', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"sable"}', 0), + (2630, 2, 4, 'Veste de travail entrouverte camo olive', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo olive"}', 0), + (2631, 2, 4, 'Veste de travail entrouverte camo bleu', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu"}', 0), + (2632, 2, 4, 'Veste de travail entrouverte vanille', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"vanille"}', 0), + (2633, 2, 4, 'Veste de travail entrouverte anthracite', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"anthracite"}', 0), + (2634, 2, 4, 'Veste de travail entrouverte camel', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camel"}', 0), + (2635, 2, 4, 'Veste de travail entrouverte gris', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"gris"}', 0), + (2636, 2, 4, 'Veste de travail entrouverte camo bleu ciel', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu ciel"}', 0), + (2637, 2, 4, 'Veste de travail entrouverte camo rose', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo rose"}', 0), + (2638, 2, 4, 'Veste de travail entrouverte perle', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"perle"}', 0), + (2639, 2, 4, 'Veste de travail entrouverte poil de chameau', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"poil de chameau"}', 0), + (2640, 2, 4, 'Veste de travail entrouverte taupe', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"taupe"}', 0), + (2641, 2, 4, 'Veste de travail entrouverte orange', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"orange"}', 0), + (2642, 2, 4, 'Veste de travail entrouverte noir-rouge', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir-rouge"}', 0), + (2643, 1, 12, 'Veste Harrington bleu foncé', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu foncé"}', 0), + (2644, 1, 12, 'Veste Harrington pétrole', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"pétrole"}', 0), + (2645, 2, 12, 'Veste Harrington bleu foncé', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu foncé"}', 0), + (2646, 2, 12, 'Veste Harrington pétrole', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"pétrole"}', 0), + (2647, 3, 7, 'Chemise m. courtes fermée rentrée bleu foncé', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. courtes fermée rentrée","colorLabel":"bleu foncé"}', 0), + (2648, 3, 7, 'Chemise m. courtes fermée rentrée pétrole', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. courtes fermée rentrée","colorLabel":"pétrole"}', 0), + (2649, 1, 5, 'Hoodie imperméable moutarde', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"moutarde"}', 0), + (2650, 1, 5, 'Hoodie imperméable noir', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir"}', 0), + (2651, 1, 5, 'Hoodie imperméable blanc', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"blanc"}', 0), + (2652, 1, 5, 'Hoodie imperméable gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"gris"}', 0), + (2653, 1, 5, 'Hoodie imperméable anthracite', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite"}', 0), + (2654, 1, 5, 'Hoodie imperméable vanille', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vanille"}', 0), + (2655, 1, 5, 'Hoodie imperméable poil de chameau', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"poil de chameau"}', 0), + (2656, 1, 5, 'Hoodie imperméable camo olive', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo olive"}', 0), + (2657, 1, 5, 'Hoodie imperméable camo bleu', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu"}', 0), + (2658, 1, 5, 'Hoodie imperméable camo bleu ciel', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu ciel"}', 0), + (2659, 1, 5, 'Hoodie imperméable camo rose', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo rose"}', 0), + (2660, 1, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (2661, 1, 5, 'Hoodie imperméable perle', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"perle"}', 0), + (2662, 1, 5, 'Hoodie imperméable ardoise', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"ardoise"}', 0), + (2663, 1, 5, 'Hoodie imperméable taupe', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"taupe"}', 0), + (2664, 1, 5, 'Hoodie imperméable bleu clair', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu clair"}', 0), + (2665, 2, 5, 'Hoodie imperméable moutarde', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"moutarde"}', 0), + (2666, 2, 5, 'Hoodie imperméable noir', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir"}', 0), + (2667, 2, 5, 'Hoodie imperméable blanc', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"blanc"}', 0), + (2668, 2, 5, 'Hoodie imperméable gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"gris"}', 0), + (2669, 2, 5, 'Hoodie imperméable anthracite', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite"}', 0), + (2670, 2, 5, 'Hoodie imperméable vanille', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vanille"}', 0), + (2671, 2, 5, 'Hoodie imperméable poil de chameau', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"poil de chameau"}', 0), + (2672, 2, 5, 'Hoodie imperméable camo olive', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo olive"}', 0), + (2673, 2, 5, 'Hoodie imperméable camo bleu', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu"}', 0), + (2674, 2, 5, 'Hoodie imperméable camo bleu ciel', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu ciel"}', 0), + (2675, 2, 5, 'Hoodie imperméable camo rose', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo rose"}', 0), + (2676, 2, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (2677, 2, 5, 'Hoodie imperméable perle', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"perle"}', 0), + (2678, 2, 5, 'Hoodie imperméable ardoise', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"ardoise"}', 0), + (2679, 2, 5, 'Hoodie imperméable taupe', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"taupe"}', 0), + (2680, 2, 5, 'Hoodie imperméable bleu clair', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu clair"}', 0), + (2681, 1, 5, 'Hoodie imperméable capuche tête moutarde', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"moutarde"}', 0), + (2682, 1, 5, 'Hoodie imperméable capuche tête noir', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir"}', 0), + (2683, 1, 5, 'Hoodie imperméable capuche tête blanc', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"blanc"}', 0), + (2684, 1, 5, 'Hoodie imperméable capuche tête gris', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"gris"}', 0), + (2685, 1, 5, 'Hoodie imperméable capuche tête anthracite', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite"}', 0), + (2686, 1, 5, 'Hoodie imperméable capuche tête vanille', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vanille"}', 0), + (2687, 1, 5, 'Hoodie imperméable capuche tête poil de chameau', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"poil de chameau"}', 0), + (2688, 1, 5, 'Hoodie imperméable capuche tête camo olive', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo olive"}', 0), + (2689, 1, 5, 'Hoodie imperméable capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu"}', 0), + (2690, 1, 5, 'Hoodie imperméable capuche tête camo bleu ciel', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu ciel"}', 0), + (2691, 1, 5, 'Hoodie imperméable capuche tête camo rose', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo rose"}', 0), + (2692, 1, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (2693, 1, 5, 'Hoodie imperméable capuche tête perle', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"perle"}', 0), + (2694, 1, 5, 'Hoodie imperméable capuche tête ardoise', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"ardoise"}', 0), + (2695, 1, 5, 'Hoodie imperméable capuche tête taupe', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"taupe"}', 0), + (2696, 1, 5, 'Hoodie imperméable capuche tête bleu clair', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu clair"}', 0), + (2697, 2, 5, 'Hoodie imperméable capuche tête moutarde', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"moutarde"}', 0), + (2698, 2, 5, 'Hoodie imperméable capuche tête noir', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir"}', 0), + (2699, 2, 5, 'Hoodie imperméable capuche tête blanc', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"blanc"}', 0), + (2700, 2, 5, 'Hoodie imperméable capuche tête gris', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"gris"}', 0), + (2701, 2, 5, 'Hoodie imperméable capuche tête anthracite', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite"}', 0), + (2702, 2, 5, 'Hoodie imperméable capuche tête vanille', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vanille"}', 0), + (2703, 2, 5, 'Hoodie imperméable capuche tête poil de chameau', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"poil de chameau"}', 0), + (2704, 2, 5, 'Hoodie imperméable capuche tête camo olive', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo olive"}', 0), + (2705, 2, 5, 'Hoodie imperméable capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu"}', 0), + (2706, 2, 5, 'Hoodie imperméable capuche tête camo bleu ciel', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu ciel"}', 0), + (2707, 2, 5, 'Hoodie imperméable capuche tête camo rose', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo rose"}', 0), + (2708, 2, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (2709, 2, 5, 'Hoodie imperméable capuche tête perle', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"perle"}', 0), + (2710, 2, 5, 'Hoodie imperméable capuche tête ardoise', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"ardoise"}', 0), + (2711, 2, 5, 'Hoodie imperméable capuche tête taupe', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"taupe"}', 0), + (2712, 2, 5, 'Hoodie imperméable capuche tête bleu clair', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu clair"}', 0), + (2713, 1, 12, 'Veste moto large col mao zip bleu clair', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"bleu clair"}', 0), + (2714, 1, 12, 'Veste moto large col mao zip feu', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"feu"}', 0), + (2715, 1, 12, 'Veste moto large col mao zip blanc', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"blanc"}', 0), + (2716, 1, 12, 'Veste moto large col mao zip vert', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"vert"}', 0), + (2717, 1, 12, 'Veste moto large col mao zip abricot', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"abricot"}', 0), + (2718, 1, 12, 'Veste moto large col mao zip violet', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"violet"}', 0), + (2719, 1, 12, 'Veste moto large col mao zip rose', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"rose"}', 0), + (2720, 2, 12, 'Veste moto large col mao zip bleu clair', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"bleu clair"}', 0), + (2721, 2, 12, 'Veste moto large col mao zip feu', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"feu"}', 0), + (2722, 2, 12, 'Veste moto large col mao zip blanc', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"blanc"}', 0), + (2723, 2, 12, 'Veste moto large col mao zip vert', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"vert"}', 0), + (2724, 2, 12, 'Veste moto large col mao zip abricot', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"abricot"}', 0), + (2725, 2, 12, 'Veste moto large col mao zip violet', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"violet"}', 0), + (2726, 2, 12, 'Veste moto large col mao zip rose', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao zip","colorLabel":"rose"}', 0), + (2727, 1, 5, 'Sweat-shirt long blanc-jaune motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc-jaune motifs"}', 0), + (2728, 1, 5, 'Sweat-shirt long orange motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"orange motifs"}', 0), + (2729, 1, 5, 'Sweat-shirt long blanc-gris motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc-gris motifs"}', 0), + (2730, 1, 5, 'Sweat-shirt long noir-bleu motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"noir-bleu motifs"}', 0), + (2731, 1, 5, 'Sweat-shirt long rose motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"rose motifs"}', 0), + (2732, 1, 5, 'Sweat-shirt long blanc-violet motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc-violet motifs"}', 0), + (2733, 1, 5, 'Sweat-shirt long bleu blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"bleu blanc"}', 0), + (2734, 1, 5, 'Sweat-shirt long violet vanille', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"violet vanille"}', 0), + (2735, 1, 5, 'Sweat-shirt long turquoise bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"turquoise bleu"}', 0), + (2736, 1, 5, 'Sweat-shirt long crème vanille', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"crème vanille"}', 0), + (2737, 1, 5, 'Sweat-shirt long Bigness rose', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness rose"}', 0), + (2738, 1, 5, 'Sweat-shirt long Bigness turquoise', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness turquoise"}', 0), + (2739, 1, 5, 'Sweat-shirt long Bigness lime', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness lime"}', 0), + (2740, 1, 5, 'Sweat-shirt long Bigness rouge', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness rouge"}', 0), + (2741, 1, 5, 'Sweat-shirt long turquoise bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"turquoise bleu"}', 0), + (2742, 1, 5, 'Sweat-shirt long noir vert', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"noir vert"}', 0), + (2743, 1, 5, 'Sweat-shirt long bleu jaune', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"bleu jaune"}', 0), + (2744, 1, 5, 'Sweat-shirt long noir rouge', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"noir rouge"}', 0), + (2745, 1, 5, 'Sweat-shirt long violet couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"violet couronne"}', 0), + (2746, 1, 5, 'Sweat-shirt long jaune couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"jaune couronne"}', 0), + (2747, 1, 5, 'Sweat-shirt long orange couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"orange couronne"}', 0), + (2748, 1, 5, 'Sweat-shirt long blanc couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc couronne"}', 0), + (2749, 1, 5, 'Sweat-shirt long vert blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"vert blanc"}', 0), + (2750, 1, 5, 'Sweat-shirt long orange beige', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"orange beige"}', 0), + (2751, 1, 5, 'Sweat-shirt long bleu blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"bleu blanc"}', 0), + (2752, 2, 5, 'Sweat-shirt long blanc-jaune motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc-jaune motifs"}', 0), + (2753, 2, 5, 'Sweat-shirt long orange motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"orange motifs"}', 0), + (2754, 2, 5, 'Sweat-shirt long blanc-gris motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc-gris motifs"}', 0), + (2755, 2, 5, 'Sweat-shirt long noir-bleu motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"noir-bleu motifs"}', 0), + (2756, 2, 5, 'Sweat-shirt long rose motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"rose motifs"}', 0), + (2757, 2, 5, 'Sweat-shirt long blanc-violet motifs', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc-violet motifs"}', 0), + (2758, 2, 5, 'Sweat-shirt long bleu blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"bleu blanc"}', 0), + (2759, 2, 5, 'Sweat-shirt long violet vanille', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"violet vanille"}', 0), + (2760, 2, 5, 'Sweat-shirt long turquoise bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"turquoise bleu"}', 0), + (2761, 2, 5, 'Sweat-shirt long crème vanille', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"crème vanille"}', 0), + (2762, 2, 5, 'Sweat-shirt long Bigness rose', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness rose"}', 0), + (2763, 2, 5, 'Sweat-shirt long Bigness turquoise', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness turquoise"}', 0), + (2764, 2, 5, 'Sweat-shirt long Bigness lime', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness lime"}', 0), + (2765, 2, 5, 'Sweat-shirt long Bigness rouge', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness rouge"}', 0), + (2766, 2, 5, 'Sweat-shirt long turquoise bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"turquoise bleu"}', 0), + (2767, 2, 5, 'Sweat-shirt long noir vert', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"noir vert"}', 0), + (2768, 2, 5, 'Sweat-shirt long bleu jaune', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"bleu jaune"}', 0), + (2769, 2, 5, 'Sweat-shirt long noir rouge', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"noir rouge"}', 0), + (2770, 2, 5, 'Sweat-shirt long violet couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"violet couronne"}', 0), + (2771, 2, 5, 'Sweat-shirt long jaune couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"jaune couronne"}', 0), + (2772, 2, 5, 'Sweat-shirt long orange couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"orange couronne"}', 0), + (2773, 2, 5, 'Sweat-shirt long blanc couronne', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"blanc couronne"}', 0), + (2774, 2, 5, 'Sweat-shirt long vert blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"vert blanc"}', 0), + (2775, 2, 5, 'Sweat-shirt long orange beige', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"orange beige"}', 0), + (2776, 2, 5, 'Sweat-shirt long bleu blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"bleu blanc"}', 0), + (2777, 1, 12, 'Veste highschool football zip puma violet', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma violet"}', 0), + (2778, 1, 12, 'Veste highschool football zip puma orange', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma orange"}', 0), + (2779, 1, 12, 'Veste highschool football zip puma bleu', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma bleu"}', 0), + (2780, 1, 12, 'Veste highschool football zip puma jaune', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma jaune"}', 0), + (2781, 1, 12, 'Veste highschool football zip SN violet', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN violet"}', 0), + (2782, 1, 12, 'Veste highschool football zip SN vert', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN vert"}', 0), + (2783, 1, 12, 'Veste highschool football zip SN abricot', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN abricot"}', 0), + (2784, 1, 12, 'Veste highschool football zip SN orange', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN orange"}', 0), + (2785, 1, 12, 'Veste highschool football zip noir logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"noir logo"}', 0), + (2786, 1, 12, 'Veste highschool football zip gris logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"gris logo"}', 0), + (2787, 1, 12, 'Veste highschool football zip bleu logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"bleu logo"}', 0), + (2788, 1, 12, 'Veste highschool football zip rouge logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"rouge logo"}', 0), + (2789, 1, 12, 'Veste highschool football zip vert', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"vert"}', 0), + (2790, 1, 12, 'Veste highschool football zip camel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"camel"}', 0), + (2791, 1, 12, 'Veste highschool football zip bleu', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"bleu"}', 0), + (2792, 1, 12, 'Veste highschool football zip rose', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"rose"}', 0), + (2793, 2, 12, 'Veste highschool football zip puma violet', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma violet"}', 0), + (2794, 2, 12, 'Veste highschool football zip puma orange', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma orange"}', 0), + (2795, 2, 12, 'Veste highschool football zip puma bleu', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma bleu"}', 0), + (2796, 2, 12, 'Veste highschool football zip puma jaune', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"puma jaune"}', 0), + (2797, 2, 12, 'Veste highschool football zip SN violet', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN violet"}', 0), + (2798, 2, 12, 'Veste highschool football zip SN vert', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN vert"}', 0), + (2799, 2, 12, 'Veste highschool football zip SN abricot', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN abricot"}', 0), + (2800, 2, 12, 'Veste highschool football zip SN orange', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"SN orange"}', 0), + (2801, 2, 12, 'Veste highschool football zip noir logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"noir logo"}', 0), + (2802, 2, 12, 'Veste highschool football zip gris logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"gris logo"}', 0), + (2803, 2, 12, 'Veste highschool football zip bleu logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"bleu logo"}', 0), + (2804, 2, 12, 'Veste highschool football zip rouge logo', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"rouge logo"}', 0), + (2805, 2, 12, 'Veste highschool football zip vert', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"vert"}', 0), + (2806, 2, 12, 'Veste highschool football zip camel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"camel"}', 0), + (2807, 2, 12, 'Veste highschool football zip bleu', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"bleu"}', 0), + (2808, 2, 12, 'Veste highschool football zip rose', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"rose"}', 0), + (2809, 1, 12, 'Veste Harrington Blagueur mamie', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur mamie"}', 0), + (2810, 1, 12, 'Veste Harrington Blagueur papillon', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur papillon"}', 0), + (2811, 1, 12, 'Veste Harrington Blagueur pastel', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur pastel"}', 0), + (2812, 1, 12, 'Veste Harrington Blagueur Kill Bill', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur Kill Bill"}', 0), + (2813, 1, 12, 'Veste Harrington Blagueur orange', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur orange"}', 0), + (2814, 1, 12, 'Veste Harrington Blagueur america', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur america"}', 0), + (2815, 1, 12, 'Veste Harrington Blagueur grenouille', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur grenouille"}', 0), + (2816, 1, 12, 'Veste Harrington Guffy poussin', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy poussin"}', 0), + (2817, 1, 12, 'Veste Harrington Guffy america', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy america"}', 0), + (2818, 1, 12, 'Veste Harrington Guffy abricot', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy abricot"}', 0), + (2819, 1, 12, 'Veste Harrington Guffy sunshine', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy sunshine"}', 0), + (2820, 1, 12, 'Veste Harrington Santo Capra blanc', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra blanc"}', 0), + (2821, 1, 12, 'Veste Harrington Santo Capra rouge', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra rouge"}', 0), + (2822, 1, 12, 'Veste Harrington Santo Capra léopard gris', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra léopard gris"}', 0), + (2823, 1, 12, 'Veste Harrington Santo Capra rose', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra rose"}', 0), + (2824, 1, 12, 'Veste Harrington Santo Capra orchidée', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra orchidée"}', 0), + (2825, 1, 12, 'Veste Harrington Santo Capra noir', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra noir"}', 0), + (2826, 1, 12, 'Veste Harrington Santo Capra jaune', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra jaune"}', 0), + (2827, 1, 12, 'Veste Harrington Santo Capra bleu', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra bleu"}', 0), + (2828, 1, 12, 'Veste Harrington Santo Capra framboise', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra framboise"}', 0), + (2829, 1, 12, 'Veste Harrington vert', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"vert"}', 0), + (2830, 1, 12, 'Veste Harrington moutarde', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"moutarde"}', 0), + (2831, 1, 12, 'Veste Harrington bleu', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu"}', 0), + (2832, 1, 12, 'Veste Harrington rose', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rose"}', 0), + (2833, 2, 12, 'Veste Harrington Blagueur mamie', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur mamie"}', 0), + (2834, 2, 12, 'Veste Harrington Blagueur papillon', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur papillon"}', 0), + (2835, 2, 12, 'Veste Harrington Blagueur pastel', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur pastel"}', 0), + (2836, 2, 12, 'Veste Harrington Blagueur Kill Bill', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur Kill Bill"}', 0), + (2837, 2, 12, 'Veste Harrington Blagueur orange', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur orange"}', 0), + (2838, 2, 12, 'Veste Harrington Blagueur america', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur america"}', 0), + (2839, 2, 12, 'Veste Harrington Blagueur grenouille', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur grenouille"}', 0), + (2840, 2, 12, 'Veste Harrington Guffy poussin', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy poussin"}', 0), + (2841, 2, 12, 'Veste Harrington Guffy america', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy america"}', 0), + (2842, 2, 12, 'Veste Harrington Guffy abricot', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy abricot"}', 0), + (2843, 2, 12, 'Veste Harrington Guffy sunshine', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy sunshine"}', 0), + (2844, 2, 12, 'Veste Harrington Santo Capra blanc', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra blanc"}', 0), + (2845, 2, 12, 'Veste Harrington Santo Capra rouge', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra rouge"}', 0), + (2846, 2, 12, 'Veste Harrington Santo Capra léopard gris', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra léopard gris"}', 0), + (2847, 2, 12, 'Veste Harrington Santo Capra rose', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra rose"}', 0), + (2848, 2, 12, 'Veste Harrington Santo Capra orchidée', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra orchidée"}', 0), + (2849, 2, 12, 'Veste Harrington Santo Capra noir', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra noir"}', 0), + (2850, 2, 12, 'Veste Harrington Santo Capra jaune', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra jaune"}', 0), + (2851, 2, 12, 'Veste Harrington Santo Capra bleu', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra bleu"}', 0), + (2852, 2, 12, 'Veste Harrington Santo Capra framboise', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra framboise"}', 0), + (2853, 2, 12, 'Veste Harrington vert', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"vert"}', 0), + (2854, 2, 12, 'Veste Harrington moutarde', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"moutarde"}', 0), + (2855, 2, 12, 'Veste Harrington bleu', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu"}', 0), + (2856, 2, 12, 'Veste Harrington rose', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rose"}', 0), + (2857, 3, 9, 'Gilet chaud carreaux bleu', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux bleu"}', 0), + (2858, 3, 9, 'Gilet chaud carreaux rose', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux rose"}', 0), + (2859, 3, 9, 'Gilet chaud carreaux orange', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux orange"}', 0), + (2860, 3, 9, 'Gilet chaud carreaux rouge', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux rouge"}', 0), + (2861, 3, 9, 'Gilet chaud carreaux gris', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux gris"}', 0), + (2862, 3, 9, 'Gilet chaud carreaux bleu-blanc', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux bleu-blanc"}', 0), + (2863, 3, 9, 'Gilet chaud carreaux rouge-gris', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux rouge-gris"}', 0), + (2864, 3, 9, 'Gilet chaud carreaux jaune', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux jaune"}', 0), + (2865, 3, 9, 'Gilet chaud carreaux fuschia', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux fuschia"}', 0), + (2866, 3, 9, 'Gilet chaud carreaux turquoise', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux turquoise"}', 0), + (2867, 3, 9, 'Gilet chaud carreaux vert', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux vert"}', 0), + (2868, 3, 9, 'Gilet chaud vert', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"vert"}', 0), + (2869, 3, 9, 'Gilet chaud orange', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"orange"}', 0), + (2870, 3, 9, 'Gilet chaud bleu', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"bleu"}', 0), + (2871, 3, 9, 'Gilet chaud rose', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"rose"}', 0), + (2872, 3, 9, 'Pull manches longues motifs bleus', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"motifs bleus"}', 0), + (2873, 3, 9, 'Pull manches longues motifs jaune', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"motifs jaune"}', 0), + (2874, 3, 9, 'Pull manches longues motifs orange', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"motifs orange"}', 0), + (2875, 3, 9, 'Pull manches longues tropical vert', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"tropical vert"}', 0), + (2876, 3, 9, 'Pull manches longues tropical crème', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"tropical crème"}', 0), + (2877, 3, 9, 'Pull manches longues tropical jaune', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"tropical jaune"}', 0), + (2878, 3, 9, 'Pull manches longues Perseus bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Perseus bleu"}', 0), + (2879, 3, 9, 'Pull manches longues Perseus taupe', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Perseus taupe"}', 0), + (2880, 3, 9, 'Pull manches longues Perseus marron', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Perseus marron"}', 0), + (2881, 3, 9, 'Pull manches longues Perseus sable', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Perseus sable"}', 0), + (2882, 3, 9, 'Pull manches longues feuilles vert', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"feuilles vert"}', 0), + (2883, 3, 9, 'Pull manches longues feuilles violet', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"feuilles violet"}', 0), + (2884, 3, 9, 'Pull manches longues feuilles bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"feuilles bleu"}', 0), + (2885, 3, 9, 'Pull manches longues feuilles rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"feuilles rouge"}', 0), + (2886, 3, 9, 'Pull manches longues fleurs noir', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs noir"}', 0), + (2887, 3, 9, 'Pull manches longues fleurs violet', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs violet"}', 0), + (2888, 3, 9, 'Pull manches longues fleurs blanc', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs blanc"}', 0), + (2889, 3, 9, 'Pull manches longues fleurs abricot', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs abricot"}', 0), + (2890, 3, 9, 'Pull manches longues fleurs rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs rouge"}', 0), + (2891, 3, 9, 'Pull manches longues fleurs bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs bleu"}', 0), + (2892, 3, 9, 'Pull manches longues fleurs noir-rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs noir-rouge"}', 0), + (2893, 3, 9, 'Pull manches longues fleurs rose-vert', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"fleurs rose-vert"}', 0), + (2894, 3, 9, 'Pull manches longues vert', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"vert"}', 0), + (2895, 3, 9, 'Pull manches longues camel', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"camel"}', 0), + (2896, 3, 9, 'Pull manches longues violet', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"violet"}', 0), + (2897, 1, 7, 'Chemise m. relevées dragon rouge', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dragon rouge"}', 0), + (2898, 1, 7, 'Chemise m. relevées dragon noir', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dragon noir"}', 0), + (2899, 1, 7, 'Chemise m. relevées savane jaune', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane jaune"}', 0), + (2900, 1, 7, 'Chemise m. relevées savane bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane bleu"}', 0), + (2901, 1, 7, 'Chemise m. relevées savane rose', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane rose"}', 0), + (2902, 1, 7, 'Chemise m. relevées savane gris', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane gris"}', 0), + (2903, 1, 7, 'Chemise m. relevées feuilles beige', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles beige"}', 0), + (2904, 1, 7, 'Chemise m. relevées feuilles corail', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles corail"}', 0), + (2905, 1, 7, 'Chemise m. relevées feuilles vert', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles vert"}', 0), + (2906, 1, 7, 'Chemise m. relevées feuilles turquoise', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles turquoise"}', 0), + (2907, 1, 7, 'Chemise m. relevées feuillage bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage bleu"}', 0), + (2908, 1, 7, 'Chemise m. relevées feuillage gris', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage gris"}', 0), + (2909, 1, 7, 'Chemise m. relevées feuillage rouge', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage rouge"}', 0), + (2910, 1, 7, 'Chemise m. relevées feuillage crème', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage crème"}', 0), + (2911, 1, 7, 'Chemise m. relevées bouquet pétrole', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bouquet pétrole"}', 0), + (2912, 1, 7, 'Chemise m. relevées bouquet bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bouquet bleu"}', 0), + (2913, 1, 7, 'Chemise m. relevées tournesol rose', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tournesol rose"}', 0), + (2914, 1, 7, 'Chemise m. relevées fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs rouge-noir"}', 0), + (2915, 1, 7, 'Chemise m. relevées dégradé rose-vert', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé rose-vert"}', 0), + (2916, 1, 7, 'Chemise m. relevées dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé orange-bleu"}', 0), + (2917, 1, 7, 'Chemise m. relevées dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé blanc-noir"}', 0), + (2918, 1, 7, 'Chemise m. relevées dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé jaune-bleu"}', 0), + (2919, 1, 7, 'Chemise m. relevées vert', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"vert"}', 0), + (2920, 1, 7, 'Chemise m. relevées jaune', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"jaune"}', 0), + (2921, 1, 7, 'Chemise m. relevées bleu foncé', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bleu foncé"}', 0), + (2922, 2, 7, 'Chemise m. relevées dragon rouge', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dragon rouge"}', 0), + (2923, 2, 7, 'Chemise m. relevées dragon noir', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dragon noir"}', 0), + (2924, 2, 7, 'Chemise m. relevées savane jaune', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane jaune"}', 0), + (2925, 2, 7, 'Chemise m. relevées savane bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane bleu"}', 0), + (2926, 2, 7, 'Chemise m. relevées savane rose', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane rose"}', 0), + (2927, 2, 7, 'Chemise m. relevées savane gris', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"savane gris"}', 0), + (2928, 2, 7, 'Chemise m. relevées feuilles beige', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles beige"}', 0), + (2929, 2, 7, 'Chemise m. relevées feuilles corail', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles corail"}', 0), + (2930, 2, 7, 'Chemise m. relevées feuilles vert', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles vert"}', 0), + (2931, 2, 7, 'Chemise m. relevées feuilles turquoise', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuilles turquoise"}', 0), + (2932, 2, 7, 'Chemise m. relevées feuillage bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage bleu"}', 0), + (2933, 2, 7, 'Chemise m. relevées feuillage gris', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage gris"}', 0), + (2934, 2, 7, 'Chemise m. relevées feuillage rouge', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage rouge"}', 0), + (2935, 2, 7, 'Chemise m. relevées feuillage crème', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"feuillage crème"}', 0), + (2936, 2, 7, 'Chemise m. relevées bouquet pétrole', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bouquet pétrole"}', 0), + (2937, 2, 7, 'Chemise m. relevées bouquet bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bouquet bleu"}', 0), + (2938, 2, 7, 'Chemise m. relevées tournesol rose', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tournesol rose"}', 0), + (2939, 2, 7, 'Chemise m. relevées fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs rouge-noir"}', 0), + (2940, 2, 7, 'Chemise m. relevées dégradé rose-vert', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé rose-vert"}', 0), + (2941, 2, 7, 'Chemise m. relevées dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé orange-bleu"}', 0), + (2942, 2, 7, 'Chemise m. relevées dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé blanc-noir"}', 0), + (2943, 2, 7, 'Chemise m. relevées dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"dégradé jaune-bleu"}', 0), + (2944, 2, 7, 'Chemise m. relevées vert', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"vert"}', 0), + (2945, 2, 7, 'Chemise m. relevées jaune', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"jaune"}', 0), + (2946, 2, 7, 'Chemise m. relevées bleu foncé', 50, '{"components":{"11":{"Drawable":260,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bleu foncé"}', 0), + (2947, 1, 12, 'Veste highschool football zip ouverte puma violet', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma violet"}', 0), + (2948, 1, 12, 'Veste highschool football zip ouverte puma orange', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma orange"}', 0), + (2949, 1, 12, 'Veste highschool football zip ouverte puma bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma bleu"}', 0), + (2950, 1, 12, 'Veste highschool football zip ouverte puma jaune', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma jaune"}', 0), + (2951, 1, 12, 'Veste highschool football zip ouverte SN violet', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN violet"}', 0), + (2952, 1, 12, 'Veste highschool football zip ouverte SN vert', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN vert"}', 0), + (2953, 1, 12, 'Veste highschool football zip ouverte SN abricot', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN abricot"}', 0), + (2954, 1, 12, 'Veste highschool football zip ouverte SN orange', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN orange"}', 0), + (2955, 1, 12, 'Veste highschool football zip ouverte noir logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"noir logo"}', 0), + (2956, 1, 12, 'Veste highschool football zip ouverte gris logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"gris logo"}', 0), + (2957, 1, 12, 'Veste highschool football zip ouverte bleu logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu logo"}', 0), + (2958, 1, 12, 'Veste highschool football zip ouverte rouge logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rouge logo"}', 0), + (2959, 1, 12, 'Veste highschool football zip ouverte vert', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"vert"}', 0), + (2960, 1, 12, 'Veste highschool football zip ouverte camel', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"camel"}', 0), + (2961, 1, 12, 'Veste highschool football zip ouverte bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu"}', 0), + (2962, 1, 12, 'Veste highschool football zip ouverte rose', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rose"}', 0), + (2963, 2, 12, 'Veste highschool football zip ouverte puma violet', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma violet"}', 0), + (2964, 2, 12, 'Veste highschool football zip ouverte puma orange', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma orange"}', 0), + (2965, 2, 12, 'Veste highschool football zip ouverte puma bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma bleu"}', 0), + (2966, 2, 12, 'Veste highschool football zip ouverte puma jaune', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma jaune"}', 0), + (2967, 2, 12, 'Veste highschool football zip ouverte SN violet', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN violet"}', 0), + (2968, 2, 12, 'Veste highschool football zip ouverte SN vert', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN vert"}', 0), + (2969, 2, 12, 'Veste highschool football zip ouverte SN abricot', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN abricot"}', 0), + (2970, 2, 12, 'Veste highschool football zip ouverte SN orange', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN orange"}', 0), + (2971, 2, 12, 'Veste highschool football zip ouverte noir logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"noir logo"}', 0), + (2972, 2, 12, 'Veste highschool football zip ouverte gris logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"gris logo"}', 0), + (2973, 2, 12, 'Veste highschool football zip ouverte bleu logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu logo"}', 0), + (2974, 2, 12, 'Veste highschool football zip ouverte rouge logo', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rouge logo"}', 0), + (2975, 2, 12, 'Veste highschool football zip ouverte vert', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"vert"}', 0), + (2976, 2, 12, 'Veste highschool football zip ouverte camel', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"camel"}', 0), + (2977, 2, 12, 'Veste highschool football zip ouverte bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu"}', 0), + (2978, 2, 12, 'Veste highschool football zip ouverte rose', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rose"}', 0), + (2979, 3, 5, 'Hoodie oversize logo Blagueur anthracite', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Blagueur anthracite"}', 0), + (2980, 3, 5, 'Hoodie oversize logo Blagueur noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Blagueur noir"}', 0), + (2981, 3, 5, 'Hoodie oversize logo Blagueur blanc', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Blagueur blanc"}', 0), + (2982, 3, 5, 'Hoodie oversize logo Blagueur gris', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Blagueur gris"}', 0), + (2983, 3, 5, 'Hoodie oversize logo Guffy noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Guffy noir"}', 0), + (2984, 3, 5, 'Hoodie oversize logo Guffy vert', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Guffy vert"}', 0), + (2985, 3, 5, 'Hoodie oversize logo Guffy brun', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Guffy brun"}', 0), + (2986, 3, 5, 'Hoodie oversize logo Guffy corail', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Guffy corail"}', 0), + (2987, 3, 5, 'Hoodie oversize logo Guffy bleu', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Guffy bleu"}', 0), + (2988, 3, 5, 'Hoodie oversize logo Guffy turquoise', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Guffy turquoise"}', 0), + (2989, 3, 5, 'Hoodie oversize logo léopard vert', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"léopard vert"}', 0), + (2990, 3, 5, 'Hoodie oversize logo léopard violet', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"léopard violet"}', 0), + (2991, 3, 5, 'Hoodie oversize logo NS bleu ciel', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"NS bleu ciel"}', 0), + (2992, 3, 5, 'Hoodie oversize logo NS jaune', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"NS jaune"}', 0), + (2993, 3, 5, 'Hoodie oversize logo NS rose', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"NS rose"}', 0), + (2994, 3, 5, 'Hoodie oversize logo G blanc', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"G blanc"}', 0), + (2995, 3, 5, 'Hoodie oversize logo capuche tête Blagueur anthracite', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Blagueur anthracite"}', 0), + (2996, 3, 5, 'Hoodie oversize logo capuche tête Blagueur noir', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Blagueur noir"}', 0), + (2997, 3, 5, 'Hoodie oversize logo capuche tête Blagueur blanc', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Blagueur blanc"}', 0), + (2998, 3, 5, 'Hoodie oversize logo capuche tête Blagueur gris', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Blagueur gris"}', 0), + (2999, 3, 5, 'Hoodie oversize logo capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Guffy noir"}', 0), + (3000, 3, 5, 'Hoodie oversize logo capuche tête Guffy vert', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Guffy vert"}', 0), + (3001, 3, 5, 'Hoodie oversize logo capuche tête Guffy brun', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Guffy brun"}', 0), + (3002, 3, 5, 'Hoodie oversize logo capuche tête Guffy corail', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Guffy corail"}', 0), + (3003, 3, 5, 'Hoodie oversize logo capuche tête Guffy bleu', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Guffy bleu"}', 0), + (3004, 3, 5, 'Hoodie oversize logo capuche tête Guffy turquoise', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Guffy turquoise"}', 0), + (3005, 3, 5, 'Hoodie oversize logo capuche tête léopard vert', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"léopard vert"}', 0), + (3006, 3, 5, 'Hoodie oversize logo capuche tête léopard violet', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"léopard violet"}', 0), + (3007, 3, 5, 'Hoodie oversize logo capuche tête NS bleu ciel', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"NS bleu ciel"}', 0), + (3008, 3, 5, 'Hoodie oversize logo capuche tête NS jaune', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"NS jaune"}', 0), + (3009, 3, 5, 'Hoodie oversize logo capuche tête NS rose', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"NS rose"}', 0), + (3010, 3, 5, 'Hoodie oversize logo capuche tête G blanc', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"G blanc"}', 0), + (3011, 1, 4, 'Perfecto manches longues noir', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir"}', 0), + (3012, 1, 4, 'Perfecto manches longues crème', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"crème"}', 0), + (3013, 1, 4, 'Perfecto manches longues camel', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"camel"}', 0), + (3014, 1, 4, 'Perfecto manches longues bandes blanches', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"bandes blanches"}', 0), + (3015, 1, 4, 'Perfecto manches longues citrouille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"citrouille"}', 0), + (3016, 1, 4, 'Perfecto manches longues bleu', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"bleu"}', 0), + (3017, 1, 4, 'Perfecto manches longues orange', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"orange"}', 0), + (3018, 1, 4, 'Perfecto manches longues soleil', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"soleil"}', 0), + (3019, 1, 4, 'Perfecto manches longues vanille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"vanille"}', 0), + (3020, 1, 4, 'Perfecto manches longues caramel', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"caramel"}', 0), + (3021, 1, 4, 'Perfecto manches longues crème', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"crème"}', 0), + (3022, 1, 4, 'Perfecto manches longues blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"blanc"}', 0), + (3023, 2, 4, 'Perfecto manches longues noir', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir"}', 0), + (3024, 2, 4, 'Perfecto manches longues crème', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"crème"}', 0), + (3025, 2, 4, 'Perfecto manches longues camel', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"camel"}', 0), + (3026, 2, 4, 'Perfecto manches longues bandes blanches', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"bandes blanches"}', 0), + (3027, 2, 4, 'Perfecto manches longues citrouille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"citrouille"}', 0), + (3028, 2, 4, 'Perfecto manches longues bleu', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"bleu"}', 0), + (3029, 2, 4, 'Perfecto manches longues orange', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"orange"}', 0), + (3030, 2, 4, 'Perfecto manches longues soleil', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"soleil"}', 0), + (3031, 2, 4, 'Perfecto manches longues vanille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"vanille"}', 0), + (3032, 2, 4, 'Perfecto manches longues caramel', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"caramel"}', 0), + (3033, 2, 4, 'Perfecto manches longues crème', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"crème"}', 0), + (3034, 2, 4, 'Perfecto manches longues blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"blanc"}', 0), + (3035, 1, 12, 'Blouson zippé fermé pois violets', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois violets"}', 0), + (3036, 1, 12, 'Blouson zippé fermé pois bleu-jaune', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois bleu-jaune"}', 0), + (3037, 1, 12, 'Blouson zippé fermé pois abricot-brun', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois abricot-brun"}', 0), + (3038, 1, 12, 'Blouson zippé fermé pois bleu', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois bleu"}', 0), + (3039, 1, 12, 'Blouson zippé fermé léopard vert', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard vert"}', 0), + (3040, 1, 12, 'Blouson zippé fermé léopard beige', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard beige"}', 0), + (3041, 1, 12, 'Blouson zippé fermé léopard rose', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard rose"}', 0), + (3042, 1, 12, 'Blouson zippé fermé léopard turquoise', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard turquoise"}', 0), + (3043, 1, 12, 'Blouson zippé fermé zèbre blanc', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"zèbre blanc"}', 0), + (3044, 1, 12, 'Blouson zippé fermé léopard blanc', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard blanc"}', 0), + (3045, 1, 12, 'Blouson zippé fermé SN marron', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN marron"}', 0), + (3046, 1, 12, 'Blouson zippé fermé SN anthracite', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN anthracite"}', 0), + (3047, 1, 12, 'Blouson zippé fermé SN blanc', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN blanc"}', 0), + (3048, 1, 12, 'Blouson zippé fermé SN jaune', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN jaune"}', 0), + (3049, 1, 12, 'Blouson zippé fermé SN multicolore', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN multicolore"}', 0), + (3050, 1, 12, 'Blouson zippé fermé SN triangle beige', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN triangle beige"}', 0), + (3051, 1, 12, 'Blouson zippé fermé SN losange beige', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN losange beige"}', 0), + (3052, 1, 12, 'Blouson zippé fermé SN losange multicolore', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN losange multicolore"}', 0), + (3053, 2, 12, 'Blouson zippé fermé pois violets', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois violets"}', 0), + (3054, 2, 12, 'Blouson zippé fermé pois bleu-jaune', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois bleu-jaune"}', 0), + (3055, 2, 12, 'Blouson zippé fermé pois abricot-brun', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois abricot-brun"}', 0), + (3056, 2, 12, 'Blouson zippé fermé pois bleu', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pois bleu"}', 0), + (3057, 2, 12, 'Blouson zippé fermé léopard vert', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard vert"}', 0), + (3058, 2, 12, 'Blouson zippé fermé léopard beige', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard beige"}', 0), + (3059, 2, 12, 'Blouson zippé fermé léopard rose', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard rose"}', 0), + (3060, 2, 12, 'Blouson zippé fermé léopard turquoise', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard turquoise"}', 0), + (3061, 2, 12, 'Blouson zippé fermé zèbre blanc', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"zèbre blanc"}', 0), + (3062, 2, 12, 'Blouson zippé fermé léopard blanc', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"léopard blanc"}', 0), + (3063, 2, 12, 'Blouson zippé fermé SN marron', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN marron"}', 0), + (3064, 2, 12, 'Blouson zippé fermé SN anthracite', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN anthracite"}', 0), + (3065, 2, 12, 'Blouson zippé fermé SN blanc', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN blanc"}', 0), + (3066, 2, 12, 'Blouson zippé fermé SN jaune', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN jaune"}', 0), + (3067, 2, 12, 'Blouson zippé fermé SN multicolore', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN multicolore"}', 0), + (3068, 2, 12, 'Blouson zippé fermé SN triangle beige', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN triangle beige"}', 0), + (3069, 2, 12, 'Blouson zippé fermé SN losange beige', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN losange beige"}', 0), + (3070, 2, 12, 'Blouson zippé fermé SN losange multicolore', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"SN losange multicolore"}', 0), + (3071, 1, 12, 'Blouson zippé ouvert pois violets', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois violets"}', 0), + (3072, 1, 12, 'Blouson zippé ouvert pois bleu-jaune', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois bleu-jaune"}', 0), + (3073, 1, 12, 'Blouson zippé ouvert pois abricot-brun', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois abricot-brun"}', 0), + (3074, 1, 12, 'Blouson zippé ouvert pois bleu', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois bleu"}', 0), + (3075, 1, 12, 'Blouson zippé ouvert léopard vert', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard vert"}', 0), + (3076, 1, 12, 'Blouson zippé ouvert léopard beige', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard beige"}', 0), + (3077, 1, 12, 'Blouson zippé ouvert léopard rose', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard rose"}', 0), + (3078, 1, 12, 'Blouson zippé ouvert léopard turquoise', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard turquoise"}', 0), + (3079, 1, 12, 'Blouson zippé ouvert zèbre blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"zèbre blanc"}', 0), + (3080, 1, 12, 'Blouson zippé ouvert léopard blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard blanc"}', 0), + (3081, 1, 12, 'Blouson zippé ouvert SN marron', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN marron"}', 0), + (3082, 1, 12, 'Blouson zippé ouvert SN anthracite', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN anthracite"}', 0), + (3083, 1, 12, 'Blouson zippé ouvert SN blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN blanc"}', 0), + (3084, 1, 12, 'Blouson zippé ouvert SN jaune', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN jaune"}', 0), + (3085, 1, 12, 'Blouson zippé ouvert SN multicolore', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN multicolore"}', 0), + (3086, 1, 12, 'Blouson zippé ouvert SN triangle beige', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN triangle beige"}', 0), + (3087, 1, 12, 'Blouson zippé ouvert SN losange beige', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN losange beige"}', 0), + (3088, 1, 12, 'Blouson zippé ouvert SN losange multicolore', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN losange multicolore"}', 0), + (3089, 2, 12, 'Blouson zippé ouvert pois violets', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois violets"}', 0), + (3090, 2, 12, 'Blouson zippé ouvert pois bleu-jaune', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois bleu-jaune"}', 0), + (3091, 2, 12, 'Blouson zippé ouvert pois abricot-brun', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois abricot-brun"}', 0), + (3092, 2, 12, 'Blouson zippé ouvert pois bleu', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"pois bleu"}', 0), + (3093, 2, 12, 'Blouson zippé ouvert léopard vert', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard vert"}', 0), + (3094, 2, 12, 'Blouson zippé ouvert léopard beige', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard beige"}', 0), + (3095, 2, 12, 'Blouson zippé ouvert léopard rose', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard rose"}', 0), + (3096, 2, 12, 'Blouson zippé ouvert léopard turquoise', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard turquoise"}', 0), + (3097, 2, 12, 'Blouson zippé ouvert zèbre blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"zèbre blanc"}', 0), + (3098, 2, 12, 'Blouson zippé ouvert léopard blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"léopard blanc"}', 0), + (3099, 2, 12, 'Blouson zippé ouvert SN marron', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN marron"}', 0), + (3100, 2, 12, 'Blouson zippé ouvert SN anthracite', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN anthracite"}', 0), + (3101, 2, 12, 'Blouson zippé ouvert SN blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN blanc"}', 0), + (3102, 2, 12, 'Blouson zippé ouvert SN jaune', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN jaune"}', 0), + (3103, 2, 12, 'Blouson zippé ouvert SN multicolore', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN multicolore"}', 0), + (3104, 2, 12, 'Blouson zippé ouvert SN triangle beige', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN triangle beige"}', 0), + (3105, 2, 12, 'Blouson zippé ouvert SN losange beige', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN losange beige"}', 0), + (3106, 2, 12, 'Blouson zippé ouvert SN losange multicolore', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"SN losange multicolore"}', 0), + (3107, 1, 4, 'Manteau court fermé floqué vert', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué vert"}', 0), + (3108, 1, 4, 'Manteau court fermé floqué noir', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué noir"}', 0), + (3109, 1, 4, 'Manteau court fermé floqué gris', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué gris"}', 0), + (3110, 1, 4, 'Manteau court fermé floqué rouge', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué rouge"}', 0), + (3111, 1, 4, 'Manteau court fermé floqué orange', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué orange"}', 0), + (3112, 2, 4, 'Manteau court fermé floqué vert', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué vert"}', 0), + (3113, 2, 4, 'Manteau court fermé floqué noir', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué noir"}', 0), + (3114, 2, 4, 'Manteau court fermé floqué gris', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué gris"}', 0), + (3115, 2, 4, 'Manteau court fermé floqué rouge', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué rouge"}', 0), + (3116, 2, 4, 'Manteau court fermé floqué orange', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court fermé","colorLabel":"floqué orange"}', 0), + (3117, 1, 4, 'Manteau court ouvert floqué vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué vert"}', 0), + (3118, 1, 4, 'Manteau court ouvert floqué noir', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué noir"}', 0), + (3119, 1, 4, 'Manteau court ouvert floqué gris', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué gris"}', 0), + (3120, 1, 4, 'Manteau court ouvert floqué rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué rouge"}', 0), + (3121, 1, 4, 'Manteau court ouvert floqué orange', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué orange"}', 0), + (3122, 2, 4, 'Manteau court ouvert floqué vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué vert"}', 0), + (3123, 2, 4, 'Manteau court ouvert floqué noir', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué noir"}', 0), + (3124, 2, 4, 'Manteau court ouvert floqué gris', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué gris"}', 0), + (3125, 2, 4, 'Manteau court ouvert floqué rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué rouge"}', 0), + (3126, 2, 4, 'Manteau court ouvert floqué orange', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau court ouvert","colorLabel":"floqué orange"}', 0), + (3127, 3, 4, 'Doudoune à motif ouverte dégradé rose-vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé rose-vert"}', 0), + (3128, 3, 4, 'Doudoune à motif ouverte dégradé rose-bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé rose-bleu"}', 0), + (3129, 3, 4, 'Doudoune à motif ouverte dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé blanc-noir"}', 0), + (3130, 3, 4, 'Doudoune à motif ouverte dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé jaune-bleu"}', 0), + (3131, 3, 4, 'Doudoune à motif ouverte dégradé vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé vert"}', 0), + (3132, 3, 4, 'Doudoune à motif ouverte dégradé violet-jaune', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé violet-jaune"}', 0), + (3133, 3, 4, 'Doudoune à motif ouverte léopard vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard vert"}', 0), + (3134, 3, 4, 'Doudoune à motif ouverte léopard beige', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard beige"}', 0), + (3135, 3, 4, 'Doudoune à motif ouverte léopard turquoise', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard turquoise"}', 0), + (3136, 3, 4, 'Doudoune à motif ouverte léopard rose', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard rose"}', 0), + (3137, 3, 4, 'Doudoune à motif ouverte paillettes orange', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"paillettes orange"}', 0), + (3138, 3, 4, 'Doudoune à motif ouverte paillettes bleu clair', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"paillettes bleu clair"}', 0), + (3139, 3, 4, 'Doudoune à motif ouverte paillettes noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"paillettes noir"}', 0), + (3140, 3, 4, 'Doudoune à motif ouverte paillettes bleu foncé', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"paillettes bleu foncé"}', 0), + (3141, 3, 4, 'Doudoune à motif ouverte motifs noir-jaune', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"motifs noir-jaune"}', 0), + (3142, 3, 4, 'Doudoune à motif ouverte motifs blanc-orange', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Doudoune à motif ouverte","colorLabel":"motifs blanc-orange"}', 0), + (3143, 1, 2, 'T-shirt à motifs bleu ciel', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"bleu ciel"}', 0), + (3144, 1, 2, 'T-shirt à motifs Manor noir-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor noir-blanc"}', 0), + (3145, 1, 2, 'T-shirt à motifs Manor vert-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor vert-blanc"}', 0), + (3146, 1, 2, 'T-shirt à motifs Manor lilas', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor lilas"}', 0), + (3147, 1, 2, 'T-shirt à motifs Manor vert d\'eau', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor vert d\'eau"}', 0), + (3148, 1, 2, 'T-shirt à motifs noir et blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"noir et blanc"}', 0), + (3149, 1, 2, 'T-shirt à motifs blanc et noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"blanc et noir"}', 0), + (3150, 1, 2, 'T-shirt à motifs Blagueur noir-rose', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-rose"}', 0), + (3151, 1, 2, 'T-shirt à motifs Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-rouge"}', 0), + (3152, 1, 2, 'T-shirt à motifs Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-blanc"}', 0), + (3153, 1, 2, 'T-shirt à motifs Blagueur noir-violet', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-violet"}', 0), + (3154, 1, 2, 'T-shirt à motifs Blagueur noir-america', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-america"}', 0), + (3155, 1, 2, 'T-shirt à motifs Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-rouge"}', 0), + (3156, 1, 2, 'T-shirt à motifs Blagueur noir-pétrole', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-pétrole"}', 0), + (3157, 1, 2, 'T-shirt à motifs Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-blanc"}', 0), + (3158, 1, 2, 'T-shirt à motifs Santo Capra corail', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra corail"}', 0), + (3159, 1, 2, 'T-shirt à motifs Santo Capra bleu', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra bleu"}', 0), + (3160, 1, 2, 'T-shirt à motifs Santo Capra jaune', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra jaune"}', 0), + (3161, 1, 2, 'T-shirt à motifs Santo capra abricot', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo capra abricot"}', 0), + (3162, 1, 2, 'T-shirt à motifs Santo Capra rouge-noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra rouge-noir"}', 0), + (3163, 1, 2, 'T-shirt à motifs Santo Capra bleu-rouge', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra bleu-rouge"}', 0), + (3164, 2, 2, 'T-shirt à motifs bleu ciel', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"bleu ciel"}', 0), + (3165, 2, 2, 'T-shirt à motifs Manor noir-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor noir-blanc"}', 0), + (3166, 2, 2, 'T-shirt à motifs Manor vert-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor vert-blanc"}', 0), + (3167, 2, 2, 'T-shirt à motifs Manor lilas', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor lilas"}', 0), + (3168, 2, 2, 'T-shirt à motifs Manor vert d\'eau', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Manor vert d\'eau"}', 0), + (3169, 2, 2, 'T-shirt à motifs noir et blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"noir et blanc"}', 0), + (3170, 2, 2, 'T-shirt à motifs blanc et noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"blanc et noir"}', 0), + (3171, 2, 2, 'T-shirt à motifs Blagueur noir-rose', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-rose"}', 0), + (3172, 2, 2, 'T-shirt à motifs Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-rouge"}', 0), + (3173, 2, 2, 'T-shirt à motifs Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-blanc"}', 0), + (3174, 2, 2, 'T-shirt à motifs Blagueur noir-violet', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-violet"}', 0), + (3175, 2, 2, 'T-shirt à motifs Blagueur noir-america', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-america"}', 0), + (3176, 2, 2, 'T-shirt à motifs Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-rouge"}', 0), + (3177, 2, 2, 'T-shirt à motifs Blagueur noir-pétrole', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-pétrole"}', 0), + (3178, 2, 2, 'T-shirt à motifs Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Blagueur noir-blanc"}', 0), + (3179, 2, 2, 'T-shirt à motifs Santo Capra corail', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra corail"}', 0), + (3180, 2, 2, 'T-shirt à motifs Santo Capra bleu', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra bleu"}', 0), + (3181, 2, 2, 'T-shirt à motifs Santo Capra jaune', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra jaune"}', 0), + (3182, 2, 2, 'T-shirt à motifs Santo capra abricot', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo capra abricot"}', 0), + (3183, 2, 2, 'T-shirt à motifs Santo Capra rouge-noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra rouge-noir"}', 0), + (3184, 2, 2, 'T-shirt à motifs Santo Capra bleu-rouge', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"Santo Capra bleu-rouge"}', 0), + (3185, 1, 2, 'T-shirt espace blanc uni', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc uni"}', 0), + (3186, 1, 2, 'T-shirt espace noir uni', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir uni"}', 0), + (3187, 1, 2, 'T-shirt espace noir space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir space-rangers"}', 0), + (3188, 1, 2, 'T-shirt espace blanc space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc space-rangers"}', 0), + (3189, 1, 2, 'T-shirt espace jaune space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"jaune space-rangers"}', 0), + (3190, 1, 2, 'T-shirt espace vert space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert space-rangers"}', 0), + (3191, 1, 2, 'T-shirt espace noir logo rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir logo rangers"}', 0), + (3192, 1, 2, 'T-shirt espace vert logo rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert logo rangers"}', 0), + (3193, 1, 2, 'T-shirt espace blanc lune', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc lune"}', 0), + (3194, 1, 2, 'T-shirt espace jaune lune', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"jaune lune"}', 0), + (3195, 1, 2, 'T-shirt espace vaisseau bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vaisseau bleu"}', 0), + (3196, 1, 2, 'T-shirt espace vaisseau rose', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vaisseau rose"}', 0), + (3197, 1, 2, 'T-shirt espace noir alien', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir alien"}', 0), + (3198, 1, 2, 'T-shirt espace rose alien', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"rose alien"}', 0), + (3199, 1, 2, 'T-shirt espace galaxie violet', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"galaxie violet"}', 0), + (3200, 1, 2, 'T-shirt espace galaxie bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"galaxie bleu"}', 0), + (3201, 1, 2, 'T-shirt espace galaxie rose', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"galaxie rose"}', 0), + (3202, 1, 2, 'T-shirt espace freedom bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"freedom bleu"}', 0), + (3203, 1, 2, 'T-shirt espace freedom vert', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"freedom vert"}', 0), + (3204, 1, 2, 'T-shirt espace freedom rouge', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"freedom rouge"}', 0), + (3205, 1, 2, 'T-shirt espace uni bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni bleu"}', 0), + (3206, 1, 2, 'T-shirt espace uni rouge', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni rouge"}', 0), + (3207, 2, 2, 'T-shirt espace blanc uni', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc uni"}', 0), + (3208, 2, 2, 'T-shirt espace noir uni', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir uni"}', 0), + (3209, 2, 2, 'T-shirt espace noir space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir space-rangers"}', 0), + (3210, 2, 2, 'T-shirt espace blanc space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc space-rangers"}', 0), + (3211, 2, 2, 'T-shirt espace jaune space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"jaune space-rangers"}', 0), + (3212, 2, 2, 'T-shirt espace vert space-rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert space-rangers"}', 0), + (3213, 2, 2, 'T-shirt espace noir logo rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir logo rangers"}', 0), + (3214, 2, 2, 'T-shirt espace vert logo rangers', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert logo rangers"}', 0), + (3215, 2, 2, 'T-shirt espace blanc lune', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc lune"}', 0), + (3216, 2, 2, 'T-shirt espace jaune lune', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"jaune lune"}', 0), + (3217, 2, 2, 'T-shirt espace vaisseau bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vaisseau bleu"}', 0), + (3218, 2, 2, 'T-shirt espace vaisseau rose', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vaisseau rose"}', 0), + (3219, 2, 2, 'T-shirt espace noir alien', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir alien"}', 0), + (3220, 2, 2, 'T-shirt espace rose alien', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"rose alien"}', 0), + (3221, 2, 2, 'T-shirt espace galaxie violet', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"galaxie violet"}', 0), + (3222, 2, 2, 'T-shirt espace galaxie bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"galaxie bleu"}', 0), + (3223, 2, 2, 'T-shirt espace galaxie rose', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"galaxie rose"}', 0), + (3224, 2, 2, 'T-shirt espace freedom bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"freedom bleu"}', 0), + (3225, 2, 2, 'T-shirt espace freedom vert', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"freedom vert"}', 0), + (3226, 2, 2, 'T-shirt espace freedom rouge', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"freedom rouge"}', 0), + (3227, 2, 2, 'T-shirt espace uni bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni bleu"}', 0), + (3228, 2, 2, 'T-shirt espace uni rouge', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni rouge"}', 0), + (3229, 1, 10, 'Combinaison couvrante robot jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (3230, 1, 10, 'Combinaison couvrante robot bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (3231, 1, 10, 'Combinaison couvrante cyber bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (3232, 1, 10, 'Combinaison couvrante cyber rouge', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (3233, 1, 10, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (3234, 1, 10, 'Combinaison couvrante flèches violettes', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (3235, 1, 10, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (3236, 1, 10, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (3237, 1, 10, 'Combinaison couvrante fond vert', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (3238, 1, 10, 'Combinaison couvrante fond violet', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (3239, 1, 10, 'Combinaison couvrante naïade vert', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (3240, 1, 10, 'Combinaison couvrante naïade rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (3241, 1, 10, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (3242, 1, 10, 'Combinaison couvrante galaxie rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (3243, 1, 10, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (3244, 1, 10, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (3245, 1, 10, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (3246, 1, 10, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (3247, 1, 10, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (3248, 1, 10, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (3249, 2, 10, 'Combinaison couvrante robot jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (3250, 2, 10, 'Combinaison couvrante robot bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (3251, 2, 10, 'Combinaison couvrante cyber bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (3252, 2, 10, 'Combinaison couvrante cyber rouge', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (3253, 2, 10, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (3254, 2, 10, 'Combinaison couvrante flèches violettes', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (3255, 2, 10, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (3256, 2, 10, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (3257, 2, 10, 'Combinaison couvrante fond vert', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (3258, 2, 10, 'Combinaison couvrante fond violet', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (3259, 2, 10, 'Combinaison couvrante naïade vert', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (3260, 2, 10, 'Combinaison couvrante naïade rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (3261, 2, 10, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (3262, 2, 10, 'Combinaison couvrante galaxie rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (3263, 2, 10, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (3264, 2, 10, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (3265, 2, 10, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (3266, 2, 10, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (3267, 2, 10, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (3268, 2, 10, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (3269, 1, 10, 'Déguisement troll camel', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"camel"}', 0), + (3270, 1, 10, 'Déguisement troll multicolore', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"multicolore"}', 0), + (3271, 1, 10, 'Déguisement troll anthracite', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"anthracite"}', 0), + (3272, 1, 10, 'Déguisement troll beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"beige"}', 0), + (3273, 1, 10, 'Déguisement troll brun-pétrole', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"brun-pétrole"}', 0), + (3274, 1, 10, 'Déguisement troll chocolat', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"chocolat"}', 0), + (3275, 1, 10, 'Déguisement troll ardoise', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"ardoise"}', 0), + (3276, 1, 10, 'Déguisement troll crème', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"crème"}', 0), + (3277, 1, 10, 'Déguisement troll vert', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"vert"}', 0), + (3278, 1, 10, 'Déguisement troll orange', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"orange"}', 0), + (3279, 1, 10, 'Déguisement troll violet', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"violet"}', 0), + (3280, 1, 10, 'Déguisement troll rose', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rose"}', 0), + (3281, 1, 10, 'Déguisement troll forêt', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"forêt"}', 0), + (3282, 1, 10, 'Déguisement troll arc-en-ciel', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"arc-en-ciel"}', 0), + (3283, 1, 10, 'Déguisement troll rouge', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rouge"}', 0), + (3284, 1, 10, 'Déguisement troll bleu ciel', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"bleu ciel"}', 0), + (3285, 2, 10, 'Déguisement troll camel', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"camel"}', 0), + (3286, 2, 10, 'Déguisement troll multicolore', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"multicolore"}', 0), + (3287, 2, 10, 'Déguisement troll anthracite', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"anthracite"}', 0), + (3288, 2, 10, 'Déguisement troll beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"beige"}', 0), + (3289, 2, 10, 'Déguisement troll brun-pétrole', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"brun-pétrole"}', 0), + (3290, 2, 10, 'Déguisement troll chocolat', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"chocolat"}', 0), + (3291, 2, 10, 'Déguisement troll ardoise', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"ardoise"}', 0), + (3292, 2, 10, 'Déguisement troll crème', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"crème"}', 0), + (3293, 2, 10, 'Déguisement troll vert', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"vert"}', 0), + (3294, 2, 10, 'Déguisement troll orange', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"orange"}', 0), + (3295, 2, 10, 'Déguisement troll violet', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"violet"}', 0), + (3296, 2, 10, 'Déguisement troll rose', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rose"}', 0), + (3297, 2, 10, 'Déguisement troll forêt', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"forêt"}', 0), + (3298, 2, 10, 'Déguisement troll arc-en-ciel', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"arc-en-ciel"}', 0), + (3299, 2, 10, 'Déguisement troll rouge', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rouge"}', 0), + (3300, 2, 10, 'Déguisement troll bleu ciel', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"bleu ciel"}', 0), + (3301, 1, 10, 'Déguisement médiéval brun', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun"}', 0), + (3302, 1, 10, 'Déguisement médiéval pourpre', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"pourpre"}', 0), + (3303, 1, 10, 'Déguisement médiéval blanc', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"blanc"}', 0), + (3304, 1, 10, 'Déguisement médiéval camel', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"camel"}', 0), + (3305, 1, 10, 'Déguisement médiéval rouge', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rouge"}', 0), + (3306, 1, 10, 'Déguisement médiéval noir', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"noir"}', 0), + (3307, 1, 10, 'Déguisement médiéval orange', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"orange"}', 0), + (3308, 1, 10, 'Déguisement médiéval vert', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert"}', 0), + (3309, 1, 10, 'Déguisement médiéval brun brûlé', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun brûlé"}', 0), + (3310, 1, 10, 'Déguisement médiéval vert brûlé', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert brûlé"}', 0), + (3311, 1, 10, 'Déguisement médiéval rose', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rose"}', 0), + (3312, 1, 10, 'Déguisement médiéval violet', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"violet"}', 0), + (3313, 2, 10, 'Déguisement médiéval brun', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun"}', 0), + (3314, 2, 10, 'Déguisement médiéval pourpre', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"pourpre"}', 0), + (3315, 2, 10, 'Déguisement médiéval blanc', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"blanc"}', 0), + (3316, 2, 10, 'Déguisement médiéval camel', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"camel"}', 0), + (3317, 2, 10, 'Déguisement médiéval rouge', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rouge"}', 0), + (3318, 2, 10, 'Déguisement médiéval noir', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"noir"}', 0), + (3319, 2, 10, 'Déguisement médiéval orange', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"orange"}', 0), + (3320, 2, 10, 'Déguisement médiéval vert', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert"}', 0), + (3321, 2, 10, 'Déguisement médiéval brun brûlé', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun brûlé"}', 0), + (3322, 2, 10, 'Déguisement médiéval vert brûlé', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert brûlé"}', 0), + (3323, 2, 10, 'Déguisement médiéval rose', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rose"}', 0), + (3324, 2, 10, 'Déguisement médiéval violet', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"violet"}', 0), + (3325, 1, 10, 'Déguisement astronaute feu', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (3326, 1, 10, 'Déguisement astronaute jaune', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (3327, 1, 10, 'Déguisement astronaute pétrole', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (3328, 1, 10, 'Déguisement astronaute sable', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (3329, 1, 10, 'Déguisement astronaute perle', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (3330, 1, 10, 'Déguisement astronaute bleu', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (3331, 1, 10, 'Déguisement astronaute blanc', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (3332, 1, 10, 'Déguisement astronaute anthracite', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (3333, 1, 10, 'Déguisement astronaute rouge', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (3334, 1, 10, 'Déguisement astronaute vert de gris', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (3335, 1, 10, 'Déguisement astronaute forêt', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (3336, 1, 10, 'Déguisement astronaute abricot', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (3337, 1, 10, 'Déguisement astronaute violet', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (3338, 1, 10, 'Déguisement astronaute rose', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (3339, 1, 10, 'Déguisement astronaute camel', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (3340, 1, 10, 'Déguisement astronaute crème', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (3341, 1, 10, 'Déguisement astronaute noir', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (3342, 1, 10, 'Déguisement astronaute gris', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (3343, 2, 10, 'Déguisement astronaute feu', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (3344, 2, 10, 'Déguisement astronaute jaune', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (3345, 2, 10, 'Déguisement astronaute pétrole', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (3346, 2, 10, 'Déguisement astronaute sable', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (3347, 2, 10, 'Déguisement astronaute perle', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (3348, 2, 10, 'Déguisement astronaute bleu', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (3349, 2, 10, 'Déguisement astronaute blanc', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (3350, 2, 10, 'Déguisement astronaute anthracite', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (3351, 2, 10, 'Déguisement astronaute rouge', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (3352, 2, 10, 'Déguisement astronaute vert de gris', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (3353, 2, 10, 'Déguisement astronaute forêt', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (3354, 2, 10, 'Déguisement astronaute abricot', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (3355, 2, 10, 'Déguisement astronaute violet', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (3356, 2, 10, 'Déguisement astronaute rose', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (3357, 2, 10, 'Déguisement astronaute camel', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (3358, 2, 10, 'Déguisement astronaute crème', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (3359, 2, 10, 'Déguisement astronaute noir', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (3360, 2, 10, 'Déguisement astronaute gris', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (3361, 1, 5, 'Hoodie oversize blanc vert', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc vert"}', 0), + (3362, 1, 5, 'Hoodie oversize bleu rose', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu rose"}', 0), + (3363, 1, 5, 'Hoodie oversize orange cloches', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange cloches"}', 0), + (3364, 1, 5, 'Hoodie oversize blanc america', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc america"}', 0), + (3365, 1, 5, 'Hoodie oversize blanc jaune', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc jaune"}', 0), + (3366, 1, 5, 'Hoodie oversize rouge burger', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge burger"}', 0), + (3367, 1, 5, 'Hoodie oversize rouge hotdog', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge hotdog"}', 0), + (3368, 1, 5, 'Hoodie oversize rose donut', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rose donut"}', 0), + (3369, 1, 5, 'Hoodie oversize cocorico', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cocorico"}', 0), + (3370, 1, 5, 'Hoodie oversize vert logo', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vert logo"}', 0), + (3371, 1, 5, 'Hoodie oversize pizza', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pizza"}', 0), + (3372, 1, 5, 'Hoodie oversize frites', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"frites"}', 0), + (3373, 1, 5, 'Hoodie oversize champignons', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"champignons"}', 0), + (3374, 1, 5, 'Hoodie oversize cigarette', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cigarette"}', 0), + (3375, 1, 5, 'Hoodie oversize microbes', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"microbes"}', 0), + (3376, 1, 5, 'Hoodie oversize beige cloche', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige cloche"}', 0), + (3377, 1, 5, 'Hoodie oversize citrons', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"citrons"}', 0), + (3378, 1, 5, 'Hoodie oversize tacos', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"tacos"}', 0), + (3379, 2, 5, 'Hoodie oversize blanc vert', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc vert"}', 0), + (3380, 2, 5, 'Hoodie oversize bleu rose', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu rose"}', 0), + (3381, 2, 5, 'Hoodie oversize orange cloches', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange cloches"}', 0), + (3382, 2, 5, 'Hoodie oversize blanc america', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc america"}', 0), + (3383, 2, 5, 'Hoodie oversize blanc jaune', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc jaune"}', 0), + (3384, 2, 5, 'Hoodie oversize rouge burger', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge burger"}', 0), + (3385, 2, 5, 'Hoodie oversize rouge hotdog', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge hotdog"}', 0), + (3386, 2, 5, 'Hoodie oversize rose donut', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rose donut"}', 0), + (3387, 2, 5, 'Hoodie oversize cocorico', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cocorico"}', 0), + (3388, 2, 5, 'Hoodie oversize vert logo', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vert logo"}', 0), + (3389, 2, 5, 'Hoodie oversize pizza', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pizza"}', 0), + (3390, 2, 5, 'Hoodie oversize frites', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"frites"}', 0), + (3391, 2, 5, 'Hoodie oversize champignons', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"champignons"}', 0), + (3392, 2, 5, 'Hoodie oversize cigarette', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cigarette"}', 0), + (3393, 2, 5, 'Hoodie oversize microbes', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"microbes"}', 0), + (3394, 2, 5, 'Hoodie oversize beige cloche', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige cloche"}', 0), + (3395, 2, 5, 'Hoodie oversize citrons', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"citrons"}', 0), + (3396, 2, 5, 'Hoodie oversize tacos', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"tacos"}', 0), + (3397, 1, 5, 'Hoodie oversize capuche tête blanc vert', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc vert"}', 0), + (3398, 1, 5, 'Hoodie oversize capuche tête bleu rose', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu rose"}', 0), + (3399, 1, 5, 'Hoodie oversize capuche tête orange cloches', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange cloches"}', 0), + (3400, 1, 5, 'Hoodie oversize capuche tête blanc america', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc america"}', 0), + (3401, 1, 5, 'Hoodie oversize capuche tête blanc jaune', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc jaune"}', 0), + (3402, 1, 5, 'Hoodie oversize capuche tête rouge burger', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge burger"}', 0), + (3403, 1, 5, 'Hoodie oversize capuche tête rouge hotdog', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge hotdog"}', 0), + (3404, 1, 5, 'Hoodie oversize capuche tête rose donut', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rose donut"}', 0), + (3405, 1, 5, 'Hoodie oversize capuche tête cocorico', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cocorico"}', 0), + (3406, 1, 5, 'Hoodie oversize capuche tête vert logo', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vert logo"}', 0), + (3407, 1, 5, 'Hoodie oversize capuche tête pizza', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pizza"}', 0), + (3408, 1, 5, 'Hoodie oversize capuche tête frites', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"frites"}', 0), + (3409, 1, 5, 'Hoodie oversize capuche tête champignons', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"champignons"}', 0), + (3410, 1, 5, 'Hoodie oversize capuche tête cigarette', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cigarette"}', 0), + (3411, 1, 5, 'Hoodie oversize capuche tête microbes', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"microbes"}', 0), + (3412, 1, 5, 'Hoodie oversize capuche tête beige cloche', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige cloche"}', 0), + (3413, 1, 5, 'Hoodie oversize capuche tête citrons', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"citrons"}', 0), + (3414, 1, 5, 'Hoodie oversize capuche tête tacos', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"tacos"}', 0), + (3415, 2, 5, 'Hoodie oversize capuche tête blanc vert', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc vert"}', 0), + (3416, 2, 5, 'Hoodie oversize capuche tête bleu rose', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu rose"}', 0), + (3417, 2, 5, 'Hoodie oversize capuche tête orange cloches', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange cloches"}', 0), + (3418, 2, 5, 'Hoodie oversize capuche tête blanc america', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc america"}', 0), + (3419, 2, 5, 'Hoodie oversize capuche tête blanc jaune', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc jaune"}', 0), + (3420, 2, 5, 'Hoodie oversize capuche tête rouge burger', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge burger"}', 0), + (3421, 2, 5, 'Hoodie oversize capuche tête rouge hotdog', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge hotdog"}', 0), + (3422, 2, 5, 'Hoodie oversize capuche tête rose donut', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rose donut"}', 0), + (3423, 2, 5, 'Hoodie oversize capuche tête cocorico', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cocorico"}', 0), + (3424, 2, 5, 'Hoodie oversize capuche tête vert logo', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vert logo"}', 0), + (3425, 2, 5, 'Hoodie oversize capuche tête pizza', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pizza"}', 0), + (3426, 2, 5, 'Hoodie oversize capuche tête frites', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"frites"}', 0), + (3427, 2, 5, 'Hoodie oversize capuche tête champignons', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"champignons"}', 0), + (3428, 2, 5, 'Hoodie oversize capuche tête cigarette', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cigarette"}', 0), + (3429, 2, 5, 'Hoodie oversize capuche tête microbes', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"microbes"}', 0), + (3430, 2, 5, 'Hoodie oversize capuche tête beige cloche', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige cloche"}', 0), + (3431, 2, 5, 'Hoodie oversize capuche tête citrons', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"citrons"}', 0), + (3432, 2, 5, 'Hoodie oversize capuche tête tacos', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"tacos"}', 0), + (3433, 3, 9, 'Pull manches longues rouge ', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"rouge "}', 0), + (3434, 3, 9, 'Pull manches longues noir burger', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"noir burger"}', 0), + (3435, 3, 9, 'Pull manches longues rouge burger shot', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"rouge burger shot"}', 0), + (3436, 3, 9, 'Pull manches longues Sprunk blanc-vert', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Sprunk blanc-vert"}', 0), + (3437, 3, 9, 'Pull manches longues Sprunk vert', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Sprunk vert"}', 0), + (3438, 3, 9, 'Pull manches longues W jaune', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"W jaune"}', 0), + (3439, 3, 9, 'Pull manches longues piment', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"piment"}', 0), + (3440, 3, 9, 'Pull manches longues taco bomb jaune', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"taco bomb jaune"}', 0), + (3441, 3, 9, 'Pull manches longues taco bomb vert', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"taco bomb vert"}', 0), + (3442, 3, 9, 'Pull manches longues cloches', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"cloches"}', 0), + (3443, 3, 9, 'Pull manches longues cloche bleu', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"cloche bleu"}', 0), + (3444, 3, 9, 'Pull manches longues coche noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"coche noir"}', 0), + (3445, 3, 9, 'Pull manches longues Cola rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Cola rouge"}', 0), + (3446, 3, 9, 'Pull manches longues Cola noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Cola noir"}', 0), + (3447, 3, 9, 'Pull manches longues me TV rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"me TV rouge"}', 0), + (3448, 3, 9, 'Pull manches longues me TV orange', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"me TV orange"}', 0), + (3449, 3, 9, 'Pull manches longues heat tennis bleu', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"heat tennis bleu"}', 0), + (3450, 3, 9, 'Pull manches longues heat tennis rose', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"heat tennis rose"}', 0), + (3451, 3, 9, 'Pull manches longues Degenatron noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Degenatron noir"}', 0), + (3452, 3, 9, 'Pull manches longues Pisswasser noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Pisswasser noir"}', 0), + (3453, 3, 9, 'Pull manches longues Pisswasser rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Pisswasser rouge"}', 0), + (3454, 3, 9, 'Pull manches longues Bolt Buger', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Bolt Buger"}', 0), + (3455, 3, 9, 'Pull manches longues cocorico rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"cocorico rouge"}', 0), + (3456, 3, 9, 'Pull manches longues cocoricos', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"cocoricos"}', 0), + (3457, 1, 2, 'T-shirt hockey burger bleu', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger bleu"}', 0), + (3458, 1, 2, 'T-shirt hockey burger noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger noir"}', 0), + (3459, 1, 2, 'T-shirt hockey burger camel', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger camel"}', 0), + (3460, 1, 2, 'T-shirt hockey burger brun', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger brun"}', 0), + (3461, 1, 2, 'T-shirt hockey cloche bleu', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"cloche bleu"}', 0), + (3462, 1, 2, 'T-shirt hockey cloche noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"cloche noir"}', 0), + (3463, 1, 2, 'T-shirt hockey W noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"W noir"}', 0), + (3464, 1, 2, 'T-shirt hockey Redwood rouge', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Redwood rouge"}', 0), + (3465, 1, 2, 'T-shirt hockey coffee marron', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"coffee marron"}', 0), + (3466, 1, 2, 'T-shirt hockey Cola rouge', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Cola rouge"}', 0), + (3467, 1, 2, 'T-shirt hockey Cola noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Cola noir"}', 0), + (3468, 1, 2, 'T-shirt hockey chips noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"chips noir"}', 0), + (3469, 1, 2, 'T-shirt hockey chips bleu', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"chips bleu"}', 0), + (3470, 1, 2, 'T-shirt hockey Sprunk bubble vert foncé', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Sprunk bubble vert foncé"}', 0), + (3471, 1, 2, 'T-shirt hockey Sprunk bubble vert clair', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Sprunk bubble vert clair"}', 0), + (3472, 1, 2, 'T-shirt hockey Sprunk vert clair', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Sprunk vert clair"}', 0), + (3473, 2, 2, 'T-shirt hockey burger bleu', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger bleu"}', 0), + (3474, 2, 2, 'T-shirt hockey burger noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger noir"}', 0), + (3475, 2, 2, 'T-shirt hockey burger camel', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger camel"}', 0), + (3476, 2, 2, 'T-shirt hockey burger brun', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"burger brun"}', 0), + (3477, 2, 2, 'T-shirt hockey cloche bleu', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"cloche bleu"}', 0), + (3478, 2, 2, 'T-shirt hockey cloche noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"cloche noir"}', 0), + (3479, 2, 2, 'T-shirt hockey W noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"W noir"}', 0), + (3480, 2, 2, 'T-shirt hockey Redwood rouge', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Redwood rouge"}', 0), + (3481, 2, 2, 'T-shirt hockey coffee marron', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"coffee marron"}', 0), + (3482, 2, 2, 'T-shirt hockey Cola rouge', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Cola rouge"}', 0), + (3483, 2, 2, 'T-shirt hockey Cola noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Cola noir"}', 0), + (3484, 2, 2, 'T-shirt hockey chips noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"chips noir"}', 0), + (3485, 2, 2, 'T-shirt hockey chips bleu', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"chips bleu"}', 0), + (3486, 2, 2, 'T-shirt hockey Sprunk bubble vert foncé', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Sprunk bubble vert foncé"}', 0), + (3487, 2, 2, 'T-shirt hockey Sprunk bubble vert clair', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Sprunk bubble vert clair"}', 0), + (3488, 2, 2, 'T-shirt hockey Sprunk vert clair', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt hockey","colorLabel":"Sprunk vert clair"}', 0), + (3489, 1, 10, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (3490, 1, 10, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (3491, 1, 10, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (3492, 1, 10, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (3493, 1, 10, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (3494, 1, 10, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (3495, 1, 10, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (3496, 1, 10, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (3497, 1, 10, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (3498, 1, 10, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (3499, 1, 10, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (3500, 1, 10, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (3501, 2, 10, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (3502, 2, 10, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (3503, 2, 10, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (3504, 2, 10, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (3505, 2, 10, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (3506, 2, 10, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (3507, 2, 10, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (3508, 2, 10, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (3509, 2, 10, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (3510, 2, 10, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (3511, 2, 10, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (3512, 2, 10, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (3513, 1, 10, 'Veste moto large col mao ensanglantée sale', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao ensanglantée","colorLabel":"sale"}', 0), + (3514, 2, 10, 'Veste moto large col mao ensanglantée sale', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao ensanglantée","colorLabel":"sale"}', 0), + (3515, 1, 10, 'Scaphandre léger rouge', 50, '{"components":{"11":{"Drawable":285,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (3516, 2, 10, 'Scaphandre léger rouge', 50, '{"components":{"11":{"Drawable":285,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (3517, 1, 10, 'Costume ranger de l\'espace vert', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (3518, 2, 10, 'Costume ranger de l\'espace vert', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (3519, 1, 10, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (3520, 1, 10, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (3521, 1, 10, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (3522, 1, 10, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (3523, 1, 10, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (3524, 1, 10, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (3525, 1, 10, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (3526, 1, 10, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (3527, 1, 10, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (3528, 1, 10, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (3529, 1, 10, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (3530, 1, 10, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (3531, 1, 10, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (3532, 1, 10, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (3533, 2, 10, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (3534, 2, 10, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (3535, 2, 10, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (3536, 2, 10, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (3537, 2, 10, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (3538, 2, 10, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (3539, 2, 10, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (3540, 2, 10, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (3541, 2, 10, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (3542, 2, 10, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (3543, 2, 10, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (3544, 2, 10, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (3545, 2, 10, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (3546, 2, 10, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (3547, 1, 9, 'Pull manches longues d\'hiver chasseur', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"chasseur"}', 0), + (3548, 1, 9, 'Pull manches longues d\'hiver burger rouge', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"burger rouge"}', 0), + (3549, 1, 9, 'Pull manches longues d\'hiver burger bleu', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"burger bleu"}', 0), + (3550, 1, 9, 'Pull manches longues d\'hiver cloche bleu', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"cloche bleu"}', 0), + (3551, 1, 9, 'Pull manches longues d\'hiver cloche vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"cloche vert"}', 0), + (3552, 1, 9, 'Pull manches longues d\'hiver slaying bleu', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"slaying bleu"}', 0), + (3553, 1, 9, 'Pull manches longues d\'hiver slaying vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"slaying vert"}', 0), + (3554, 1, 9, 'Pull manches longues d\'hiver vendredi 13', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"vendredi 13"}', 0), + (3555, 1, 9, 'Pull manches longues d\'hiver Hail Santa', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Hail Santa"}', 0), + (3556, 1, 9, 'Pull manches longues d\'hiver squelette rouge', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"squelette rouge"}', 0), + (3557, 1, 9, 'Pull manches longues d\'hiver squelette noir noël', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"squelette noir noël"}', 0), + (3558, 1, 9, 'Pull manches longues d\'hiver squelette rouge noël', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"squelette rouge noël"}', 0), + (3559, 1, 9, 'Pull manches longues d\'hiver Sprunk vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Sprunk vert"}', 0), + (3560, 1, 9, 'Pull manches longues d\'hiver ice cold', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"ice cold"}', 0), + (3561, 2, 9, 'Pull manches longues d\'hiver chasseur', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"chasseur"}', 0), + (3562, 2, 9, 'Pull manches longues d\'hiver burger rouge', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"burger rouge"}', 0), + (3563, 2, 9, 'Pull manches longues d\'hiver burger bleu', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"burger bleu"}', 0), + (3564, 2, 9, 'Pull manches longues d\'hiver cloche bleu', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"cloche bleu"}', 0), + (3565, 2, 9, 'Pull manches longues d\'hiver cloche vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"cloche vert"}', 0), + (3566, 2, 9, 'Pull manches longues d\'hiver slaying bleu', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"slaying bleu"}', 0), + (3567, 2, 9, 'Pull manches longues d\'hiver slaying vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"slaying vert"}', 0), + (3568, 2, 9, 'Pull manches longues d\'hiver vendredi 13', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"vendredi 13"}', 0), + (3569, 2, 9, 'Pull manches longues d\'hiver Hail Santa', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Hail Santa"}', 0), + (3570, 2, 9, 'Pull manches longues d\'hiver squelette rouge', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"squelette rouge"}', 0), + (3571, 2, 9, 'Pull manches longues d\'hiver squelette noir noël', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"squelette noir noël"}', 0), + (3572, 2, 9, 'Pull manches longues d\'hiver squelette rouge noël', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"squelette rouge noël"}', 0), + (3573, 2, 9, 'Pull manches longues d\'hiver Sprunk vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Sprunk vert"}', 0), + (3574, 2, 9, 'Pull manches longues d\'hiver ice cold', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"ice cold"}', 0), + (3575, 1, 10, 'Guerrier futuriste forêt', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"forêt"}', 0), + (3576, 1, 10, 'Guerrier futuriste noir', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"noir"}', 0), + (3577, 1, 10, 'Guerrier futuriste gris', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"gris"}', 0), + (3578, 1, 10, 'Guerrier futuriste bleu', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"bleu"}', 0), + (3579, 1, 10, 'Guerrier futuriste rouge', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"rouge"}', 0), + (3580, 1, 10, 'Guerrier futuriste jaune', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"jaune"}', 0), + (3581, 1, 10, 'Guerrier futuriste brun', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"brun"}', 0), + (3582, 1, 10, 'Guerrier futuriste géométrique kaki', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"géométrique kaki"}', 0), + (3583, 1, 10, 'Guerrier futuriste vert', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"vert"}', 0), + (3584, 1, 10, 'Guerrier futuriste camo bleu', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"camo bleu"}', 0), + (3585, 1, 10, 'Guerrier futuriste anthracite et kaki', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et kaki"}', 0), + (3586, 1, 10, 'Guerrier futuriste anthracite et rouge', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rouge"}', 0), + (3587, 1, 10, 'Guerrier futuriste anthracite et rose', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rose"}', 0), + (3588, 1, 10, 'Guerrier futuriste anthracite et vert', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et vert"}', 0), + (3589, 1, 10, 'Guerrier futuriste anthracite et brun', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et brun"}', 0), + (3590, 1, 10, 'Guerrier futuriste anthracite et violet', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et violet"}', 0), + (3591, 2, 10, 'Guerrier futuriste forêt', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"forêt"}', 0), + (3592, 2, 10, 'Guerrier futuriste noir', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"noir"}', 0), + (3593, 2, 10, 'Guerrier futuriste gris', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"gris"}', 0), + (3594, 2, 10, 'Guerrier futuriste bleu', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"bleu"}', 0), + (3595, 2, 10, 'Guerrier futuriste rouge', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"rouge"}', 0), + (3596, 2, 10, 'Guerrier futuriste jaune', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"jaune"}', 0), + (3597, 2, 10, 'Guerrier futuriste brun', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"brun"}', 0), + (3598, 2, 10, 'Guerrier futuriste géométrique kaki', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"géométrique kaki"}', 0), + (3599, 2, 10, 'Guerrier futuriste vert', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"vert"}', 0), + (3600, 2, 10, 'Guerrier futuriste camo bleu', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"camo bleu"}', 0), + (3601, 2, 10, 'Guerrier futuriste anthracite et kaki', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et kaki"}', 0), + (3602, 2, 10, 'Guerrier futuriste anthracite et rouge', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rouge"}', 0), + (3603, 2, 10, 'Guerrier futuriste anthracite et rose', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rose"}', 0), + (3604, 2, 10, 'Guerrier futuriste anthracite et vert', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et vert"}', 0), + (3605, 2, 10, 'Guerrier futuriste anthracite et brun', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et brun"}', 0), + (3606, 2, 10, 'Guerrier futuriste anthracite et violet', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et violet"}', 0), + (3607, 3, 11, 'Gilet de costume rouge', 50, '{"components":{"11":{"Drawable":290,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Gilet de costume","colorLabel":"rouge"}', 0), + (3608, 1, 10, 'Costume super-héros musclé blanc', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (3609, 2, 10, 'Costume super-héros musclé blanc', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (3610, 3, 6, 'Veste de costume slim ouverte blanche', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"blanche"}', 0), + (3611, 3, 6, 'Veste de costume slim ouverte casino', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"casino"}', 0), + (3612, 3, 6, 'Veste de costume slim ouverte carreaux rouges', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"carreaux rouges"}', 0), + (3613, 3, 6, 'Veste de costume slim ouverte pois marrons', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"pois marrons"}', 0), + (3614, 3, 6, 'Veste de costume slim ouverte verte unie', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"verte unie"}', 0), + (3615, 3, 6, 'Veste de costume slim ouverte casino noir', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"casino noir"}', 0), + (3616, 3, 6, 'Veste de costume slim ouverte carreaux verts', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"carreaux verts"}', 0), + (3617, 3, 6, 'Veste de costume slim ouverte crème uni', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"crème uni"}', 0), + (3618, 3, 6, 'Veste de costume slim ouverte goutte bleue', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"goutte bleue"}', 0), + (3619, 3, 6, 'Veste de costume slim ouverte saumon', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"saumon"}', 0), + (3620, 3, 6, 'Veste de costume slim ouverte camo vert', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"camo vert"}', 0), + (3621, 3, 6, 'Veste de costume slim ouverte bordeaux', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"bordeaux"}', 0), + (3622, 3, 6, 'Veste de costume slim ouverte orientale', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"orientale"}', 0), + (3623, 3, 6, 'Veste de costume slim ouverte losanges', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"losanges"}', 0), + (3624, 3, 6, 'Veste de costume slim ouverte pan gris', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"pan gris"}', 0), + (3625, 3, 6, 'Veste de costume slim ouverte blanche', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"blanche"}', 0), + (3626, 3, 6, 'Veste de costume slim ouverte psy bleu', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"psy bleu"}', 0), + (3627, 3, 6, 'Veste de costume slim ouverte psy jeune', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"psy jeune"}', 0), + (3628, 3, 6, 'Veste de costume slim ouverte losanges bleus', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"losanges bleus"}', 0), + (3629, 3, 6, 'Veste de costume slim ouverte fleur d\'or', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"fleur d\'or"}', 0), + (3630, 3, 6, 'Veste de costume slim ouverte billets', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"billets"}', 0), + (3631, 3, 6, 'Veste de costume slim ouverte cartes rouges', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"cartes rouges"}', 0), + (3632, 3, 6, 'Veste de costume slim ouverte cartes noires', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"cartes noires"}', 0), + (3633, 3, 6, 'Veste de costume slim ouverte cartes bleues', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"cartes bleues"}', 0), + (3634, 3, 6, 'Veste de costume slim ouverte As', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim ouverte","colorLabel":"As"}', 0), + (3635, 3, 6, 'Veste de costume slim fermée blanche', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"blanche"}', 0), + (3636, 3, 6, 'Veste de costume slim fermée casino', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"casino"}', 0), + (3637, 3, 6, 'Veste de costume slim fermée carreaux rouges', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"carreaux rouges"}', 0), + (3638, 3, 6, 'Veste de costume slim fermée pois marrons', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"pois marrons"}', 0), + (3639, 3, 6, 'Veste de costume slim fermée verte unie', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"verte unie"}', 0), + (3640, 3, 6, 'Veste de costume slim fermée casino noir', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"casino noir"}', 0), + (3641, 3, 6, 'Veste de costume slim fermée carreaux verts', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"carreaux verts"}', 0), + (3642, 3, 6, 'Veste de costume slim fermée crème uni', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"crème uni"}', 0), + (3643, 3, 6, 'Veste de costume slim fermée goutte bleue', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"goutte bleue"}', 0), + (3644, 3, 6, 'Veste de costume slim fermée saumon', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"saumon"}', 0), + (3645, 3, 6, 'Veste de costume slim fermée camo vert', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"camo vert"}', 0), + (3646, 3, 6, 'Veste de costume slim fermée bordeaux', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"bordeaux"}', 0), + (3647, 3, 6, 'Veste de costume slim fermée orientale', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"orientale"}', 0), + (3648, 3, 6, 'Veste de costume slim fermée losanges', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"losanges"}', 0), + (3649, 3, 6, 'Veste de costume slim fermée pan gris', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"pan gris"}', 0), + (3650, 3, 6, 'Veste de costume slim fermée blanche', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"blanche"}', 0), + (3651, 3, 6, 'Veste de costume slim fermée psy bleu', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"psy bleu"}', 0), + (3652, 3, 6, 'Veste de costume slim fermée psy jeune', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"psy jeune"}', 0), + (3653, 3, 6, 'Veste de costume slim fermée losanges bleus', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"losanges bleus"}', 0), + (3654, 3, 6, 'Veste de costume slim fermée fleur d\'or', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"fleur d\'or"}', 0), + (3655, 3, 6, 'Veste de costume slim fermée billets', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"billets"}', 0), + (3656, 3, 6, 'Veste de costume slim fermée cartes rouges', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"cartes rouges"}', 0), + (3657, 3, 6, 'Veste de costume slim fermée cartes noires', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"cartes noires"}', 0), + (3658, 3, 6, 'Veste de costume slim fermée cartes bleues', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"cartes bleues"}', 0), + (3659, 3, 6, 'Veste de costume slim fermée As', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim fermée","colorLabel":"As"}', 0), + (3660, 3, 6, 'Veste de costume slim uni ouverte pochette noire', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette noire"}', 0), + (3661, 3, 6, 'Veste de costume slim uni ouverte pochette anthracite', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette anthracite"}', 0), + (3662, 3, 6, 'Veste de costume slim uni ouverte pochette grise', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette grise"}', 0), + (3663, 3, 6, 'Veste de costume slim uni ouverte pochette perle', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette perle"}', 0), + (3664, 3, 6, 'Veste de costume slim uni ouverte pochette blanche', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette blanche"}', 0), + (3665, 3, 6, 'Veste de costume slim uni ouverte pochette marron', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette marron"}', 0), + (3666, 3, 6, 'Veste de costume slim uni ouverte pochette crème', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette crème"}', 0), + (3667, 3, 6, 'Veste de costume slim uni ouverte pochette bleue', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette bleue"}', 0), + (3668, 3, 6, 'Veste de costume slim uni ouverte pochette cyan', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette cyan"}', 0), + (3669, 3, 6, 'Veste de costume slim uni ouverte pochette bordeaux', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste de costume slim uni ouverte","colorLabel":"pochette bordeaux"}', 0), + (3670, 3, 6, 'Veste de costume slim uni fermée pochette noire', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette noire"}', 0), + (3671, 3, 6, 'Veste de costume slim uni fermée pochette anthracite', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette anthracite"}', 0), + (3672, 3, 6, 'Veste de costume slim uni fermée pochette grise', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette grise"}', 0), + (3673, 3, 6, 'Veste de costume slim uni fermée pochette perle', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette perle"}', 0), + (3674, 3, 6, 'Veste de costume slim uni fermée pochette blanche', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette blanche"}', 0), + (3675, 3, 6, 'Veste de costume slim uni fermée pochette marron', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette marron"}', 0), + (3676, 3, 6, 'Veste de costume slim uni fermée pochette crème', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette crème"}', 0), + (3677, 3, 6, 'Veste de costume slim uni fermée pochette bleue', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette bleue"}', 0), + (3678, 3, 6, 'Veste de costume slim uni fermée pochette cyan', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette cyan"}', 0), + (3679, 3, 6, 'Veste de costume slim uni fermée pochette bordeaux', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste de costume slim uni fermée","colorLabel":"pochette bordeaux"}', 0), + (3680, 1, 5, 'Hoodie imperméable noir-rose', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-rose"}', 0), + (3681, 1, 5, 'Hoodie imperméable bleu-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-jaune"}', 0), + (3682, 1, 5, 'Hoodie imperméable rose-blanc', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rose-blanc"}', 0), + (3683, 1, 5, 'Hoodie imperméable rouge-gris', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-gris"}', 0), + (3684, 1, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (3685, 1, 5, 'Hoodie imperméable camo-orange', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo-orange"}', 0), + (3686, 1, 5, 'Hoodie imperméable motifs kaki-orange', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs kaki-orange"}', 0), + (3687, 1, 5, 'Hoodie imperméable camo orange', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo orange"}', 0), + (3688, 1, 5, 'Hoodie imperméable noir-turquoise', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-turquoise"}', 0), + (3689, 1, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (3690, 1, 5, 'Hoodie imperméable noir-abricot', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-abricot"}', 0), + (3691, 1, 5, 'Hoodie imperméable bleu-turquoise', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-turquoise"}', 0), + (3692, 1, 5, 'Hoodie imperméable motifs noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs noir"}', 0), + (3693, 1, 5, 'Hoodie imperméable violet-blanc', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-blanc"}', 0), + (3694, 1, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (3695, 1, 5, 'Hoodie imperméable lime-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"lime-jaune"}', 0), + (3696, 1, 5, 'Hoodie imperméable Guffy noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy noir"}', 0), + (3697, 1, 5, 'Hoodie imperméable Guffy violet', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy violet"}', 0), + (3698, 1, 5, 'Hoodie imperméable Guffy rouge', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy rouge"}', 0), + (3699, 1, 5, 'Hoodie imperméable rouge-violet', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-violet"}', 0), + (3700, 1, 5, 'Hoodie imperméable vert-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vert-jaune"}', 0), + (3701, 1, 5, 'Hoodie imperméable violet-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-jaune"}', 0), + (3702, 1, 5, 'Hoodie imperméable léopard', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"léopard"}', 0), + (3703, 1, 5, 'Hoodie imperméable anthracite-vert', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite-vert"}', 0), + (3704, 1, 5, 'Hoodie imperméable corail-abricot', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"corail-abricot"}', 0), + (3705, 2, 5, 'Hoodie imperméable noir-rose', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-rose"}', 0), + (3706, 2, 5, 'Hoodie imperméable bleu-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-jaune"}', 0), + (3707, 2, 5, 'Hoodie imperméable rose-blanc', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rose-blanc"}', 0), + (3708, 2, 5, 'Hoodie imperméable rouge-gris', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-gris"}', 0), + (3709, 2, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (3710, 2, 5, 'Hoodie imperméable camo-orange', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo-orange"}', 0), + (3711, 2, 5, 'Hoodie imperméable motifs kaki-orange', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs kaki-orange"}', 0), + (3712, 2, 5, 'Hoodie imperméable camo orange', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo orange"}', 0), + (3713, 2, 5, 'Hoodie imperméable noir-turquoise', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-turquoise"}', 0), + (3714, 2, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (3715, 2, 5, 'Hoodie imperméable noir-abricot', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-abricot"}', 0), + (3716, 2, 5, 'Hoodie imperméable bleu-turquoise', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-turquoise"}', 0), + (3717, 2, 5, 'Hoodie imperméable motifs noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs noir"}', 0), + (3718, 2, 5, 'Hoodie imperméable violet-blanc', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-blanc"}', 0), + (3719, 2, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (3720, 2, 5, 'Hoodie imperméable lime-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"lime-jaune"}', 0), + (3721, 2, 5, 'Hoodie imperméable Guffy noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy noir"}', 0), + (3722, 2, 5, 'Hoodie imperméable Guffy violet', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy violet"}', 0), + (3723, 2, 5, 'Hoodie imperméable Guffy rouge', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy rouge"}', 0), + (3724, 2, 5, 'Hoodie imperméable rouge-violet', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-violet"}', 0), + (3725, 2, 5, 'Hoodie imperméable vert-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vert-jaune"}', 0), + (3726, 2, 5, 'Hoodie imperméable violet-jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-jaune"}', 0), + (3727, 2, 5, 'Hoodie imperméable léopard', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"léopard"}', 0), + (3728, 2, 5, 'Hoodie imperméable anthracite-vert', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite-vert"}', 0), + (3729, 2, 5, 'Hoodie imperméable corail-abricot', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"corail-abricot"}', 0), + (3730, 1, 5, 'Hoodie imperméable capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-rose"}', 0), + (3731, 1, 5, 'Hoodie imperméable capuche tête bleu-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-jaune"}', 0), + (3732, 1, 5, 'Hoodie imperméable capuche tête rose-blanc', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rose-blanc"}', 0), + (3733, 1, 5, 'Hoodie imperméable capuche tête rouge-gris', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-gris"}', 0), + (3734, 1, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (3735, 1, 5, 'Hoodie imperméable capuche tête camo-orange', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo-orange"}', 0), + (3736, 1, 5, 'Hoodie imperméable capuche tête motifs kaki-orange', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs kaki-orange"}', 0), + (3737, 1, 5, 'Hoodie imperméable capuche tête camo orange', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo orange"}', 0), + (3738, 1, 5, 'Hoodie imperméable capuche tête noir-turquoise', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-turquoise"}', 0), + (3739, 1, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (3740, 1, 5, 'Hoodie imperméable capuche tête noir-abricot', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-abricot"}', 0), + (3741, 1, 5, 'Hoodie imperméable capuche tête bleu-turquoise', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-turquoise"}', 0), + (3742, 1, 5, 'Hoodie imperméable capuche tête motifs noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs noir"}', 0), + (3743, 1, 5, 'Hoodie imperméable capuche tête violet-blanc', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-blanc"}', 0), + (3744, 1, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (3745, 1, 5, 'Hoodie imperméable capuche tête lime-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"lime-jaune"}', 0), + (3746, 1, 5, 'Hoodie imperméable capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy noir"}', 0), + (3747, 1, 5, 'Hoodie imperméable capuche tête Guffy violet', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy violet"}', 0), + (3748, 1, 5, 'Hoodie imperméable capuche tête Guffy rouge', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy rouge"}', 0), + (3749, 1, 5, 'Hoodie imperméable capuche tête rouge-violet', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-violet"}', 0), + (3750, 1, 5, 'Hoodie imperméable capuche tête vert-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vert-jaune"}', 0), + (3751, 1, 5, 'Hoodie imperméable capuche tête violet-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-jaune"}', 0), + (3752, 1, 5, 'Hoodie imperméable capuche tête léopard', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"léopard"}', 0), + (3753, 1, 5, 'Hoodie imperméable capuche tête anthracite-vert', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite-vert"}', 0), + (3754, 1, 5, 'Hoodie imperméable capuche tête corail-abricot', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"corail-abricot"}', 0), + (3755, 2, 5, 'Hoodie imperméable capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-rose"}', 0), + (3756, 2, 5, 'Hoodie imperméable capuche tête bleu-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-jaune"}', 0), + (3757, 2, 5, 'Hoodie imperméable capuche tête rose-blanc', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rose-blanc"}', 0), + (3758, 2, 5, 'Hoodie imperméable capuche tête rouge-gris', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-gris"}', 0), + (3759, 2, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (3760, 2, 5, 'Hoodie imperméable capuche tête camo-orange', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo-orange"}', 0), + (3761, 2, 5, 'Hoodie imperméable capuche tête motifs kaki-orange', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs kaki-orange"}', 0), + (3762, 2, 5, 'Hoodie imperméable capuche tête camo orange', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo orange"}', 0), + (3763, 2, 5, 'Hoodie imperméable capuche tête noir-turquoise', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-turquoise"}', 0), + (3764, 2, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (3765, 2, 5, 'Hoodie imperméable capuche tête noir-abricot', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-abricot"}', 0), + (3766, 2, 5, 'Hoodie imperméable capuche tête bleu-turquoise', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-turquoise"}', 0), + (3767, 2, 5, 'Hoodie imperméable capuche tête motifs noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs noir"}', 0), + (3768, 2, 5, 'Hoodie imperméable capuche tête violet-blanc', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-blanc"}', 0), + (3769, 2, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (3770, 2, 5, 'Hoodie imperméable capuche tête lime-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"lime-jaune"}', 0), + (3771, 2, 5, 'Hoodie imperméable capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy noir"}', 0), + (3772, 2, 5, 'Hoodie imperméable capuche tête Guffy violet', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy violet"}', 0), + (3773, 2, 5, 'Hoodie imperméable capuche tête Guffy rouge', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy rouge"}', 0), + (3774, 2, 5, 'Hoodie imperméable capuche tête rouge-violet', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-violet"}', 0), + (3775, 2, 5, 'Hoodie imperméable capuche tête vert-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vert-jaune"}', 0), + (3776, 2, 5, 'Hoodie imperméable capuche tête violet-jaune', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-jaune"}', 0), + (3777, 2, 5, 'Hoodie imperméable capuche tête léopard', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"léopard"}', 0), + (3778, 2, 5, 'Hoodie imperméable capuche tête anthracite-vert', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite-vert"}', 0), + (3779, 2, 5, 'Hoodie imperméable capuche tête corail-abricot', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"corail-abricot"}', 0), + (3780, 1, 12, 'Blouson zippé fermé noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir"}', 0), + (3781, 1, 12, 'Blouson zippé fermé blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc"}', 0), + (3782, 1, 12, 'Blouson zippé fermé Broker noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker noir"}', 0), + (3783, 1, 12, 'Blouson zippé fermé double Broker blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker blanc"}', 0), + (3784, 1, 12, 'Blouson zippé fermé double Broker rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker rouge"}', 0), + (3785, 1, 12, 'Blouson zippé fermé double Broker violet', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker violet"}', 0), + (3786, 1, 12, 'Blouson zippé fermé double Broker pétrole', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker pétrole"}', 0), + (3787, 1, 12, 'Blouson zippé fermé Santo Capra noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra noir"}', 0), + (3788, 1, 12, 'Blouson zippé fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra blanc"}', 0), + (3789, 1, 12, 'Blouson zippé fermé Santo Capra rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra rouge"}', 0), + (3790, 1, 12, 'Blouson zippé fermé Santo Capra violet', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra violet"}', 0), + (3791, 1, 12, 'Blouson zippé fermé Santo Capra pétrole', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra pétrole"}', 0), + (3792, 1, 12, 'Blouson zippé fermé Broker noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker noir"}', 0), + (3793, 1, 12, 'Blouson zippé fermé Broker blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker blanc"}', 0), + (3794, 1, 12, 'Blouson zippé fermé Broker rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker rouge"}', 0), + (3795, 1, 12, 'Blouson zippé fermé Broker violet', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker violet"}', 0), + (3796, 1, 12, 'Blouson zippé fermé Broker pétrole', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker pétrole"}', 0), + (3797, 1, 12, 'Blouson zippé fermé noir-rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir-rouge"}', 0), + (3798, 1, 12, 'Blouson zippé fermé noir fleurs multicolores', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir fleurs multicolores"}', 0), + (3799, 1, 12, 'Blouson zippé fermé blanc fleurs multicolore', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc fleurs multicolore"}', 0), + (3800, 1, 12, 'Blouson zippé fermé pétrole fleurs multicolore', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pétrole fleurs multicolore"}', 0), + (3801, 1, 12, 'Blouson zippé fermé bleu fleurs multicolore', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"bleu fleurs multicolore"}', 0), + (3802, 1, 12, 'Blouson zippé fermé Bigness héros ciel', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Bigness héros ciel"}', 0), + (3803, 1, 12, 'Blouson zippé fermé Bigness héros blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Bigness héros blanc"}', 0), + (3804, 1, 12, 'Blouson zippé fermé Bigness héros rose', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Bigness héros rose"}', 0), + (3805, 2, 12, 'Blouson zippé fermé noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir"}', 0), + (3806, 2, 12, 'Blouson zippé fermé blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc"}', 0), + (3807, 2, 12, 'Blouson zippé fermé Broker noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker noir"}', 0), + (3808, 2, 12, 'Blouson zippé fermé double Broker blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker blanc"}', 0), + (3809, 2, 12, 'Blouson zippé fermé double Broker rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker rouge"}', 0), + (3810, 2, 12, 'Blouson zippé fermé double Broker violet', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker violet"}', 0), + (3811, 2, 12, 'Blouson zippé fermé double Broker pétrole', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"double Broker pétrole"}', 0), + (3812, 2, 12, 'Blouson zippé fermé Santo Capra noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra noir"}', 0), + (3813, 2, 12, 'Blouson zippé fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra blanc"}', 0), + (3814, 2, 12, 'Blouson zippé fermé Santo Capra rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra rouge"}', 0), + (3815, 2, 12, 'Blouson zippé fermé Santo Capra violet', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra violet"}', 0), + (3816, 2, 12, 'Blouson zippé fermé Santo Capra pétrole', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Santo Capra pétrole"}', 0), + (3817, 2, 12, 'Blouson zippé fermé Broker noir', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker noir"}', 0), + (3818, 2, 12, 'Blouson zippé fermé Broker blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker blanc"}', 0), + (3819, 2, 12, 'Blouson zippé fermé Broker rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker rouge"}', 0), + (3820, 2, 12, 'Blouson zippé fermé Broker violet', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker violet"}', 0), + (3821, 2, 12, 'Blouson zippé fermé Broker pétrole', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Broker pétrole"}', 0), + (3822, 2, 12, 'Blouson zippé fermé noir-rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir-rouge"}', 0), + (3823, 2, 12, 'Blouson zippé fermé noir fleurs multicolores', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir fleurs multicolores"}', 0), + (3824, 2, 12, 'Blouson zippé fermé blanc fleurs multicolore', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc fleurs multicolore"}', 0), + (3825, 2, 12, 'Blouson zippé fermé pétrole fleurs multicolore', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"pétrole fleurs multicolore"}', 0), + (3826, 2, 12, 'Blouson zippé fermé bleu fleurs multicolore', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"bleu fleurs multicolore"}', 0), + (3827, 2, 12, 'Blouson zippé fermé Bigness héros ciel', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Bigness héros ciel"}', 0), + (3828, 2, 12, 'Blouson zippé fermé Bigness héros blanc', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Bigness héros blanc"}', 0), + (3829, 2, 12, 'Blouson zippé fermé Bigness héros rose', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"Bigness héros rose"}', 0), + (3830, 1, 7, 'Chemise vacances espace vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"espace vert"}', 0), + (3831, 1, 7, 'Chemise vacances espace bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"espace bleu"}', 0), + (3832, 1, 7, 'Chemise vacances espace jaune', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"espace jaune"}', 0), + (3833, 1, 7, 'Chemise vacances carreaux gris', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"carreaux gris"}', 0), + (3834, 1, 7, 'Chemise vacances carreaux bruns', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"carreaux bruns"}', 0), + (3835, 1, 7, 'Chemise vacances végétation rose', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"végétation rose"}', 0), + (3836, 1, 7, 'Chemise vacances inked dégradé', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"inked dégradé"}', 0), + (3837, 1, 7, 'Chemise vacances palmier rose', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"palmier rose"}', 0), + (3838, 1, 7, 'Chemise vacances plamier orange', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"plamier orange"}', 0), + (3839, 1, 7, 'Chemise vacances plamier bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"plamier bleu"}', 0), + (3840, 1, 7, 'Chemise vacances égypte noir', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"égypte noir"}', 0), + (3841, 1, 7, 'Chemise vacances égypte bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"égypte bleu"}', 0), + (3842, 1, 7, 'Chemise vacances égypte rouge', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"égypte rouge"}', 0), + (3843, 1, 7, 'Chemise vacances casino jaune', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"casino jaune"}', 0), + (3844, 1, 7, 'Chemise vacances casino rouge', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"casino rouge"}', 0), + (3845, 1, 7, 'Chemise vacances poker noir', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"poker noir"}', 0), + (3846, 1, 7, 'Chemise vacances poker rouge', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"poker rouge"}', 0), + (3847, 1, 7, 'Chemise vacances poker jaune', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"poker jaune"}', 0), + (3848, 1, 7, 'Chemise vacances île bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île bleu"}', 0), + (3849, 1, 7, 'Chemise vacances île vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île vert"}', 0), + (3850, 1, 7, 'Chemise vacances île orange', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île orange"}', 0), + (3851, 1, 7, 'Chemise vacances île rose', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île rose"}', 0), + (3852, 1, 7, 'Chemise vacances mer vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"mer vert"}', 0), + (3853, 1, 7, 'Chemise vacances mer orange', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"mer orange"}', 0), + (3854, 1, 7, 'Chemise vacances vert beige', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"vert beige"}', 0), + (3855, 2, 7, 'Chemise vacances espace vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"espace vert"}', 0), + (3856, 2, 7, 'Chemise vacances espace bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"espace bleu"}', 0), + (3857, 2, 7, 'Chemise vacances espace jaune', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"espace jaune"}', 0), + (3858, 2, 7, 'Chemise vacances carreaux gris', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"carreaux gris"}', 0), + (3859, 2, 7, 'Chemise vacances carreaux bruns', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"carreaux bruns"}', 0), + (3860, 2, 7, 'Chemise vacances végétation rose', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"végétation rose"}', 0), + (3861, 2, 7, 'Chemise vacances inked dégradé', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"inked dégradé"}', 0), + (3862, 2, 7, 'Chemise vacances palmier rose', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"palmier rose"}', 0), + (3863, 2, 7, 'Chemise vacances plamier orange', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"plamier orange"}', 0), + (3864, 2, 7, 'Chemise vacances plamier bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"plamier bleu"}', 0), + (3865, 2, 7, 'Chemise vacances égypte noir', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"égypte noir"}', 0), + (3866, 2, 7, 'Chemise vacances égypte bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"égypte bleu"}', 0), + (3867, 2, 7, 'Chemise vacances égypte rouge', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"égypte rouge"}', 0), + (3868, 2, 7, 'Chemise vacances casino jaune', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"casino jaune"}', 0), + (3869, 2, 7, 'Chemise vacances casino rouge', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"casino rouge"}', 0), + (3870, 2, 7, 'Chemise vacances poker noir', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"poker noir"}', 0), + (3871, 2, 7, 'Chemise vacances poker rouge', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"poker rouge"}', 0), + (3872, 2, 7, 'Chemise vacances poker jaune', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"poker jaune"}', 0), + (3873, 2, 7, 'Chemise vacances île bleu', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île bleu"}', 0), + (3874, 2, 7, 'Chemise vacances île vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île vert"}', 0), + (3875, 2, 7, 'Chemise vacances île orange', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île orange"}', 0), + (3876, 2, 7, 'Chemise vacances île rose', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"île rose"}', 0), + (3877, 2, 7, 'Chemise vacances mer vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"mer vert"}', 0), + (3878, 2, 7, 'Chemise vacances mer orange', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"mer orange"}', 0), + (3879, 2, 7, 'Chemise vacances vert beige', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise vacances","colorLabel":"vert beige"}', 0), + (3880, 1, 4, 'Anorak sans capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (3881, 1, 4, 'Anorak sans capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (3882, 1, 4, 'Anorak sans capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (3883, 1, 4, 'Anorak sans capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (3884, 1, 4, 'Anorak sans capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé bleu"}', 0), + (3885, 1, 4, 'Anorak sans capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures noir"}', 0), + (3886, 1, 4, 'Anorak sans capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures blanc"}', 0), + (3887, 1, 4, 'Anorak sans capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures violet"}', 0), + (3888, 1, 4, 'Anorak sans capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (3889, 1, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (3890, 1, 4, 'Anorak sans capuche fermé vanille', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vanille"}', 0), + (3891, 1, 4, 'Anorak sans capuche fermé lila', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lila"}', 0), + (3892, 1, 4, 'Anorak sans capuche fermé taupe', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"taupe"}', 0), + (3893, 1, 4, 'Anorak sans capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo abricot"}', 0), + (3894, 1, 4, 'Anorak sans capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo noir"}', 0), + (3895, 1, 4, 'Anorak sans capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo rouge"}', 0), + (3896, 1, 4, 'Anorak sans capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo anthracite"}', 0), + (3897, 1, 4, 'Anorak sans capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (3898, 1, 4, 'Anorak sans capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige-orange"}', 0), + (3899, 1, 4, 'Anorak sans capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo vert-orange"}', 0), + (3900, 1, 4, 'Anorak sans capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-orange"}', 0), + (3901, 1, 4, 'Anorak sans capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blageur marron"}', 0), + (3902, 1, 4, 'Anorak sans capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur noir"}', 0), + (3903, 1, 4, 'Anorak sans capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (3904, 1, 4, 'Anorak sans capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur lime"}', 0), + (3905, 2, 4, 'Anorak sans capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (3906, 2, 4, 'Anorak sans capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (3907, 2, 4, 'Anorak sans capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (3908, 2, 4, 'Anorak sans capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (3909, 2, 4, 'Anorak sans capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé bleu"}', 0), + (3910, 2, 4, 'Anorak sans capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures noir"}', 0), + (3911, 2, 4, 'Anorak sans capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures blanc"}', 0), + (3912, 2, 4, 'Anorak sans capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures violet"}', 0), + (3913, 2, 4, 'Anorak sans capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (3914, 2, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (3915, 2, 4, 'Anorak sans capuche fermé vanille', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vanille"}', 0), + (3916, 2, 4, 'Anorak sans capuche fermé lila', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lila"}', 0), + (3917, 2, 4, 'Anorak sans capuche fermé taupe', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"taupe"}', 0), + (3918, 2, 4, 'Anorak sans capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo abricot"}', 0), + (3919, 2, 4, 'Anorak sans capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo noir"}', 0), + (3920, 2, 4, 'Anorak sans capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo rouge"}', 0), + (3921, 2, 4, 'Anorak sans capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo anthracite"}', 0), + (3922, 2, 4, 'Anorak sans capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (3923, 2, 4, 'Anorak sans capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige-orange"}', 0), + (3924, 2, 4, 'Anorak sans capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo vert-orange"}', 0), + (3925, 2, 4, 'Anorak sans capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-orange"}', 0), + (3926, 2, 4, 'Anorak sans capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blageur marron"}', 0), + (3927, 2, 4, 'Anorak sans capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur noir"}', 0), + (3928, 2, 4, 'Anorak sans capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (3929, 2, 4, 'Anorak sans capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur lime"}', 0), + (3930, 1, 4, 'Anorak à capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (3931, 1, 4, 'Anorak à capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (3932, 1, 4, 'Anorak à capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (3933, 1, 4, 'Anorak à capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (3934, 1, 4, 'Anorak à capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé bleu"}', 0), + (3935, 1, 4, 'Anorak à capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures noir"}', 0), + (3936, 1, 4, 'Anorak à capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures blanc"}', 0), + (3937, 1, 4, 'Anorak à capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures violet"}', 0), + (3938, 1, 4, 'Anorak à capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (3939, 1, 4, 'Anorak à capuche fermé vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert"}', 0), + (3940, 1, 4, 'Anorak à capuche fermé vanille', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vanille"}', 0), + (3941, 1, 4, 'Anorak à capuche fermé lila', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"lila"}', 0), + (3942, 1, 4, 'Anorak à capuche fermé taupe', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"taupe"}', 0), + (3943, 1, 4, 'Anorak à capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo abricot"}', 0), + (3944, 1, 4, 'Anorak à capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo noir"}', 0), + (3945, 1, 4, 'Anorak à capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo rouge"}', 0), + (3946, 1, 4, 'Anorak à capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo anthracite"}', 0), + (3947, 1, 4, 'Anorak à capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (3948, 1, 4, 'Anorak à capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige-orange"}', 0), + (3949, 1, 4, 'Anorak à capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert-orange"}', 0), + (3950, 1, 4, 'Anorak à capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo brun-orange"}', 0), + (3951, 1, 4, 'Anorak à capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blageur marron"}', 0), + (3952, 1, 4, 'Anorak à capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur noir"}', 0), + (3953, 1, 4, 'Anorak à capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (3954, 1, 4, 'Anorak à capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur lime"}', 0), + (3955, 2, 4, 'Anorak à capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (3956, 2, 4, 'Anorak à capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (3957, 2, 4, 'Anorak à capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (3958, 2, 4, 'Anorak à capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (3959, 2, 4, 'Anorak à capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé bleu"}', 0), + (3960, 2, 4, 'Anorak à capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures noir"}', 0), + (3961, 2, 4, 'Anorak à capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures blanc"}', 0), + (3962, 2, 4, 'Anorak à capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures violet"}', 0), + (3963, 2, 4, 'Anorak à capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (3964, 2, 4, 'Anorak à capuche fermé vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert"}', 0), + (3965, 2, 4, 'Anorak à capuche fermé vanille', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vanille"}', 0), + (3966, 2, 4, 'Anorak à capuche fermé lila', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"lila"}', 0), + (3967, 2, 4, 'Anorak à capuche fermé taupe', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"taupe"}', 0), + (3968, 2, 4, 'Anorak à capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo abricot"}', 0), + (3969, 2, 4, 'Anorak à capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo noir"}', 0), + (3970, 2, 4, 'Anorak à capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo rouge"}', 0), + (3971, 2, 4, 'Anorak à capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo anthracite"}', 0), + (3972, 2, 4, 'Anorak à capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (3973, 2, 4, 'Anorak à capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige-orange"}', 0), + (3974, 2, 4, 'Anorak à capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert-orange"}', 0), + (3975, 2, 4, 'Anorak à capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo brun-orange"}', 0), + (3976, 2, 4, 'Anorak à capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blageur marron"}', 0), + (3977, 2, 4, 'Anorak à capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur noir"}', 0), + (3978, 2, 4, 'Anorak à capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (3979, 2, 4, 'Anorak à capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur lime"}', 0), + (3980, 1, 4, 'Anorak à capuche tête fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé violet-bleu"}', 0), + (3981, 1, 4, 'Anorak à capuche tête fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé vert-jaune"}', 0), + (3982, 1, 4, 'Anorak à capuche tête fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé noir-blanc"}', 0), + (3983, 1, 4, 'Anorak à capuche tête fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé pêche-vert"}', 0), + (3984, 1, 4, 'Anorak à capuche tête fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé bleu"}', 0), + (3985, 1, 4, 'Anorak à capuche tête fermé dorures noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures noir"}', 0), + (3986, 1, 4, 'Anorak à capuche tête fermé dorures blanc', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures blanc"}', 0), + (3987, 1, 4, 'Anorak à capuche tête fermé dorures violet', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures violet"}', 0), + (3988, 1, 4, 'Anorak à capuche tête fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Santo Capra blanc"}', 0), + (3989, 1, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (3990, 1, 4, 'Anorak à capuche tête fermé vanille', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vanille"}', 0), + (3991, 1, 4, 'Anorak à capuche tête fermé lila', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lila"}', 0), + (3992, 1, 4, 'Anorak à capuche tête fermé taupe', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"taupe"}', 0), + (3993, 1, 4, 'Anorak à capuche tête fermé logo abricot', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo abricot"}', 0), + (3994, 1, 4, 'Anorak à capuche tête fermé logo noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo noir"}', 0), + (3995, 1, 4, 'Anorak à capuche tête fermé logo rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo rouge"}', 0), + (3996, 1, 4, 'Anorak à capuche tête fermé logo anthracite', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo anthracite"}', 0), + (3997, 1, 4, 'Anorak à capuche tête fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo noir-jaune"}', 0), + (3998, 1, 4, 'Anorak à capuche tête fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige-orange"}', 0), + (3999, 1, 4, 'Anorak à capuche tête fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo vert-orange"}', 0), + (4000, 1, 4, 'Anorak à capuche tête fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-orange"}', 0), + (4001, 1, 4, 'Anorak à capuche tête fermé Blageur marron', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blageur marron"}', 0), + (4002, 1, 4, 'Anorak à capuche tête fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur noir"}', 0), + (4003, 1, 4, 'Anorak à capuche tête fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur rouge"}', 0), + (4004, 1, 4, 'Anorak à capuche tête fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur lime"}', 0), + (4005, 2, 4, 'Anorak à capuche tête fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé violet-bleu"}', 0), + (4006, 2, 4, 'Anorak à capuche tête fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé vert-jaune"}', 0), + (4007, 2, 4, 'Anorak à capuche tête fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé noir-blanc"}', 0), + (4008, 2, 4, 'Anorak à capuche tête fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé pêche-vert"}', 0), + (4009, 2, 4, 'Anorak à capuche tête fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé bleu"}', 0), + (4010, 2, 4, 'Anorak à capuche tête fermé dorures noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures noir"}', 0), + (4011, 2, 4, 'Anorak à capuche tête fermé dorures blanc', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures blanc"}', 0), + (4012, 2, 4, 'Anorak à capuche tête fermé dorures violet', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures violet"}', 0), + (4013, 2, 4, 'Anorak à capuche tête fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Santo Capra blanc"}', 0), + (4014, 2, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (4015, 2, 4, 'Anorak à capuche tête fermé vanille', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vanille"}', 0), + (4016, 2, 4, 'Anorak à capuche tête fermé lila', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lila"}', 0), + (4017, 2, 4, 'Anorak à capuche tête fermé taupe', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"taupe"}', 0), + (4018, 2, 4, 'Anorak à capuche tête fermé logo abricot', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo abricot"}', 0), + (4019, 2, 4, 'Anorak à capuche tête fermé logo noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo noir"}', 0), + (4020, 2, 4, 'Anorak à capuche tête fermé logo rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo rouge"}', 0), + (4021, 2, 4, 'Anorak à capuche tête fermé logo anthracite', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo anthracite"}', 0), + (4022, 2, 4, 'Anorak à capuche tête fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo noir-jaune"}', 0), + (4023, 2, 4, 'Anorak à capuche tête fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige-orange"}', 0), + (4024, 2, 4, 'Anorak à capuche tête fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo vert-orange"}', 0), + (4025, 2, 4, 'Anorak à capuche tête fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-orange"}', 0), + (4026, 2, 4, 'Anorak à capuche tête fermé Blageur marron', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blageur marron"}', 0), + (4027, 2, 4, 'Anorak à capuche tête fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur noir"}', 0), + (4028, 2, 4, 'Anorak à capuche tête fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur rouge"}', 0), + (4029, 2, 4, 'Anorak à capuche tête fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur lime"}', 0), + (4030, 1, 4, 'Anorak à capuche ouvert dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé violet-bleu"}', 0), + (4031, 1, 4, 'Anorak à capuche ouvert dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé vert-jaune"}', 0), + (4032, 1, 4, 'Anorak à capuche ouvert dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé noir-blanc"}', 0), + (4033, 1, 4, 'Anorak à capuche ouvert dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé pêche-vert"}', 0), + (4034, 1, 4, 'Anorak à capuche ouvert dégradé bleu', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé bleu"}', 0), + (4035, 1, 4, 'Anorak à capuche ouvert dorures noir', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures noir"}', 0), + (4036, 1, 4, 'Anorak à capuche ouvert dorures blanc', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures blanc"}', 0), + (4037, 1, 4, 'Anorak à capuche ouvert dorures violet', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures violet"}', 0), + (4038, 1, 4, 'Anorak à capuche ouvert Santo Capra blanc', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Santo Capra blanc"}', 0), + (4039, 1, 4, 'Anorak à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert"}', 0), + (4040, 1, 4, 'Anorak à capuche ouvert vanille', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vanille"}', 0), + (4041, 1, 4, 'Anorak à capuche ouvert lila', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"lila"}', 0), + (4042, 1, 4, 'Anorak à capuche ouvert taupe', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"taupe"}', 0), + (4043, 1, 4, 'Anorak à capuche ouvert logo abricot', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo abricot"}', 0), + (4044, 1, 4, 'Anorak à capuche ouvert logo noir', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo noir"}', 0), + (4045, 1, 4, 'Anorak à capuche ouvert logo rouge', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo rouge"}', 0), + (4046, 1, 4, 'Anorak à capuche ouvert logo anthracite', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo anthracite"}', 0), + (4047, 1, 4, 'Anorak à capuche ouvert camo noir-jaune', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo noir-jaune"}', 0), + (4048, 1, 4, 'Anorak à capuche ouvert camo beige-orange', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige-orange"}', 0), + (4049, 1, 4, 'Anorak à capuche ouvert camo vert-orange', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert-orange"}', 0), + (4050, 1, 4, 'Anorak à capuche ouvert camo brun-orange', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo brun-orange"}', 0), + (4051, 1, 4, 'Anorak à capuche ouvert Blageur marron', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blageur marron"}', 0), + (4052, 1, 4, 'Anorak à capuche ouvert Blagueur noir', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur noir"}', 0), + (4053, 1, 4, 'Anorak à capuche ouvert Blagueur rouge', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur rouge"}', 0), + (4054, 1, 4, 'Anorak à capuche ouvert Blagueur lime', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur lime"}', 0), + (4055, 2, 4, 'Anorak à capuche ouvert dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé violet-bleu"}', 0), + (4056, 2, 4, 'Anorak à capuche ouvert dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé vert-jaune"}', 0), + (4057, 2, 4, 'Anorak à capuche ouvert dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé noir-blanc"}', 0), + (4058, 2, 4, 'Anorak à capuche ouvert dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé pêche-vert"}', 0), + (4059, 2, 4, 'Anorak à capuche ouvert dégradé bleu', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé bleu"}', 0), + (4060, 2, 4, 'Anorak à capuche ouvert dorures noir', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures noir"}', 0), + (4061, 2, 4, 'Anorak à capuche ouvert dorures blanc', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures blanc"}', 0), + (4062, 2, 4, 'Anorak à capuche ouvert dorures violet', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures violet"}', 0), + (4063, 2, 4, 'Anorak à capuche ouvert Santo Capra blanc', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Santo Capra blanc"}', 0), + (4064, 2, 4, 'Anorak à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert"}', 0), + (4065, 2, 4, 'Anorak à capuche ouvert vanille', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vanille"}', 0), + (4066, 2, 4, 'Anorak à capuche ouvert lila', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"lila"}', 0), + (4067, 2, 4, 'Anorak à capuche ouvert taupe', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"taupe"}', 0), + (4068, 2, 4, 'Anorak à capuche ouvert logo abricot', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo abricot"}', 0), + (4069, 2, 4, 'Anorak à capuche ouvert logo noir', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo noir"}', 0), + (4070, 2, 4, 'Anorak à capuche ouvert logo rouge', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo rouge"}', 0), + (4071, 2, 4, 'Anorak à capuche ouvert logo anthracite', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo anthracite"}', 0), + (4072, 2, 4, 'Anorak à capuche ouvert camo noir-jaune', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo noir-jaune"}', 0), + (4073, 2, 4, 'Anorak à capuche ouvert camo beige-orange', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige-orange"}', 0), + (4074, 2, 4, 'Anorak à capuche ouvert camo vert-orange', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert-orange"}', 0), + (4075, 2, 4, 'Anorak à capuche ouvert camo brun-orange', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo brun-orange"}', 0), + (4076, 2, 4, 'Anorak à capuche ouvert Blageur marron', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blageur marron"}', 0), + (4077, 2, 4, 'Anorak à capuche ouvert Blagueur noir', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur noir"}', 0), + (4078, 2, 4, 'Anorak à capuche ouvert Blagueur rouge', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur rouge"}', 0), + (4079, 2, 4, 'Anorak à capuche ouvert Blagueur lime', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur lime"}', 0), + (4080, 3, 4, 'Manteau à fourrure motifs Santo Capra brun', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"Santo Capra brun"}', 0), + (4081, 3, 4, 'Manteau à fourrure motifs serpent jaune', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"serpent jaune"}', 10); +INSERT INTO `shop_content` (`id`, `shop_id`, `category_id`, `label`, `price`, `data`, `stock`) VALUES + (4082, 3, 4, 'Manteau à fourrure motifs carreaux taupe', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"carreaux taupe"}', 0), + (4083, 3, 4, 'Manteau à fourrure motifs carreaux jaune', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"carreaux jaune"}', 0), + (4084, 3, 4, 'Manteau à fourrure motifs noir', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"noir"}', 0), + (4085, 3, 4, 'Manteau à fourrure motifs panthère blanche', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"panthère blanche"}', 0), + (4086, 3, 4, 'Manteau à fourrure motifs léopard', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"léopard"}', 0), + (4087, 3, 4, 'Manteau à fourrure motifs géométrique vert', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"géométrique vert"}', 0), + (4088, 3, 4, 'Manteau à fourrure motifs fleurs rouges', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"fleurs rouges"}', 0), + (4089, 3, 4, 'Manteau à fourrure motifs turquoise', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Manteau à fourrure motifs","colorLabel":"turquoise"}', 0), + (4090, 3, 5, 'Hoodie oversize logo Diamond LS blanc', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS blanc"}', 0), + (4091, 3, 5, 'Hoodie oversize logo Diamond LS noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS noir"}', 0), + (4092, 3, 5, 'Hoodie oversize logo Diamond LS perle', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS perle"}', 0), + (4093, 3, 5, 'Hoodie oversize logo Diamond LS gris', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS gris"}', 0), + (4094, 3, 5, 'Hoodie oversize logo Diamond LS rouge', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS rouge"}', 0), + (4095, 3, 5, 'Hoodie oversize logo Diamond LS orange', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS orange"}', 0), + (4096, 3, 5, 'Hoodie oversize logo Diamond LS bleu', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS bleu"}', 0), + (4097, 3, 5, 'Hoodie oversize logo Diamond LS vert', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS vert"}', 0), + (4098, 3, 5, 'Hoodie oversize logo Diamond LS abricot', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS abricot"}', 0), + (4099, 3, 5, 'Hoodie oversize logo Diamond LS violet', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS violet"}', 0), + (4100, 3, 5, 'Hoodie oversize logo Diamond LS rose', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Diamond LS rose"}', 0), + (4101, 3, 5, 'Hoodie oversize logo Santo Capra noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Santo Capra noir"}', 0), + (4102, 3, 5, 'Hoodie oversize logo Broker noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Broker noir"}', 0), + (4103, 3, 5, 'Hoodie oversize logo Broker liseré noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Broker liseré noir"}', 0), + (4104, 3, 5, 'Hoodie oversize logo Blagueur blanc', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Blagueur blanc"}', 0), + (4105, 3, 5, 'Hoodie oversize logo orange', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"orange"}', 0), + (4106, 3, 5, 'Hoodie oversize logo violet', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"violet"}', 0), + (4107, 3, 5, 'Hoodie oversize logo pétrole', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"pétrole"}', 0), + (4108, 3, 5, 'Hoodie oversize logo carreaux multicolore', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"carreaux multicolore"}', 0), + (4109, 3, 5, 'Hoodie oversize logo Squash', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Squash"}', 0), + (4110, 3, 5, 'Hoodie oversize logo trefle noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"trefle noir"}', 0), + (4111, 3, 5, 'Hoodie oversize logo Blagueur gris', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"Blagueur gris"}', 0), + (4112, 3, 5, 'Hoodie oversize logo yéti noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"yéti noir"}', 0), + (4113, 3, 5, 'Hoodie oversize logo LS camo gris', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"LS camo gris"}', 0), + (4114, 3, 5, 'Hoodie oversize logo LS camo jaune', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo","colorLabel":"LS camo jaune"}', 0), + (4115, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS blanc', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS blanc"}', 0), + (4116, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS noir"}', 0), + (4117, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS perle', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS perle"}', 0), + (4118, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS gris', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS gris"}', 0), + (4119, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS rouge', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS rouge"}', 0), + (4120, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS orange', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS orange"}', 0), + (4121, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS bleu', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS bleu"}', 0), + (4122, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS vert', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS vert"}', 0), + (4123, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS abricot', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS abricot"}', 0), + (4124, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS violet', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS violet"}', 0), + (4125, 3, 5, 'Hoodie oversize logo capuche tête Diamond LS rose', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Diamond LS rose"}', 0), + (4126, 3, 5, 'Hoodie oversize logo capuche tête Santo Capra noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Santo Capra noir"}', 0), + (4127, 3, 5, 'Hoodie oversize logo capuche tête Broker noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Broker noir"}', 0), + (4128, 3, 5, 'Hoodie oversize logo capuche tête Broker liseré noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Broker liseré noir"}', 0), + (4129, 3, 5, 'Hoodie oversize logo capuche tête Blagueur blanc', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Blagueur blanc"}', 0), + (4130, 3, 5, 'Hoodie oversize logo capuche tête orange', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"orange"}', 0), + (4131, 3, 5, 'Hoodie oversize logo capuche tête violet', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"violet"}', 0), + (4132, 3, 5, 'Hoodie oversize logo capuche tête pétrole', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"pétrole"}', 0), + (4133, 3, 5, 'Hoodie oversize logo capuche tête carreaux multicolore', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"carreaux multicolore"}', 0), + (4134, 3, 5, 'Hoodie oversize logo capuche tête Squash', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Squash"}', 0), + (4135, 3, 5, 'Hoodie oversize logo capuche tête trefle noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"trefle noir"}', 0), + (4136, 3, 5, 'Hoodie oversize logo capuche tête Blagueur gris', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"Blagueur gris"}', 0), + (4137, 3, 5, 'Hoodie oversize logo capuche tête yéti noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"yéti noir"}', 0), + (4138, 3, 5, 'Hoodie oversize logo capuche tête LS camo gris', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"LS camo gris"}', 0), + (4139, 3, 5, 'Hoodie oversize logo capuche tête LS camo jaune', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize logo capuche tête","colorLabel":"LS camo jaune"}', 0), + (4140, 3, 9, 'Pull manches longues Broker', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Broker"}', 0), + (4141, 3, 9, 'Pull manches longues Broker médaillon', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Broker médaillon"}', 0), + (4142, 3, 9, 'Pull manches longues Broker médaillon blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Broker médaillon blanc"}', 0), + (4143, 3, 9, 'Pull manches longues Broker liseré', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Broker liseré"}', 0), + (4144, 3, 9, 'Pull manches longues Santo Capra', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Santo Capra"}', 0), + (4145, 3, 9, 'Pull manches longues Blagueur blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Blagueur blanc"}', 0), + (4146, 3, 9, 'Pull manches longues Blagueur noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Blagueur noir"}', 0), + (4147, 3, 9, 'Pull manches longues Squash multicolore', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Squash multicolore"}', 0), + (4148, 3, 9, 'Pull manches longues Squash blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Squash blanc"}', 0), + (4149, 3, 9, 'Pull manches longues carreaux blanc-noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"carreaux blanc-noir"}', 0), + (4150, 3, 9, 'Pull manches longues carreaux blanc-rouge', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"carreaux blanc-rouge"}', 0), + (4151, 3, 9, 'Pull manches longues bandes oranges', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"bandes oranges"}', 0), + (4152, 3, 9, 'Pull manches longues bandes violet', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"bandes violet"}', 0), + (4153, 3, 9, 'Pull manches longues gris', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"gris"}', 0), + (4154, 3, 9, 'Pull manches longues skateur bleu', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"skateur bleu"}', 0), + (4155, 3, 9, 'Pull manches longues skateur blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"skateur blanc"}', 0), + (4156, 3, 9, 'Pull manches longues skateur corail', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"skateur corail"}', 0), + (4157, 3, 9, 'Pull manches longues skateur jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"skateur jaune"}', 0), + (4158, 3, 9, 'Pull manches longues skateur taupe', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"skateur taupe"}', 0), + (4159, 3, 9, 'Pull manches longues arc-en-ciel', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"arc-en-ciel"}', 0), + (4160, 3, 9, 'Pull manches longues NS noir-rose', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"NS noir-rose"}', 0), + (4161, 3, 9, 'Pull manches longues bleu foncé fleurs', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"bleu foncé fleurs"}', 0), + (4162, 3, 9, 'Pull manches longues beige fleurs', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"beige fleurs"}', 0), + (4163, 3, 9, 'Pull manches longues turquoise fleurs', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"turquoise fleurs"}', 0), + (4164, 1, 5, 'Sweat-shirt long Bigness blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness blanc"}', 0), + (4165, 1, 5, 'Sweat-shirt long Bigness noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness noir"}', 0), + (4166, 1, 5, 'Sweat-shirt long Bigness logo noir blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness logo noir blanc"}', 0), + (4167, 1, 5, 'Sweat-shirt long Bigness logo blanc noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness logo blanc noir"}', 0), + (4168, 2, 5, 'Sweat-shirt long Bigness blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness blanc"}', 0), + (4169, 2, 5, 'Sweat-shirt long Bigness noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness noir"}', 0), + (4170, 2, 5, 'Sweat-shirt long Bigness logo noir blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness logo noir blanc"}', 0), + (4171, 2, 5, 'Sweat-shirt long Bigness logo blanc noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt long","colorLabel":"Bigness logo blanc noir"}', 0), + (4172, 3, 4, 'Doudoune à motif ouverte Broker rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"Broker rouge"}', 0), + (4173, 3, 4, 'Doudoune à motif ouverte Broker noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"Broker noir"}', 0), + (4174, 3, 4, 'Doudoune à motif ouverte Broker turquoise', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"Broker turquoise"}', 0), + (4175, 3, 4, 'Doudoune à motif ouverte taupe Fly Bravo', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"taupe Fly Bravo"}', 0), + (4176, 3, 4, 'Doudoune à motif ouverte bleu foncé Fly Bravo', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"bleu foncé Fly Bravo"}', 0), + (4177, 3, 4, 'Doudoune à motif ouverte jaune Fly Bravo', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"jaune Fly Bravo"}', 0), + (4178, 3, 4, 'Doudoune à motif ouverte noir Guffy', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"noir Guffy"}', 0), + (4179, 3, 4, 'Doudoune à motif ouverte turquoise Guffy', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"turquoise Guffy"}', 0), + (4180, 3, 4, 'Doudoune à motif ouverte dégradé rose-bleu Guffy', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"dégradé rose-bleu Guffy"}', 0), + (4181, 3, 4, 'Doudoune à motif ouverte léopard rose Guffy', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"léopard rose Guffy"}', 0), + (4182, 3, 4, 'Doudoune à motif ouverte camo gris', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"camo gris"}', 0), + (4183, 3, 4, 'Doudoune à motif ouverte camo jaune-vert', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"camo jaune-vert"}', 0), + (4184, 3, 4, 'Doudoune à motif ouverte camo sable-brun', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"camo sable-brun"}', 0), + (4185, 3, 4, 'Doudoune à motif ouverte fleurs', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune à motif ouverte","colorLabel":"fleurs"}', 0), + (4186, 3, 7, 'Haut de peignoir dorures blanc', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures blanc"}', 0), + (4187, 3, 7, 'Haut de peignoir dorures rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures rouge"}', 0), + (4188, 3, 7, 'Haut de peignoir dorures manches gris', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures manches gris"}', 0), + (4189, 3, 7, 'Haut de peignoir dorures manches jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures manches jaune"}', 0), + (4190, 3, 7, 'Haut de peignoir blanc Diamond', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"blanc Diamond"}', 0), + (4191, 3, 7, 'Haut de peignoir noir Diamond', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir Diamond"}', 0), + (4192, 3, 7, 'Haut de peignoir anthracite étoiles', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"anthracite étoiles"}', 0), + (4193, 3, 7, 'Haut de peignoir noir et rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir et rouge"}', 0), + (4194, 3, 7, 'Haut de peignoir rouge et noir', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"rouge et noir"}', 0), + (4195, 3, 7, 'Haut de peignoir rouge et jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"rouge et jaune"}', 0), + (4196, 3, 7, 'Haut de peignoir blanc et jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"blanc et jaune"}', 0), + (4197, 1, 2, 'T-shirt espace noir vaisseaux', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir vaisseaux"}', 0), + (4198, 1, 2, 'T-shirt espace noir animaux', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir animaux"}', 0), + (4199, 1, 2, 'T-shirt espace jaune tank', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"jaune tank"}', 0), + (4200, 1, 2, 'T-shirt espace vert militaire', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert militaire"}', 0), + (4201, 1, 2, 'T-shirt espace rouge musclor', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"rouge musclor"}', 0), + (4202, 1, 2, 'T-shirt espace noir punk', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir punk"}', 0), + (4203, 1, 2, 'T-shirt espace vert tank', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert tank"}', 0), + (4204, 1, 2, 'T-shirt espace noir guerre', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir guerre"}', 0), + (4205, 1, 2, 'T-shirt espace noir-rouge punk', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir-rouge punk"}', 0), + (4206, 1, 2, 'T-shirt espace blanc anarchiste', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc anarchiste"}', 0), + (4207, 1, 2, 'T-shirt espace noir anarchiste', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir anarchiste"}', 0), + (4208, 1, 2, 'T-shirt espace uni orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni orange"}', 0), + (4209, 1, 2, 'T-shirt espace uni noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni noir"}', 0), + (4210, 1, 2, 'T-shirt espace uni blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni blanc"}', 0), + (4211, 1, 2, 'T-shirt espace uni jaune', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni jaune"}', 0), + (4212, 1, 2, 'T-shirt espace uni rose', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni rose"}', 0), + (4213, 1, 2, 'T-shirt espace uni citron', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni citron"}', 0), + (4214, 1, 2, 'T-shirt espace uni vert', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni vert"}', 0), + (4215, 1, 2, 'T-shirt espace uni feu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni feu"}', 0), + (4216, 1, 2, 'T-shirt espace uni prairie', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni prairie"}', 0), + (4217, 1, 2, 'T-shirt espace uni bleu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni bleu"}', 0), + (4218, 2, 2, 'T-shirt espace noir vaisseaux', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir vaisseaux"}', 0), + (4219, 2, 2, 'T-shirt espace noir animaux', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir animaux"}', 0), + (4220, 2, 2, 'T-shirt espace jaune tank', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"jaune tank"}', 0), + (4221, 2, 2, 'T-shirt espace vert militaire', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert militaire"}', 0), + (4222, 2, 2, 'T-shirt espace rouge musclor', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"rouge musclor"}', 0), + (4223, 2, 2, 'T-shirt espace noir punk', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir punk"}', 0), + (4224, 2, 2, 'T-shirt espace vert tank', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"vert tank"}', 0), + (4225, 2, 2, 'T-shirt espace noir guerre', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir guerre"}', 0), + (4226, 2, 2, 'T-shirt espace noir-rouge punk', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir-rouge punk"}', 0), + (4227, 2, 2, 'T-shirt espace blanc anarchiste', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"blanc anarchiste"}', 0), + (4228, 2, 2, 'T-shirt espace noir anarchiste', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"noir anarchiste"}', 0), + (4229, 2, 2, 'T-shirt espace uni orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni orange"}', 0), + (4230, 2, 2, 'T-shirt espace uni noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni noir"}', 0), + (4231, 2, 2, 'T-shirt espace uni blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni blanc"}', 0), + (4232, 2, 2, 'T-shirt espace uni jaune', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni jaune"}', 0), + (4233, 2, 2, 'T-shirt espace uni rose', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni rose"}', 0), + (4234, 2, 2, 'T-shirt espace uni citron', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni citron"}', 0), + (4235, 2, 2, 'T-shirt espace uni vert', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni vert"}', 0), + (4236, 2, 2, 'T-shirt espace uni feu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni feu"}', 0), + (4237, 2, 2, 'T-shirt espace uni prairie', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni prairie"}', 0), + (4238, 2, 2, 'T-shirt espace uni bleu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt espace","colorLabel":"uni bleu"}', 0), + (4239, 1, 10, 'Veste sécurité col fermé jaune clair', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col fermé","colorLabel":"jaune clair"}', 0), + (4240, 1, 10, 'Veste sécurité col fermé jaune foncé', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col fermé","colorLabel":"jaune foncé"}', 0), + (4241, 2, 10, 'Veste sécurité col fermé jaune clair', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col fermé","colorLabel":"jaune clair"}', 0), + (4242, 2, 10, 'Veste sécurité col fermé jaune foncé', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col fermé","colorLabel":"jaune foncé"}', 0), + (4243, 1, 10, 'Veste sécurité col ouvert jaune clair', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col ouvert","colorLabel":"jaune clair"}', 0), + (4244, 1, 10, 'Veste sécurité col ouvert jaune foncé', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col ouvert","colorLabel":"jaune foncé"}', 0), + (4245, 2, 10, 'Veste sécurité col ouvert jaune clair', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col ouvert","colorLabel":"jaune clair"}', 0), + (4246, 2, 10, 'Veste sécurité col ouvert jaune foncé', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste sécurité col ouvert","colorLabel":"jaune foncé"}', 0), + (4247, 3, 7, 'Chemise militaire m. longues col fermé bleu foncé', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"bleu foncé"}', 0), + (4248, 3, 7, 'Chemise militaire m. longues col fermé vert', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"vert"}', 0), + (4249, 3, 7, 'Chemise militaire m. longues col fermé crème', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"crème"}', 0), + (4250, 3, 7, 'Chemise militaire m. longues col fermé beige', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"beige"}', 0), + (4251, 3, 7, 'Chemise militaire m. longues col fermé taupe', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"taupe"}', 0), + (4252, 3, 7, 'Chemise militaire m. longues col fermé blanc', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"blanc"}', 0), + (4253, 3, 7, 'Chemise militaire m. longues col fermé perle', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"perle"}', 0), + (4254, 3, 7, 'Chemise militaire m. longues col fermé gris', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"gris"}', 0), + (4255, 3, 7, 'Chemise militaire m. longues col fermé noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col fermé","colorLabel":"noir"}', 0), + (4256, 3, 7, 'Chemise militaire m. longues col ouvert bleu foncé', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"bleu foncé"}', 0), + (4257, 3, 7, 'Chemise militaire m. longues col ouvert vert', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"vert"}', 0), + (4258, 3, 7, 'Chemise militaire m. longues col ouvert crème', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"crème"}', 0), + (4259, 3, 7, 'Chemise militaire m. longues col ouvert beige', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"beige"}', 0), + (4260, 3, 7, 'Chemise militaire m. longues col ouvert taupe', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"taupe"}', 0), + (4261, 3, 7, 'Chemise militaire m. longues col ouvert blanc', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"blanc"}', 0), + (4262, 3, 7, 'Chemise militaire m. longues col ouvert perle', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"perle"}', 0), + (4263, 3, 7, 'Chemise militaire m. longues col ouvert gris', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"gris"}', 0), + (4264, 3, 7, 'Chemise militaire m. longues col ouvert noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. longues col ouvert","colorLabel":"noir"}', 0), + (4265, 3, 7, 'Chemise militaire m. courtes col fermé bleu foncé', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"bleu foncé"}', 0), + (4266, 3, 7, 'Chemise militaire m. courtes col fermé vert', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"vert"}', 0), + (4267, 3, 7, 'Chemise militaire m. courtes col fermé crème', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"crème"}', 0), + (4268, 3, 7, 'Chemise militaire m. courtes col fermé beige', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"beige"}', 0), + (4269, 3, 7, 'Chemise militaire m. courtes col fermé taupe', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"taupe"}', 0), + (4270, 3, 7, 'Chemise militaire m. courtes col fermé blanc', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"blanc"}', 0), + (4271, 3, 7, 'Chemise militaire m. courtes col fermé perle', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"perle"}', 0), + (4272, 3, 7, 'Chemise militaire m. courtes col fermé gris', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"gris"}', 0), + (4273, 3, 7, 'Chemise militaire m. courtes col fermé noir', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col fermé","colorLabel":"noir"}', 0), + (4274, 3, 7, 'Chemise militaire m. courtes col ouvert bleu foncé', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"bleu foncé"}', 0), + (4275, 3, 7, 'Chemise militaire m. courtes col ouvert vert', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"vert"}', 0), + (4276, 3, 7, 'Chemise militaire m. courtes col ouvert crème', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"crème"}', 0), + (4277, 3, 7, 'Chemise militaire m. courtes col ouvert beige', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"beige"}', 0), + (4278, 3, 7, 'Chemise militaire m. courtes col ouvert taupe', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"taupe"}', 0), + (4279, 3, 7, 'Chemise militaire m. courtes col ouvert blanc', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"blanc"}', 0), + (4280, 3, 7, 'Chemise militaire m. courtes col ouvert perle', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"perle"}', 0), + (4281, 3, 7, 'Chemise militaire m. courtes col ouvert gris', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"gris"}', 0), + (4282, 3, 7, 'Chemise militaire m. courtes col ouvert noir', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"noir"}', 0), + (4283, 3, 7, 'Chemise m. longues col ouvert blanc', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"blanc"}', 0), + (4284, 3, 7, 'Chemise m. longues col fermé blanc', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"blanc"}', 0), + (4285, 1, 2, 'T-shirt logo blanc banana', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc banana"}', 0), + (4286, 1, 2, 'T-shirt logo jaune banana', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"jaune banana"}', 0), + (4287, 1, 2, 'T-shirt logo space monkey noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey noir"}', 0), + (4288, 1, 2, 'T-shirt logo space monkey jaune', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey jaune"}', 0), + (4289, 1, 2, 'T-shirt logo space monkey rose', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey rose"}', 0), + (4290, 1, 2, 'T-shirt logo space monkey blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey blanc"}', 0), + (4291, 1, 2, 'T-shirt logo radioactif blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"radioactif blanc"}', 0), + (4292, 1, 2, 'T-shirt logo wizard motifs noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard motifs noir"}', 0), + (4293, 1, 2, 'T-shirt logo wizard noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard noir"}', 0), + (4294, 1, 2, 'T-shirt logo wizard motifs blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard motifs blanc"}', 0), + (4295, 1, 2, 'T-shirt logo wizard bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard bleu"}', 0), + (4296, 1, 2, 'T-shirt logo monkey paradise blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"monkey paradise blanc"}', 0), + (4297, 1, 2, 'T-shirt logo defender blanc rose', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"defender blanc rose"}', 0), + (4298, 1, 2, 'T-shirt logo defender blanc bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"defender blanc bleu"}', 0), + (4299, 1, 2, 'T-shirt logo pentrator blanc bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"pentrator blanc bleu"}', 0), + (4300, 1, 2, 'T-shirt logo blanc aigles', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc aigles"}', 0), + (4301, 1, 2, 'T-shirt logo noir botte', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir botte"}', 0), + (4302, 1, 2, 'T-shirt logo Badlands jaune ', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Badlands jaune "}', 0), + (4303, 1, 2, 'T-shirt logo Badland blanc ', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Badland blanc "}', 0), + (4304, 1, 2, 'T-shirt logo rouge BD', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"rouge BD"}', 0), + (4305, 1, 2, 'T-shirt logo race blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race blanc"}', 0), + (4306, 1, 2, 'T-shirt logo blanc voitures', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc voitures"}', 0), + (4307, 1, 2, 'T-shirt logo race jaune', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race jaune"}', 0), + (4308, 1, 2, 'T-shirt logo race noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race noir"}', 0), + (4309, 1, 2, 'T-shirt logo race rouge', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race rouge"}', 0), + (4310, 2, 2, 'T-shirt logo blanc banana', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc banana"}', 0), + (4311, 2, 2, 'T-shirt logo jaune banana', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"jaune banana"}', 0), + (4312, 2, 2, 'T-shirt logo space monkey noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey noir"}', 0), + (4313, 2, 2, 'T-shirt logo space monkey jaune', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey jaune"}', 0), + (4314, 2, 2, 'T-shirt logo space monkey rose', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey rose"}', 0), + (4315, 2, 2, 'T-shirt logo space monkey blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"space monkey blanc"}', 0), + (4316, 2, 2, 'T-shirt logo radioactif blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"radioactif blanc"}', 0), + (4317, 2, 2, 'T-shirt logo wizard motifs noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard motifs noir"}', 0), + (4318, 2, 2, 'T-shirt logo wizard noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard noir"}', 0), + (4319, 2, 2, 'T-shirt logo wizard motifs blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard motifs blanc"}', 0), + (4320, 2, 2, 'T-shirt logo wizard bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"wizard bleu"}', 0), + (4321, 2, 2, 'T-shirt logo monkey paradise blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"monkey paradise blanc"}', 0), + (4322, 2, 2, 'T-shirt logo defender blanc rose', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"defender blanc rose"}', 0), + (4323, 2, 2, 'T-shirt logo defender blanc bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"defender blanc bleu"}', 0), + (4324, 2, 2, 'T-shirt logo pentrator blanc bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"pentrator blanc bleu"}', 0), + (4325, 2, 2, 'T-shirt logo blanc aigles', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc aigles"}', 0), + (4326, 2, 2, 'T-shirt logo noir botte', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir botte"}', 0), + (4327, 2, 2, 'T-shirt logo Badlands jaune ', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Badlands jaune "}', 0), + (4328, 2, 2, 'T-shirt logo Badland blanc ', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Badland blanc "}', 0), + (4329, 2, 2, 'T-shirt logo rouge BD', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"rouge BD"}', 0), + (4330, 2, 2, 'T-shirt logo race blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race blanc"}', 0), + (4331, 2, 2, 'T-shirt logo blanc voitures', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc voitures"}', 0), + (4332, 2, 2, 'T-shirt logo race jaune', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race jaune"}', 0), + (4333, 2, 2, 'T-shirt logo race noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race noir"}', 0), + (4334, 2, 2, 'T-shirt logo race rouge', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"race rouge"}', 0), + (4335, 1, 12, 'Veste de travail protections bras bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"bleu"}', 0), + (4336, 1, 12, 'Veste de travail protections bras noir', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"noir"}', 0), + (4337, 1, 12, 'Veste de travail protections bras taupe', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"taupe"}', 0), + (4338, 1, 12, 'Veste de travail protections bras beige', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"beige"}', 0), + (4339, 1, 12, 'Veste de travail protections bras crème', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"crème"}', 0), + (4340, 1, 12, 'Veste de travail protections bras kaki', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"kaki"}', 0), + (4341, 1, 12, 'Veste de travail protections bras vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"vert"}', 0), + (4342, 1, 12, 'Veste de travail protections bras abricot', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"abricot"}', 0), + (4343, 1, 12, 'Veste de travail protections bras violet', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"violet"}', 0), + (4344, 1, 12, 'Veste de travail protections bras rose', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"rose"}', 0), + (4345, 1, 12, 'Veste de travail protections bras camo bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo bleu"}', 0), + (4346, 1, 12, 'Veste de travail protections bras géométrique vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"géométrique vert"}', 0), + (4347, 1, 12, 'Veste de travail protections bras camo olive', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo olive"}', 0), + (4348, 1, 12, 'Veste de travail protections bras pixel vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel vert"}', 0), + (4349, 1, 12, 'Veste de travail protections bras camo beige', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo beige"}', 0), + (4350, 1, 12, 'Veste de travail protections bras motifs vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs vert"}', 0), + (4351, 1, 12, 'Veste de travail protections bras camo vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo vert"}', 0), + (4352, 1, 12, 'Veste de travail protections bras pixel bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel bleu"}', 0), + (4353, 1, 12, 'Veste de travail protections bras motifs kaki', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs kaki"}', 0), + (4354, 1, 12, 'Veste de travail protections bras camo brun-vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo brun-vert"}', 0), + (4355, 2, 12, 'Veste de travail protections bras bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"bleu"}', 0), + (4356, 2, 12, 'Veste de travail protections bras noir', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"noir"}', 0), + (4357, 2, 12, 'Veste de travail protections bras taupe', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"taupe"}', 0), + (4358, 2, 12, 'Veste de travail protections bras beige', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"beige"}', 0), + (4359, 2, 12, 'Veste de travail protections bras crème', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"crème"}', 0), + (4360, 2, 12, 'Veste de travail protections bras kaki', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"kaki"}', 0), + (4361, 2, 12, 'Veste de travail protections bras vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"vert"}', 0), + (4362, 2, 12, 'Veste de travail protections bras abricot', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"abricot"}', 0), + (4363, 2, 12, 'Veste de travail protections bras violet', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"violet"}', 0), + (4364, 2, 12, 'Veste de travail protections bras rose', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"rose"}', 0), + (4365, 2, 12, 'Veste de travail protections bras camo bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo bleu"}', 0), + (4366, 2, 12, 'Veste de travail protections bras géométrique vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"géométrique vert"}', 0), + (4367, 2, 12, 'Veste de travail protections bras camo olive', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo olive"}', 0), + (4368, 2, 12, 'Veste de travail protections bras pixel vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel vert"}', 0), + (4369, 2, 12, 'Veste de travail protections bras camo beige', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo beige"}', 0), + (4370, 2, 12, 'Veste de travail protections bras motifs vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs vert"}', 0), + (4371, 2, 12, 'Veste de travail protections bras camo vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo vert"}', 0), + (4372, 2, 12, 'Veste de travail protections bras pixel bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel bleu"}', 0), + (4373, 2, 12, 'Veste de travail protections bras motifs kaki', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs kaki"}', 0), + (4374, 2, 12, 'Veste de travail protections bras camo brun-vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo brun-vert"}', 0), + (4375, 1, 2, 'T-shirt logo logo jaune clair', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo jaune clair"}', 0), + (4376, 1, 2, 'T-shirt logo logo blanc col bleu', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo blanc col bleu"}', 0), + (4377, 1, 2, 'T-shirt logo logo crème col rouge', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo crème col rouge"}', 0), + (4378, 1, 2, 'T-shirt logo logo anthracite col rouge', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo anthracite col rouge"}', 0), + (4379, 1, 2, 'T-shirt logo logo crème col jaune', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo crème col jaune"}', 0), + (4380, 1, 2, 'T-shirt logo logo crème col marron', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo crème col marron"}', 0), + (4381, 1, 2, 'T-shirt logo bleu', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu"}', 0), + (4382, 1, 2, 'T-shirt logo vert d\'eau', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"vert d\'eau"}', 0), + (4383, 1, 2, 'T-shirt logo perle', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"perle"}', 0), + (4384, 1, 2, 'T-shirt logo abricot', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"abricot"}', 0), + (4385, 1, 2, 'T-shirt logo gris', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"gris"}', 0), + (4386, 1, 2, 'T-shirt logo sable', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"sable"}', 0), + (4387, 1, 2, 'T-shirt logo marron', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"marron"}', 0), + (4388, 1, 2, 'T-shirt logo fuchsia', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"fuchsia"}', 0), + (4389, 1, 2, 'T-shirt logo vert menthe', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"vert menthe"}', 0), + (4390, 1, 2, 'T-shirt logo rose', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"rose"}', 0), + (4391, 1, 2, 'T-shirt logo lila', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"lila"}', 0), + (4392, 1, 2, 'T-shirt logo orchidée', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"orchidée"}', 0), + (4393, 2, 2, 'T-shirt logo logo jaune clair', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo jaune clair"}', 0), + (4394, 2, 2, 'T-shirt logo logo blanc col bleu', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo blanc col bleu"}', 0), + (4395, 2, 2, 'T-shirt logo logo crème col rouge', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo crème col rouge"}', 0), + (4396, 2, 2, 'T-shirt logo logo anthracite col rouge', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo anthracite col rouge"}', 0), + (4397, 2, 2, 'T-shirt logo logo crème col jaune', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo crème col jaune"}', 0), + (4398, 2, 2, 'T-shirt logo logo crème col marron', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"logo crème col marron"}', 0), + (4399, 2, 2, 'T-shirt logo bleu', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu"}', 0), + (4400, 2, 2, 'T-shirt logo vert d\'eau', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"vert d\'eau"}', 0), + (4401, 2, 2, 'T-shirt logo perle', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"perle"}', 0), + (4402, 2, 2, 'T-shirt logo abricot', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"abricot"}', 0), + (4403, 2, 2, 'T-shirt logo gris', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"gris"}', 0), + (4404, 2, 2, 'T-shirt logo sable', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"sable"}', 0), + (4405, 2, 2, 'T-shirt logo marron', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"marron"}', 0), + (4406, 2, 2, 'T-shirt logo fuchsia', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"fuchsia"}', 0), + (4407, 2, 2, 'T-shirt logo vert menthe', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"vert menthe"}', 0), + (4408, 2, 2, 'T-shirt logo rose', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"rose"}', 0), + (4409, 2, 2, 'T-shirt logo lila', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"lila"}', 0), + (4410, 2, 2, 'T-shirt logo orchidée', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"orchidée"}', 0), + (4411, 3, 9, 'Pull manches longues blanc écritures', 50, '{"components":{"11":{"Drawable":326,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"blanc écritures"}', 0), + (4412, 1, 11, 'Gilet sans manche renforcé noir', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir"}', 0), + (4413, 2, 11, 'Gilet sans manche renforcé noir', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir"}', 0), + (4414, 1, 9, 'Polaire noire', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"noire"}', 0), + (4415, 2, 9, 'Polaire noire', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polaire","colorLabel":"noire"}', 0), + (4416, 1, 12, 'Veste highschool football zip noir-fuchsia', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"noir-fuchsia"}', 0), + (4417, 2, 12, 'Veste highschool football zip noir-fuchsia', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"noir-fuchsia"}', 0), + (4418, 3, 5, 'Hoodie oversize noir-fuchsia', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-fuchsia"}', 0), + (4419, 3, 5, 'Hoodie oversize capuche tête noir-fuchsia', 50, '{"components":{"11":{"Drawable":331,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-fuchsia"}', 0), + (4420, 3, 12, 'Veste de jogging crème', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"crème"}', 0), + (4421, 3, 12, 'Veste de jogging noir heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"noir heat"}', 0), + (4422, 3, 12, 'Veste de jogging jaune heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune heat"}', 0), + (4423, 3, 12, 'Veste de jogging violet heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"violet heat"}', 0), + (4424, 3, 12, 'Veste de jogging feu heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"feu heat"}', 0), + (4425, 3, 12, 'Veste de jogging rose heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rose heat"}', 0), + (4426, 3, 12, 'Veste de jogging rouge-blanc heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge-blanc heat"}', 0), + (4427, 3, 12, 'Veste de jogging bleu heat', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"bleu heat"}', 0), + (4428, 3, 12, 'Veste de jogging orange prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"orange prolaps"}', 0), + (4429, 3, 12, 'Veste de jogging jaune prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune prolaps"}', 0), + (4430, 3, 12, 'Veste de jogging turquoise prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"turquoise prolaps"}', 0), + (4431, 3, 12, 'Veste de jogging gris prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"gris prolaps"}', 0), + (4432, 3, 12, 'Veste de jogging carmin prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"carmin prolaps"}', 0), + (4433, 3, 12, 'Veste de jogging jaune prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune prolaps"}', 0), + (4434, 3, 12, 'Veste de jogging rouge prolaps', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge prolaps"}', 0), + (4435, 3, 12, 'Veste de jogging bleu DS', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"bleu DS"}', 0), + (4436, 3, 12, 'Veste de jogging rouge DS', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge DS"}', 0), + (4437, 3, 12, 'Veste de jogging jaune DS', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune DS"}', 0), + (4438, 3, 12, 'Veste de jogging noir', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"noir"}', 0), + (4439, 3, 12, 'Veste de jogging blanc', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"blanc"}', 0), + (4440, 3, 12, 'Veste de jogging gris', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"gris"}', 0), + (4441, 3, 12, 'Veste de jogging vert', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"vert"}', 0), + (4442, 3, 12, 'Veste de jogging abricot', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"abricot"}', 0), + (4443, 3, 12, 'Veste de jogging violet', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"violet"}', 0), + (4444, 3, 12, 'Veste de jogging rose', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rose"}', 0), + (4445, 1, 2, 'T-shirt long Bigness violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness violet"}', 0), + (4446, 1, 2, 'T-shirt long LS baseball violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"LS baseball violet"}', 0), + (4447, 1, 2, 'T-shirt long Broker violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Broker violet"}', 0), + (4448, 1, 2, 'T-shirt long champion violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"champion violet"}', 0), + (4449, 1, 2, 'T-shirt long Bigness basket violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness basket violet"}', 0), + (4450, 1, 2, 'T-shirt long camo violet-blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"camo violet-blanc"}', 0), + (4451, 1, 2, 'T-shirt long Bigness blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness blanc"}', 0), + (4452, 1, 2, 'T-shirt long LS baseball blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"LS baseball blanc"}', 0), + (4453, 1, 2, 'T-shirt long Broker blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Broker blanc"}', 0), + (4454, 1, 2, 'T-shirt long champion blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"champion blanc"}', 0), + (4455, 1, 2, 'T-shirt long Bigness basket blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness basket blanc"}', 0), + (4456, 1, 2, 'T-shirt long camio blanc-violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"camio blanc-violet"}', 0), + (4457, 2, 2, 'T-shirt long Bigness violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness violet"}', 0), + (4458, 2, 2, 'T-shirt long LS baseball violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"LS baseball violet"}', 0), + (4459, 2, 2, 'T-shirt long Broker violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Broker violet"}', 0), + (4460, 2, 2, 'T-shirt long champion violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"champion violet"}', 0), + (4461, 2, 2, 'T-shirt long Bigness basket violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness basket violet"}', 0), + (4462, 2, 2, 'T-shirt long camo violet-blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"camo violet-blanc"}', 0), + (4463, 2, 2, 'T-shirt long Bigness blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness blanc"}', 0), + (4464, 2, 2, 'T-shirt long LS baseball blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"LS baseball blanc"}', 0), + (4465, 2, 2, 'T-shirt long Broker blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Broker blanc"}', 0), + (4466, 2, 2, 'T-shirt long champion blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"champion blanc"}', 0), + (4467, 2, 2, 'T-shirt long Bigness basket blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"Bigness basket blanc"}', 0), + (4468, 2, 2, 'T-shirt long camio blanc-violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt long","colorLabel":"camio blanc-violet"}', 0), + (4469, 1, 5, 'Sweat-shirt col rond LS jaune', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS jaune"}', 0), + (4470, 1, 5, 'Sweat-shirt col rond LS violet', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS violet"}', 0), + (4471, 1, 5, 'Sweat-shirt col rond LS gris', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS gris"}', 0), + (4472, 1, 5, 'Sweat-shirt col rond panic violet', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"panic violet"}', 0), + (4473, 1, 5, 'Sweat-shirt col rond B violet-blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B violet-blanc"}', 0), + (4474, 1, 5, 'Sweat-shirt col rond B blanc-violet', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B blanc-violet"}', 0), + (4475, 2, 5, 'Sweat-shirt col rond LS jaune', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS jaune"}', 0), + (4476, 2, 5, 'Sweat-shirt col rond LS violet', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS violet"}', 0), + (4477, 2, 5, 'Sweat-shirt col rond LS gris', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS gris"}', 0), + (4478, 2, 5, 'Sweat-shirt col rond panic violet', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"panic violet"}', 0), + (4479, 2, 5, 'Sweat-shirt col rond B violet-blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B violet-blanc"}', 0), + (4480, 2, 5, 'Sweat-shirt col rond B blanc-violet', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B blanc-violet"}', 0), + (4481, 3, 12, 'Veste militaire col mao olive', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"olive"}', 0), + (4482, 3, 12, 'Veste militaire col mao vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"vert"}', 0), + (4483, 3, 12, 'Veste militaire col mao beige', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"beige"}', 0), + (4484, 3, 12, 'Veste militaire col mao noir', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"noir"}', 0), + (4485, 3, 12, 'Veste militaire col mao anthracite', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"anthracite"}', 0), + (4486, 3, 12, 'Veste militaire col mao gris', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"gris"}', 0), + (4487, 3, 12, 'Veste militaire col mao marron', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"marron"}', 0), + (4488, 3, 12, 'Veste militaire col mao kaki', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"kaki"}', 0), + (4489, 3, 12, 'Veste militaire col mao bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao","colorLabel":"bleu"}', 0), + (4490, 3, 12, 'Veste militaire col mao manches relevées olive', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"olive"}', 0), + (4491, 3, 12, 'Veste militaire col mao manches relevées vert', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"vert"}', 0), + (4492, 3, 12, 'Veste militaire col mao manches relevées beige', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"beige"}', 0), + (4493, 3, 12, 'Veste militaire col mao manches relevées noir', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"noir"}', 0), + (4494, 3, 12, 'Veste militaire col mao manches relevées anthracite', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"anthracite"}', 0), + (4495, 3, 12, 'Veste militaire col mao manches relevées gris', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"gris"}', 0), + (4496, 3, 12, 'Veste militaire col mao manches relevées marron', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"marron"}', 0), + (4497, 3, 12, 'Veste militaire col mao manches relevées kaki', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"kaki"}', 0), + (4498, 3, 12, 'Veste militaire col mao manches relevées bleu', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste militaire col mao manches relevées","colorLabel":"bleu"}', 0), + (4499, 3, 12, 'Veste en cuir large ouverte brun', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir large ouverte","colorLabel":"brun"}', 0), + (4500, 3, 12, 'Veste en cuir large ouverte rouge', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir large ouverte","colorLabel":"rouge"}', 0), + (4501, 3, 12, 'Veste en cuir large ouverte noir', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir large ouverte","colorLabel":"noir"}', 0), + (4502, 3, 12, 'Veste en cuir large ouverte daim', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir large ouverte","colorLabel":"daim"}', 0), + (4503, 3, 12, 'Veste en cuir large ouverte perle', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir large ouverte","colorLabel":"perle"}', 0), + (4504, 3, 12, 'Veste en cuir large ouverte blanc', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir large ouverte","colorLabel":"blanc"}', 0), + (4505, 1, 7, 'Chemise épaisse ouverte car. bleu', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. bleu"}', 0), + (4506, 1, 7, 'Chemise épaisse ouverte car. beige', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. beige"}', 0), + (4507, 1, 7, 'Chemise épaisse ouverte car. vert', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. vert"}', 0), + (4508, 1, 7, 'Chemise épaisse ouverte car. violet', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. violet"}', 0), + (4509, 1, 7, 'Chemise épaisse ouverte car. brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. brun"}', 0), + (4510, 1, 7, 'Chemise épaisse ouverte gr. car. bleu', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. bleu"}', 0), + (4511, 1, 7, 'Chemise épaisse ouverte gr. car. violet', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. violet"}', 0), + (4512, 1, 7, 'Chemise épaisse ouverte gr. car. taupe', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. taupe"}', 0), + (4513, 1, 7, 'Chemise épaisse ouverte gr. car. brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. brun"}', 0), + (4514, 1, 7, 'Chemise épaisse ouverte pet. car. vert', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. vert"}', 0), + (4515, 1, 7, 'Chemise épaisse ouverte pet. car. rouge', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. rouge"}', 0), + (4516, 1, 7, 'Chemise épaisse ouverte pet. car. anthracite', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. anthracite"}', 0), + (4517, 1, 7, 'Chemise épaisse ouverte pet. car. brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. brun"}', 0), + (4518, 1, 7, 'Chemise épaisse ouverte pet. car. violet', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. violet"}', 0), + (4519, 1, 7, 'Chemise épaisse ouverte pet. car. blanc', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. blanc"}', 0), + (4520, 1, 7, 'Chemise épaisse ouverte uni noir', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni noir"}', 0), + (4521, 1, 7, 'Chemise épaisse ouverte uni gris', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni gris"}', 0), + (4522, 1, 7, 'Chemise épaisse ouverte uni blanc', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni blanc"}', 0), + (4523, 1, 7, 'Chemise épaisse ouverte uni bleu marine', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni bleu marine"}', 0), + (4524, 1, 7, 'Chemise épaisse ouverte uni jaune', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni jaune"}', 0), + (4525, 1, 7, 'Chemise épaisse ouverte uni brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni brun"}', 0), + (4526, 1, 7, 'Chemise épaisse ouverte uni crème', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni crème"}', 0), + (4527, 1, 7, 'Chemise épaisse ouverte uni ciel', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni ciel"}', 0), + (4528, 1, 7, 'Chemise épaisse ouverte uni rouge', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni rouge"}', 0), + (4529, 2, 7, 'Chemise épaisse ouverte car. bleu', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. bleu"}', 0), + (4530, 2, 7, 'Chemise épaisse ouverte car. beige', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. beige"}', 0), + (4531, 2, 7, 'Chemise épaisse ouverte car. vert', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. vert"}', 0), + (4532, 2, 7, 'Chemise épaisse ouverte car. violet', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. violet"}', 0), + (4533, 2, 7, 'Chemise épaisse ouverte car. brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"car. brun"}', 0), + (4534, 2, 7, 'Chemise épaisse ouverte gr. car. bleu', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. bleu"}', 0), + (4535, 2, 7, 'Chemise épaisse ouverte gr. car. violet', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. violet"}', 0), + (4536, 2, 7, 'Chemise épaisse ouverte gr. car. taupe', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. taupe"}', 0), + (4537, 2, 7, 'Chemise épaisse ouverte gr. car. brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"gr. car. brun"}', 0), + (4538, 2, 7, 'Chemise épaisse ouverte pet. car. vert', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. vert"}', 0), + (4539, 2, 7, 'Chemise épaisse ouverte pet. car. rouge', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. rouge"}', 0), + (4540, 2, 7, 'Chemise épaisse ouverte pet. car. anthracite', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. anthracite"}', 0), + (4541, 2, 7, 'Chemise épaisse ouverte pet. car. brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. brun"}', 0), + (4542, 2, 7, 'Chemise épaisse ouverte pet. car. violet', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. violet"}', 0), + (4543, 2, 7, 'Chemise épaisse ouverte pet. car. blanc', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"pet. car. blanc"}', 0), + (4544, 2, 7, 'Chemise épaisse ouverte uni noir', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni noir"}', 0), + (4545, 2, 7, 'Chemise épaisse ouverte uni gris', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni gris"}', 0), + (4546, 2, 7, 'Chemise épaisse ouverte uni blanc', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni blanc"}', 0), + (4547, 2, 7, 'Chemise épaisse ouverte uni bleu marine', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni bleu marine"}', 0), + (4548, 2, 7, 'Chemise épaisse ouverte uni jaune', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni jaune"}', 0), + (4549, 2, 7, 'Chemise épaisse ouverte uni brun', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni brun"}', 0), + (4550, 2, 7, 'Chemise épaisse ouverte uni crème', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni crème"}', 0), + (4551, 2, 7, 'Chemise épaisse ouverte uni ciel', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni ciel"}', 0), + (4552, 2, 7, 'Chemise épaisse ouverte uni rouge', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse ouverte","colorLabel":"uni rouge"}', 0), + (4553, 1, 7, 'Chemise épaisse col fermé uni noir', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni noir"}', 0), + (4554, 1, 7, 'Chemise épaisse col fermé uni gris', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni gris"}', 0), + (4555, 1, 7, 'Chemise épaisse col fermé uni blanc', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni blanc"}', 0), + (4556, 1, 7, 'Chemise épaisse col fermé uni bleu marine', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni bleu marine"}', 0), + (4557, 1, 7, 'Chemise épaisse col fermé uni jaune', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni jaune"}', 0), + (4558, 1, 7, 'Chemise épaisse col fermé uni brun', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni brun"}', 0), + (4559, 1, 7, 'Chemise épaisse col fermé uni crème', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni crème"}', 0), + (4560, 1, 7, 'Chemise épaisse col fermé uni ciel', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni ciel"}', 0), + (4561, 1, 7, 'Chemise épaisse col fermé uni rouge', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni rouge"}', 0), + (4562, 2, 7, 'Chemise épaisse col fermé uni noir', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni noir"}', 0), + (4563, 2, 7, 'Chemise épaisse col fermé uni gris', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni gris"}', 0), + (4564, 2, 7, 'Chemise épaisse col fermé uni blanc', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni blanc"}', 0), + (4565, 2, 7, 'Chemise épaisse col fermé uni bleu marine', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni bleu marine"}', 0), + (4566, 2, 7, 'Chemise épaisse col fermé uni jaune', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni jaune"}', 0), + (4567, 2, 7, 'Chemise épaisse col fermé uni brun', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni brun"}', 0), + (4568, 2, 7, 'Chemise épaisse col fermé uni crème', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni crème"}', 0), + (4569, 2, 7, 'Chemise épaisse col fermé uni ciel', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni ciel"}', 0), + (4570, 2, 7, 'Chemise épaisse col fermé uni rouge', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise épaisse col fermé","colorLabel":"uni rouge"}', 0), + (4571, 1, 7, 'Chemise épaisse uni noir', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni noir"}', 0), + (4572, 1, 7, 'Chemise épaisse uni gris', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni gris"}', 0), + (4573, 1, 7, 'Chemise épaisse uni blanc', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni blanc"}', 0), + (4574, 1, 7, 'Chemise épaisse uni bleu marine', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni bleu marine"}', 0), + (4575, 1, 7, 'Chemise épaisse uni jaune', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni jaune"}', 0), + (4576, 1, 7, 'Chemise épaisse uni brun', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni brun"}', 0), + (4577, 1, 7, 'Chemise épaisse uni crème', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni crème"}', 0), + (4578, 1, 7, 'Chemise épaisse uni ciel', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni ciel"}', 0), + (4579, 1, 7, 'Chemise épaisse uni rouge', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni rouge"}', 0), + (4580, 2, 7, 'Chemise épaisse uni noir', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni noir"}', 0), + (4581, 2, 7, 'Chemise épaisse uni gris', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni gris"}', 0), + (4582, 2, 7, 'Chemise épaisse uni blanc', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni blanc"}', 0), + (4583, 2, 7, 'Chemise épaisse uni bleu marine', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni bleu marine"}', 0), + (4584, 2, 7, 'Chemise épaisse uni jaune', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni jaune"}', 0), + (4585, 2, 7, 'Chemise épaisse uni brun', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni brun"}', 0), + (4586, 2, 7, 'Chemise épaisse uni crème', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni crème"}', 0), + (4587, 2, 7, 'Chemise épaisse uni ciel', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni ciel"}', 0), + (4588, 2, 7, 'Chemise épaisse uni rouge', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise épaisse","colorLabel":"uni rouge"}', 0), + (4589, 3, 12, 'Veste highschool football boutons blason noir', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blason noir"}', 0), + (4590, 3, 12, 'Veste highschool football boutons blason jaune', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blason jaune"}', 0), + (4591, 3, 12, 'Veste highschool football boutons 22 noir-jaune', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"22 noir-jaune"}', 0), + (4592, 3, 12, 'Veste highschool football boutons Solary noir', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Solary noir"}', 0), + (4593, 3, 12, 'Veste highschool football boutons Solary jaune', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Solary jaune"}', 0), + (4594, 3, 12, 'Veste highschool football boutons T noir', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"T noir"}', 0), + (4595, 3, 12, 'Veste highschool football boutons T jaune', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"T jaune"}', 0), + (4596, 1, 12, 'Veste highschool football zip blason noir', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"blason noir"}', 0), + (4597, 1, 12, 'Veste highschool football zip blason jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"blason jaune"}', 0), + (4598, 1, 12, 'Veste highschool football zip 23 noir-jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"23 noir-jaune"}', 0), + (4599, 1, 12, 'Veste highschool football zip Solary noir', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"Solary noir"}', 0), + (4600, 1, 12, 'Veste highschool football zip Solary jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"Solary jaune"}', 0), + (4601, 1, 12, 'Veste highschool football zip T noir', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"T noir"}', 0), + (4602, 1, 12, 'Veste highschool football zip T jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"T jaune"}', 0), + (4603, 2, 12, 'Veste highschool football zip blason noir', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"blason noir"}', 0), + (4604, 2, 12, 'Veste highschool football zip blason jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"blason jaune"}', 0), + (4605, 2, 12, 'Veste highschool football zip 23 noir-jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"23 noir-jaune"}', 0), + (4606, 2, 12, 'Veste highschool football zip Solary noir', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"Solary noir"}', 0), + (4607, 2, 12, 'Veste highschool football zip Solary jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"Solary jaune"}', 0), + (4608, 2, 12, 'Veste highschool football zip T noir', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"T noir"}', 0), + (4609, 2, 12, 'Veste highschool football zip T jaune', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"T jaune"}', 0), + (4610, 1, 12, 'Veste highschool football zip ouverte blason noir', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason noir"}', 0), + (4611, 1, 12, 'Veste highschool football zip ouverte blason jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason jaune"}', 0), + (4612, 1, 12, 'Veste highschool football zip ouverte 24 noir-jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"24 noir-jaune"}', 0), + (4613, 1, 12, 'Veste highschool football zip ouverte Solary noir', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary noir"}', 0), + (4614, 1, 12, 'Veste highschool football zip ouverte Solary jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary jaune"}', 0), + (4615, 1, 12, 'Veste highschool football zip ouverte T noir', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T noir"}', 0), + (4616, 1, 12, 'Veste highschool football zip ouverte T jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T jaune"}', 0), + (4617, 2, 12, 'Veste highschool football zip ouverte blason noir', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason noir"}', 0), + (4618, 2, 12, 'Veste highschool football zip ouverte blason jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason jaune"}', 0), + (4619, 2, 12, 'Veste highschool football zip ouverte 24 noir-jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"24 noir-jaune"}', 0), + (4620, 2, 12, 'Veste highschool football zip ouverte Solary noir', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary noir"}', 0), + (4621, 2, 12, 'Veste highschool football zip ouverte Solary jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary jaune"}', 0), + (4622, 2, 12, 'Veste highschool football zip ouverte T noir', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T noir"}', 0), + (4623, 2, 12, 'Veste highschool football zip ouverte T jaune', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T jaune"}', 0), + (4624, 1, 2, 'T-shirt uni orange', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"orange"}', 0), + (4625, 1, 2, 'T-shirt uni violet', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"violet"}', 0), + (4626, 1, 2, 'T-shirt uni jaune', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"jaune"}', 0), + (4627, 1, 2, 'T-shirt uni kaki', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"kaki"}', 0), + (4628, 1, 2, 'T-shirt uni roche', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"roche"}', 0), + (4629, 1, 2, 'T-shirt uni lime', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"lime"}', 0), + (4630, 1, 2, 'T-shirt uni bleu', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (4631, 1, 2, 'T-shirt uni feu', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"feu"}', 0), + (4632, 1, 2, 'T-shirt uni fury', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"fury"}', 0), + (4633, 1, 2, 'T-shirt uni cube', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"cube"}', 0), + (4634, 1, 2, 'T-shirt uni metal', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"metal"}', 0), + (4635, 2, 2, 'T-shirt uni orange', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"orange"}', 0), + (4636, 2, 2, 'T-shirt uni violet', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"violet"}', 0), + (4637, 2, 2, 'T-shirt uni jaune', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"jaune"}', 0), + (4638, 2, 2, 'T-shirt uni kaki', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"kaki"}', 0), + (4639, 2, 2, 'T-shirt uni roche', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"roche"}', 0), + (4640, 2, 2, 'T-shirt uni lime', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"lime"}', 0), + (4641, 2, 2, 'T-shirt uni bleu', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (4642, 2, 2, 'T-shirt uni feu', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"feu"}', 0), + (4643, 2, 2, 'T-shirt uni fury', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"fury"}', 0), + (4644, 2, 2, 'T-shirt uni cube', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"cube"}', 0), + (4645, 2, 2, 'T-shirt uni metal', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt uni","colorLabel":"metal"}', 0), + (4646, 1, 7, 'Chemise m. relevées ouverte noir', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"noir"}', 0), + (4647, 1, 7, 'Chemise m. relevées ouverte anthracite', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"anthracite"}', 0), + (4648, 1, 7, 'Chemise m. relevées ouverte gris', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"gris"}', 0), + (4649, 1, 7, 'Chemise m. relevées ouverte perle', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"perle"}', 0), + (4650, 1, 7, 'Chemise m. relevées ouverte blanc', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"blanc"}', 0), + (4651, 1, 7, 'Chemise m. relevées ouverte kaki', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"kaki"}', 0), + (4652, 1, 7, 'Chemise m. relevées ouverte corail', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"corail"}', 0), + (4653, 1, 7, 'Chemise m. relevées ouverte turquoise-corail', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"turquoise-corail"}', 0), + (4654, 1, 7, 'Chemise m. relevées ouverte vert d\'eau', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"vert d\'eau"}', 0), + (4655, 1, 7, 'Chemise m. relevées ouverte léopard beige', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"léopard beige"}', 0), + (4656, 1, 7, 'Chemise m. relevées ouverte léopard turquoise', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"léopard turquoise"}', 0), + (4657, 1, 7, 'Chemise m. relevées ouverte motifs noir-rouge', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs noir-rouge"}', 0), + (4658, 1, 7, 'Chemise m. relevées ouverte motifs blanc-rouge', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs blanc-rouge"}', 0), + (4659, 1, 7, 'Chemise m. relevées ouverte motifs ciel', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs ciel"}', 0), + (4660, 1, 7, 'Chemise m. relevées ouverte motifs rose-bleu', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs rose-bleu"}', 0), + (4661, 1, 7, 'Chemise m. relevées ouverte motifs aqua', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs aqua"}', 0), + (4662, 1, 7, 'Chemise m. relevées ouverte motifs lime', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs lime"}', 0), + (4663, 1, 7, 'Chemise m. relevées ouverte carreaux bleu', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux bleu"}', 0), + (4664, 1, 7, 'Chemise m. relevées ouverte carreaux fins bleu', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux fins bleu"}', 0), + (4665, 1, 7, 'Chemise m. relevées ouverte carreaux rouge', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux rouge"}', 0), + (4666, 1, 7, 'Chemise m. relevées ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux beige"}', 0), + (4667, 1, 7, 'Chemise m. relevées ouverte carreaux gris', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux gris"}', 0), + (4668, 1, 7, 'Chemise m. relevées ouverte bleu points', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bleu points"}', 0), + (4669, 1, 7, 'Chemise m. relevées ouverte anthracite points', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"anthracite points"}', 0), + (4670, 1, 7, 'Chemise m. relevées ouverte gris points', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"gris points"}', 0), + (4671, 2, 7, 'Chemise m. relevées ouverte noir', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"noir"}', 0), + (4672, 2, 7, 'Chemise m. relevées ouverte anthracite', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"anthracite"}', 0), + (4673, 2, 7, 'Chemise m. relevées ouverte gris', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"gris"}', 0), + (4674, 2, 7, 'Chemise m. relevées ouverte perle', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"perle"}', 0), + (4675, 2, 7, 'Chemise m. relevées ouverte blanc', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"blanc"}', 0), + (4676, 2, 7, 'Chemise m. relevées ouverte kaki', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"kaki"}', 0), + (4677, 2, 7, 'Chemise m. relevées ouverte corail', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"corail"}', 0), + (4678, 2, 7, 'Chemise m. relevées ouverte turquoise-corail', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"turquoise-corail"}', 0), + (4679, 2, 7, 'Chemise m. relevées ouverte vert d\'eau', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"vert d\'eau"}', 0), + (4680, 2, 7, 'Chemise m. relevées ouverte léopard beige', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"léopard beige"}', 0), + (4681, 2, 7, 'Chemise m. relevées ouverte léopard turquoise', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"léopard turquoise"}', 0), + (4682, 2, 7, 'Chemise m. relevées ouverte motifs noir-rouge', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs noir-rouge"}', 0), + (4683, 2, 7, 'Chemise m. relevées ouverte motifs blanc-rouge', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs blanc-rouge"}', 0), + (4684, 2, 7, 'Chemise m. relevées ouverte motifs ciel', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs ciel"}', 0), + (4685, 2, 7, 'Chemise m. relevées ouverte motifs rose-bleu', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs rose-bleu"}', 0), + (4686, 2, 7, 'Chemise m. relevées ouverte motifs aqua', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs aqua"}', 0), + (4687, 2, 7, 'Chemise m. relevées ouverte motifs lime', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"motifs lime"}', 0), + (4688, 2, 7, 'Chemise m. relevées ouverte carreaux bleu', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux bleu"}', 0), + (4689, 2, 7, 'Chemise m. relevées ouverte carreaux fins bleu', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux fins bleu"}', 0), + (4690, 2, 7, 'Chemise m. relevées ouverte carreaux rouge', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux rouge"}', 0), + (4691, 2, 7, 'Chemise m. relevées ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux beige"}', 0), + (4692, 2, 7, 'Chemise m. relevées ouverte carreaux gris', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"carreaux gris"}', 0), + (4693, 2, 7, 'Chemise m. relevées ouverte bleu points', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bleu points"}', 0), + (4694, 2, 7, 'Chemise m. relevées ouverte anthracite points', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"anthracite points"}', 0), + (4695, 2, 7, 'Chemise m. relevées ouverte gris points', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"gris points"}', 0), + (4696, 1, 7, 'Chemise m. relevées ouverte dragon rouge', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dragon rouge"}', 0), + (4697, 1, 7, 'Chemise m. relevées ouverte dragon noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dragon noir"}', 0), + (4698, 1, 7, 'Chemise m. relevées ouverte savane jaune', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane jaune"}', 0), + (4699, 1, 7, 'Chemise m. relevées ouverte savane bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane bleu"}', 0), + (4700, 1, 7, 'Chemise m. relevées ouverte savane rose', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane rose"}', 0), + (4701, 1, 7, 'Chemise m. relevées ouverte savane gris', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane gris"}', 0), + (4702, 1, 7, 'Chemise m. relevées ouverte feuilles beige', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles beige"}', 0), + (4703, 1, 7, 'Chemise m. relevées ouverte feuilles corail', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles corail"}', 0), + (4704, 1, 7, 'Chemise m. relevées ouverte feuilles vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles vert"}', 0), + (4705, 1, 7, 'Chemise m. relevées ouverte feuilles turquoise', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles turquoise"}', 0), + (4706, 1, 7, 'Chemise m. relevées ouverte feuillage bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage bleu"}', 0), + (4707, 1, 7, 'Chemise m. relevées ouverte feuillage gris', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage gris"}', 0), + (4708, 1, 7, 'Chemise m. relevées ouverte feuillage rouge', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage rouge"}', 0), + (4709, 1, 7, 'Chemise m. relevées ouverte feuillage crème', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage crème"}', 0), + (4710, 1, 7, 'Chemise m. relevées ouverte bouquet pétrole', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bouquet pétrole"}', 0), + (4711, 1, 7, 'Chemise m. relevées ouverte bouquet bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bouquet bleu"}', 0), + (4712, 1, 7, 'Chemise m. relevées ouverte tournesol rose', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tournesol rose"}', 0), + (4713, 1, 7, 'Chemise m. relevées ouverte fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs rouge-noir"}', 0), + (4714, 1, 7, 'Chemise m. relevées ouverte dégradé rose-vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé rose-vert"}', 0), + (4715, 1, 7, 'Chemise m. relevées ouverte dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé orange-bleu"}', 0), + (4716, 1, 7, 'Chemise m. relevées ouverte dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé blanc-noir"}', 0), + (4717, 1, 7, 'Chemise m. relevées ouverte dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé jaune-bleu"}', 0), + (4718, 1, 7, 'Chemise m. relevées ouverte vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"vert"}', 0), + (4719, 1, 7, 'Chemise m. relevées ouverte jaune', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"jaune"}', 0), + (4720, 1, 7, 'Chemise m. relevées ouverte bleu foncé', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bleu foncé"}', 0), + (4721, 2, 7, 'Chemise m. relevées ouverte dragon rouge', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dragon rouge"}', 0), + (4722, 2, 7, 'Chemise m. relevées ouverte dragon noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dragon noir"}', 0), + (4723, 2, 7, 'Chemise m. relevées ouverte savane jaune', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane jaune"}', 0), + (4724, 2, 7, 'Chemise m. relevées ouverte savane bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane bleu"}', 0), + (4725, 2, 7, 'Chemise m. relevées ouverte savane rose', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane rose"}', 0), + (4726, 2, 7, 'Chemise m. relevées ouverte savane gris', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"savane gris"}', 0), + (4727, 2, 7, 'Chemise m. relevées ouverte feuilles beige', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles beige"}', 0), + (4728, 2, 7, 'Chemise m. relevées ouverte feuilles corail', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles corail"}', 0), + (4729, 2, 7, 'Chemise m. relevées ouverte feuilles vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles vert"}', 0), + (4730, 2, 7, 'Chemise m. relevées ouverte feuilles turquoise', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuilles turquoise"}', 0), + (4731, 2, 7, 'Chemise m. relevées ouverte feuillage bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage bleu"}', 0), + (4732, 2, 7, 'Chemise m. relevées ouverte feuillage gris', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage gris"}', 0), + (4733, 2, 7, 'Chemise m. relevées ouverte feuillage rouge', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage rouge"}', 0), + (4734, 2, 7, 'Chemise m. relevées ouverte feuillage crème', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"feuillage crème"}', 0), + (4735, 2, 7, 'Chemise m. relevées ouverte bouquet pétrole', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bouquet pétrole"}', 0), + (4736, 2, 7, 'Chemise m. relevées ouverte bouquet bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bouquet bleu"}', 0), + (4737, 2, 7, 'Chemise m. relevées ouverte tournesol rose', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tournesol rose"}', 0), + (4738, 2, 7, 'Chemise m. relevées ouverte fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs rouge-noir"}', 0), + (4739, 2, 7, 'Chemise m. relevées ouverte dégradé rose-vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé rose-vert"}', 0), + (4740, 2, 7, 'Chemise m. relevées ouverte dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé orange-bleu"}', 0), + (4741, 2, 7, 'Chemise m. relevées ouverte dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé blanc-noir"}', 0), + (4742, 2, 7, 'Chemise m. relevées ouverte dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"dégradé jaune-bleu"}', 0), + (4743, 2, 7, 'Chemise m. relevées ouverte vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"vert"}', 0), + (4744, 2, 7, 'Chemise m. relevées ouverte jaune', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"jaune"}', 0), + (4745, 2, 7, 'Chemise m. relevées ouverte bleu foncé', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bleu foncé"}', 0), + (4746, 3, 7, 'Chemise m. longues col ouvert blanc', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"blanc"}', 0), + (4747, 3, 7, 'Chemise m. longues col ouvert beige', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"beige"}', 0), + (4748, 3, 7, 'Chemise m. longues col ouvert bleu marine', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"bleu marine"}', 0), + (4749, 3, 7, 'Chemise m. longues col ouvert noir', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"noir"}', 0), + (4750, 3, 7, 'Chemise m. longues col ouvert café', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"café"}', 0), + (4751, 3, 7, 'Chemise m. longues col ouvert crème', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"crème"}', 0), + (4752, 3, 7, 'Chemise m. longues col ouvert taupe', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"taupe"}', 0), + (4753, 3, 7, 'Chemise m. longues col ouvert bordeaux', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"bordeaux"}', 0), + (4754, 3, 7, 'Chemise m. longues col ouvert perle', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"perle"}', 0), + (4755, 3, 7, 'Chemise m. longues col ouvert gris', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"gris"}', 0), + (4756, 3, 7, 'Chemise m. longues col ouvert bleu', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"bleu"}', 0), + (4757, 3, 7, 'Chemise m. longues col ouvert pêche', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"pêche"}', 0), + (4758, 3, 7, 'Chemise m. longues col ouvert jacinthe', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"jacinthe"}', 0), + (4759, 3, 7, 'Chemise m. longues col ouvert bleu points blanc', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"bleu points blanc"}', 0), + (4760, 3, 7, 'Chemise m. longues col ouvert motifs bleu', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"motifs bleu"}', 0), + (4761, 3, 7, 'Chemise m. longues col ouvert rayure bleu', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"rayure bleu"}', 0), + (4762, 3, 7, 'Chemise m. longues col ouvert rayure beige', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"rayure beige"}', 0), + (4763, 3, 7, 'Chemise m. longues col ouvert petits carreaux brun', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"petits carreaux brun"}', 0), + (4764, 3, 7, 'Chemise m. longues col ouvert petits carreaux marine', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"petits carreaux marine"}', 0), + (4765, 3, 7, 'Chemise m. longues col ouvert carreaux bleu', 50, '{"components":{"11":{"Drawable":348,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col ouvert","colorLabel":"carreaux bleu"}', 0), + (4766, 3, 7, 'Chemise m. longues col fermé blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"blanc"}', 0), + (4767, 3, 7, 'Chemise m. longues col fermé beige', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"beige"}', 0), + (4768, 3, 7, 'Chemise m. longues col fermé bleu marine', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"bleu marine"}', 0), + (4769, 3, 7, 'Chemise m. longues col fermé noir', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"noir"}', 0), + (4770, 3, 7, 'Chemise m. longues col fermé café', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"café"}', 0), + (4771, 3, 7, 'Chemise m. longues col fermé crème', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"crème"}', 0), + (4772, 3, 7, 'Chemise m. longues col fermé taupe', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"taupe"}', 0), + (4773, 3, 7, 'Chemise m. longues col fermé bordeaux', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"bordeaux"}', 0), + (4774, 3, 7, 'Chemise m. longues col fermé perle', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"perle"}', 0), + (4775, 3, 7, 'Chemise m. longues col fermé gris', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"gris"}', 0), + (4776, 3, 7, 'Chemise m. longues col fermé bleu', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"bleu"}', 0), + (4777, 3, 7, 'Chemise m. longues col fermé pêche', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"pêche"}', 0), + (4778, 3, 7, 'Chemise m. longues col fermé jacinthe', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"jacinthe"}', 0), + (4779, 3, 7, 'Chemise m. longues col fermé bleu points blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"bleu points blanc"}', 0), + (4780, 3, 7, 'Chemise m. longues col fermé motifs bleu', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"motifs bleu"}', 0), + (4781, 3, 7, 'Chemise m. longues col fermé rayure bleu', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"rayure bleu"}', 0), + (4782, 3, 7, 'Chemise m. longues col fermé rayure beige', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"rayure beige"}', 0), + (4783, 3, 7, 'Chemise m. longues col fermé petits carreaux brun', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"petits carreaux brun"}', 0), + (4784, 3, 7, 'Chemise m. longues col fermé petits carreaux marine', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"petits carreaux marine"}', 0), + (4785, 3, 7, 'Chemise m. longues col fermé carreaux bleu', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. longues col fermé","colorLabel":"carreaux bleu"}', 0), + (4786, 1, 3, 'Polo long Bigness violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness violet"}', 0), + (4787, 1, 3, 'Polo long Bigness blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness blanc"}', 0), + (4788, 1, 3, 'Polo long Fly Bravo violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo violet"}', 0), + (4789, 1, 3, 'Polo long Fly Bravo blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo blanc"}', 0), + (4790, 1, 3, 'Polo long Bigness rayé violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé violet"}', 0), + (4791, 1, 3, 'Polo long Bigness rayé blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé blanc"}', 0), + (4792, 1, 3, 'Polo long vert', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"vert"}', 0), + (4793, 1, 3, 'Polo long abricot', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"abricot"}', 0), + (4794, 1, 3, 'Polo long violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"violet"}', 0), + (4795, 1, 3, 'Polo long rose', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose"}', 0), + (4796, 2, 3, 'Polo long Bigness violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness violet"}', 0), + (4797, 2, 3, 'Polo long Bigness blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness blanc"}', 0), + (4798, 2, 3, 'Polo long Fly Bravo violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo violet"}', 0), + (4799, 2, 3, 'Polo long Fly Bravo blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo blanc"}', 0), + (4800, 2, 3, 'Polo long Bigness rayé violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé violet"}', 0), + (4801, 2, 3, 'Polo long Bigness rayé blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé blanc"}', 0), + (4802, 2, 3, 'Polo long vert', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"vert"}', 0), + (4803, 2, 3, 'Polo long abricot', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"abricot"}', 0), + (4804, 2, 3, 'Polo long violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"violet"}', 0), + (4805, 2, 3, 'Polo long rose', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose"}', 0), + (4806, 1, 2, 'T-shirt logo blanc', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc"}', 0), + (4807, 1, 2, 'T-shirt logo noir', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir"}', 0), + (4808, 1, 2, 'T-shirt logo bleu', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu"}', 0), + (4809, 1, 2, 'T-shirt logo rouge', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"rouge"}', 0), + (4810, 1, 2, 'T-shirt logo blanc-rouge', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc-rouge"}', 0), + (4811, 1, 2, 'T-shirt logo grenouille', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"grenouille"}', 0), + (4812, 1, 2, 'T-shirt logo Rockstard noir-jaune', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Rockstard noir-jaune"}', 0), + (4813, 1, 2, 'T-shirt logo Rockstar noir-gris', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Rockstar noir-gris"}', 0), + (4814, 1, 2, 'T-shirt logo turquoise-rouge', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"turquoise-rouge"}', 0), + (4815, 1, 2, 'T-shirt logo M noir', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"M noir"}', 0), + (4816, 2, 2, 'T-shirt logo blanc', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc"}', 0), + (4817, 2, 2, 'T-shirt logo noir', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir"}', 0), + (4818, 2, 2, 'T-shirt logo bleu', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu"}', 0), + (4819, 2, 2, 'T-shirt logo rouge', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"rouge"}', 0), + (4820, 2, 2, 'T-shirt logo blanc-rouge', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc-rouge"}', 0), + (4821, 2, 2, 'T-shirt logo grenouille', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"grenouille"}', 0), + (4822, 2, 2, 'T-shirt logo Rockstard noir-jaune', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Rockstard noir-jaune"}', 0), + (4823, 2, 2, 'T-shirt logo Rockstar noir-gris', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Rockstar noir-gris"}', 0), + (4824, 2, 2, 'T-shirt logo turquoise-rouge', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"turquoise-rouge"}', 0), + (4825, 2, 2, 'T-shirt logo M noir', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"M noir"}', 0), + (4826, 1, 5, 'Hoodie oversize orange', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange"}', 0), + (4827, 1, 5, 'Hoodie oversize gris', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"gris"}', 0), + (4828, 1, 5, 'Hoodie oversize blanc', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc"}', 0), + (4829, 2, 5, 'Hoodie oversize orange', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange"}', 0), + (4830, 2, 5, 'Hoodie oversize gris', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"gris"}', 0), + (4831, 2, 5, 'Hoodie oversize blanc', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc"}', 0), + (4832, 1, 5, 'Hoodie oversize capuche tête orange', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange"}', 0), + (4833, 1, 5, 'Hoodie oversize capuche tête gris', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"gris"}', 0), + (4834, 1, 5, 'Hoodie oversize capuche tête blanc', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc"}', 0), + (4835, 2, 5, 'Hoodie oversize capuche tête orange', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange"}', 0), + (4836, 2, 5, 'Hoodie oversize capuche tête gris', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"gris"}', 0), + (4837, 2, 5, 'Hoodie oversize capuche tête blanc', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc"}', 0), + (4838, 1, 7, 'Chemise m. relevées tropical rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical rouge"}', 0), + (4839, 1, 7, 'Chemise m. relevées tropical noir', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical noir"}', 0), + (4840, 1, 7, 'Chemise m. relevées tropical bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical bleu"}', 0), + (4841, 1, 7, 'Chemise m. relevées tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical vert d\'eau"}', 0), + (4842, 1, 7, 'Chemise m. relevées tropical marine', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical marine"}', 0), + (4843, 1, 7, 'Chemise m. relevées tropical orange', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical orange"}', 0), + (4844, 1, 7, 'Chemise m. relevées tropical vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical vert"}', 0), + (4845, 1, 7, 'Chemise m. relevées tropical beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical beige"}', 0), + (4846, 1, 7, 'Chemise m. relevées palmier turquoise', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"palmier turquoise"}', 0), + (4847, 1, 7, 'Chemise m. relevées palmier jaune', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"palmier jaune"}', 0), + (4848, 1, 7, 'Chemise m. relevées flamant rose', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"flamant rose"}', 0), + (4849, 1, 7, 'Chemise m. relevées palmier menthe', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"palmier menthe"}', 0), + (4850, 1, 7, 'Chemise m. relevées fleurs vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs vert"}', 0), + (4851, 1, 7, 'Chemise m. relevées fleurs bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs bleu"}', 0), + (4852, 1, 7, 'Chemise m. relevées oiseau bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"oiseau bleu"}', 0), + (4853, 1, 7, 'Chemise m. relevées oiseau orange', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"oiseau orange"}', 0), + (4854, 1, 7, 'Chemise m. relevées bambou menthe', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bambou menthe"}', 0), + (4855, 1, 7, 'Chemise m. relevées bambou abricot', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bambou abricot"}', 0), + (4856, 1, 7, 'Chemise m. relevées volcan rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"volcan rouge"}', 0), + (4857, 1, 7, 'Chemise m. relevées volcan rose', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"volcan rose"}', 0), + (4858, 1, 7, 'Chemise m. relevées poisson beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"poisson beige"}', 0), + (4859, 1, 7, 'Chemise m. relevées poisson magenta', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"poisson magenta"}', 0), + (4860, 1, 7, 'Chemise m. relevées tigre beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tigre beige"}', 0), + (4861, 1, 7, 'Chemise m. relevées tigre corail', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tigre corail"}', 0), + (4862, 1, 7, 'Chemise m. relevées fleurs rose', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs rose"}', 0), + (4863, 2, 7, 'Chemise m. relevées tropical rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical rouge"}', 0), + (4864, 2, 7, 'Chemise m. relevées tropical noir', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical noir"}', 0), + (4865, 2, 7, 'Chemise m. relevées tropical bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical bleu"}', 0), + (4866, 2, 7, 'Chemise m. relevées tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical vert d\'eau"}', 0), + (4867, 2, 7, 'Chemise m. relevées tropical marine', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical marine"}', 0), + (4868, 2, 7, 'Chemise m. relevées tropical orange', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical orange"}', 0), + (4869, 2, 7, 'Chemise m. relevées tropical vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical vert"}', 0), + (4870, 2, 7, 'Chemise m. relevées tropical beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tropical beige"}', 0), + (4871, 2, 7, 'Chemise m. relevées palmier turquoise', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"palmier turquoise"}', 0), + (4872, 2, 7, 'Chemise m. relevées palmier jaune', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"palmier jaune"}', 0), + (4873, 2, 7, 'Chemise m. relevées flamant rose', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"flamant rose"}', 0), + (4874, 2, 7, 'Chemise m. relevées palmier menthe', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"palmier menthe"}', 0), + (4875, 2, 7, 'Chemise m. relevées fleurs vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs vert"}', 0), + (4876, 2, 7, 'Chemise m. relevées fleurs bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs bleu"}', 0), + (4877, 2, 7, 'Chemise m. relevées oiseau bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"oiseau bleu"}', 0), + (4878, 2, 7, 'Chemise m. relevées oiseau orange', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"oiseau orange"}', 0), + (4879, 2, 7, 'Chemise m. relevées bambou menthe', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bambou menthe"}', 0), + (4880, 2, 7, 'Chemise m. relevées bambou abricot', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"bambou abricot"}', 0), + (4881, 2, 7, 'Chemise m. relevées volcan rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"volcan rouge"}', 0), + (4882, 2, 7, 'Chemise m. relevées volcan rose', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"volcan rose"}', 0), + (4883, 2, 7, 'Chemise m. relevées poisson beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"poisson beige"}', 0), + (4884, 2, 7, 'Chemise m. relevées poisson magenta', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"poisson magenta"}', 0), + (4885, 2, 7, 'Chemise m. relevées tigre beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tigre beige"}', 0), + (4886, 2, 7, 'Chemise m. relevées tigre corail', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"tigre corail"}', 0), + (4887, 2, 7, 'Chemise m. relevées fleurs rose', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise m. relevées","colorLabel":"fleurs rose"}', 0), + (4888, 1, 7, 'Chemise m. relevées ouverte tropical rouge', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical rouge"}', 0), + (4889, 1, 7, 'Chemise m. relevées ouverte tropical noir', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical noir"}', 0), + (4890, 1, 7, 'Chemise m. relevées ouverte tropical bleu', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical bleu"}', 0), + (4891, 1, 7, 'Chemise m. relevées ouverte tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical vert d\'eau"}', 0), + (4892, 1, 7, 'Chemise m. relevées ouverte tropical marine', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical marine"}', 0), + (4893, 1, 7, 'Chemise m. relevées ouverte tropical orange', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical orange"}', 0), + (4894, 1, 7, 'Chemise m. relevées ouverte tropical vert', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical vert"}', 0), + (4895, 1, 7, 'Chemise m. relevées ouverte tropical beige', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical beige"}', 0), + (4896, 1, 7, 'Chemise m. relevées ouverte palmier turquoise', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"palmier turquoise"}', 0), + (4897, 1, 7, 'Chemise m. relevées ouverte palmier jaune', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"palmier jaune"}', 0), + (4898, 1, 7, 'Chemise m. relevées ouverte flamant rose', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"flamant rose"}', 0), + (4899, 1, 7, 'Chemise m. relevées ouverte palmier menthe', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"palmier menthe"}', 0), + (4900, 1, 7, 'Chemise m. relevées ouverte fleurs vert', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs vert"}', 0), + (4901, 1, 7, 'Chemise m. relevées ouverte fleurs bleu', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs bleu"}', 0), + (4902, 1, 7, 'Chemise m. relevées ouverte oiseau bleu', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"oiseau bleu"}', 0), + (4903, 1, 7, 'Chemise m. relevées ouverte oiseau orange', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"oiseau orange"}', 0), + (4904, 1, 7, 'Chemise m. relevées ouverte bambou menthe', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bambou menthe"}', 0), + (4905, 1, 7, 'Chemise m. relevées ouverte bambou abricot', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bambou abricot"}', 0), + (4906, 1, 7, 'Chemise m. relevées ouverte volcan rouge', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"volcan rouge"}', 0), + (4907, 1, 7, 'Chemise m. relevées ouverte volcan rose', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"volcan rose"}', 0), + (4908, 1, 7, 'Chemise m. relevées ouverte poisson beige', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"poisson beige"}', 0), + (4909, 1, 7, 'Chemise m. relevées ouverte poisson magenta', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"poisson magenta"}', 0), + (4910, 1, 7, 'Chemise m. relevées ouverte tigre beige', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tigre beige"}', 0), + (4911, 1, 7, 'Chemise m. relevées ouverte tigre corail', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tigre corail"}', 0), + (4912, 1, 7, 'Chemise m. relevées ouverte fleurs rose', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs rose"}', 0), + (4913, 2, 7, 'Chemise m. relevées ouverte tropical rouge', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical rouge"}', 0), + (4914, 2, 7, 'Chemise m. relevées ouverte tropical noir', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical noir"}', 0), + (4915, 2, 7, 'Chemise m. relevées ouverte tropical bleu', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical bleu"}', 0), + (4916, 2, 7, 'Chemise m. relevées ouverte tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical vert d\'eau"}', 0), + (4917, 2, 7, 'Chemise m. relevées ouverte tropical marine', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical marine"}', 0), + (4918, 2, 7, 'Chemise m. relevées ouverte tropical orange', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical orange"}', 0), + (4919, 2, 7, 'Chemise m. relevées ouverte tropical vert', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical vert"}', 0), + (4920, 2, 7, 'Chemise m. relevées ouverte tropical beige', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tropical beige"}', 0), + (4921, 2, 7, 'Chemise m. relevées ouverte palmier turquoise', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"palmier turquoise"}', 0), + (4922, 2, 7, 'Chemise m. relevées ouverte palmier jaune', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"palmier jaune"}', 0), + (4923, 2, 7, 'Chemise m. relevées ouverte flamant rose', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"flamant rose"}', 0), + (4924, 2, 7, 'Chemise m. relevées ouverte palmier menthe', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"palmier menthe"}', 0), + (4925, 2, 7, 'Chemise m. relevées ouverte fleurs vert', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs vert"}', 0), + (4926, 2, 7, 'Chemise m. relevées ouverte fleurs bleu', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs bleu"}', 0), + (4927, 2, 7, 'Chemise m. relevées ouverte oiseau bleu', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"oiseau bleu"}', 0), + (4928, 2, 7, 'Chemise m. relevées ouverte oiseau orange', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"oiseau orange"}', 0), + (4929, 2, 7, 'Chemise m. relevées ouverte bambou menthe', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bambou menthe"}', 0), + (4930, 2, 7, 'Chemise m. relevées ouverte bambou abricot', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"bambou abricot"}', 0), + (4931, 2, 7, 'Chemise m. relevées ouverte volcan rouge', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"volcan rouge"}', 0), + (4932, 2, 7, 'Chemise m. relevées ouverte volcan rose', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"volcan rose"}', 0), + (4933, 2, 7, 'Chemise m. relevées ouverte poisson beige', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"poisson beige"}', 0), + (4934, 2, 7, 'Chemise m. relevées ouverte poisson magenta', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"poisson magenta"}', 0), + (4935, 2, 7, 'Chemise m. relevées ouverte tigre beige', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tigre beige"}', 0), + (4936, 2, 7, 'Chemise m. relevées ouverte tigre corail', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"tigre corail"}', 0), + (4937, 2, 7, 'Chemise m. relevées ouverte fleurs rose', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise m. relevées ouverte","colorLabel":"fleurs rose"}', 0), + (4938, 1, 5, 'Sweat-shirt col rond Rock bleu', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"Rock bleu"}', 0), + (4939, 2, 5, 'Sweat-shirt col rond Rock bleu', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"Rock bleu"}', 0), + (4940, 1, 2, 'Débardeur basket Broker léopard noir', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Broker léopard noir"}', 0), + (4941, 1, 2, 'Débardeur basket Panic léopard violet', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Panic léopard violet"}', 0), + (4942, 2, 2, 'Débardeur basket Broker léopard noir', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Broker léopard noir"}', 0), + (4943, 2, 2, 'Débardeur basket Panic léopard violet', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Panic léopard violet"}', 0), + (4944, 3, 9, 'Pull manches longues turquoise-rose', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"turquoise-rose"}', 0), + (4945, 3, 9, 'Pull manches longues lila-bleu', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"lila-bleu"}', 0), + (4946, 3, 9, 'Pull manches longues Bigness lime', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Bigness lime"}', 0), + (4947, 3, 9, 'Pull manches longues Rockstar blanc', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Rockstar blanc"}', 0), + (4948, 3, 9, 'Pull manches longues Santo Capra multicolore', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"Santo Capra multicolore"}', 0), + (4949, 3, 9, 'Pull manches longues dance noir-bleu', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"dance noir-bleu"}', 0), + (4950, 3, 9, 'Pull manches longues dance noir-rose', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"dance noir-rose"}', 0), + (4951, 3, 9, 'Pull manches longues dance noir-rouge', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"dance noir-rouge"}', 0), + (4952, 3, 9, 'Pull manches longues dance noir-orange', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"dance noir-orange"}', 0), + (4953, 3, 9, 'Pull manches longues dance noir-vert', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"dance noir-vert"}', 0), + (4954, 1, 12, 'Veste highschool football zip anthracite', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"anthracite"}', 0), + (4955, 2, 12, 'Veste highschool football zip anthracite', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"anthracite"}', 0), + (4956, 1, 12, 'Veste highschool football zip ouverte anthracite', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"anthracite"}', 0), + (4957, 2, 12, 'Veste highschool football zip ouverte anthracite', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"anthracite"}', 0), + (4958, 1, 12, 'Veste highschool football zip Cayo Perico jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"Cayo Perico jaune"}', 0), + (4959, 2, 12, 'Veste highschool football zip Cayo Perico jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football zip","colorLabel":"Cayo Perico jaune"}', 0), + (4960, 1, 4, 'Crop manteau daim', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"daim"}', 0), + (4961, 1, 4, 'Crop manteau vert', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"vert"}', 0), + (4962, 1, 4, 'Crop manteau orange', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"orange"}', 0), + (4963, 1, 4, 'Crop manteau gris', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"gris"}', 0), + (4964, 2, 4, 'Crop manteau daim', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"daim"}', 0), + (4965, 2, 4, 'Crop manteau vert', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"vert"}', 0), + (4966, 2, 4, 'Crop manteau orange', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"orange"}', 0), + (4967, 2, 4, 'Crop manteau gris', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"gris"}', 0), + (4968, 1, 12, 'Veste courte avec sous pull daim', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"daim"}', 0), + (4969, 1, 12, 'Veste courte avec sous pull vert', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"vert"}', 0), + (4970, 2, 12, 'Veste courte avec sous pull daim', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"daim"}', 0), + (4971, 2, 12, 'Veste courte avec sous pull vert', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"vert"}', 0), + (4972, 1, 11, 'Jacket en cuir LOST couleur', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"LOST couleur"}', 0), + (4973, 1, 11, 'Jacket en cuir LOST noir et blanc', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"LOST noir et blanc"}', 0), + (4974, 2, 11, 'Jacket en cuir LOST couleur', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"LOST couleur"}', 0), + (4975, 2, 11, 'Jacket en cuir LOST noir et blanc', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[5, 6],"modelLabel":"Jacket en cuir","colorLabel":"LOST noir et blanc"}', 0), + (4976, 1, 11, 'Veston à zip ouvert LOST noir et blanc', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston à zip ouvert","colorLabel":"LOST noir et blanc"}', 0), + (4977, 1, 11, 'Veston à zip ouvert LOST couleur', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston à zip ouvert","colorLabel":"LOST couleur"}', 0), + (4978, 2, 11, 'Veston à zip ouvert LOST noir et blanc', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston à zip ouvert","colorLabel":"LOST noir et blanc"}', 0), + (4979, 2, 11, 'Veston à zip ouvert LOST couleur', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veston à zip ouvert","colorLabel":"LOST couleur"}', 0), + (4980, 1, 11, 'Perfecto sans manche LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur noir usé"}', 0), + (4981, 1, 11, 'Perfecto sans manche LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur rouge usé"}', 0), + (4982, 1, 11, 'Perfecto sans manche LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur brun usé"}', 0), + (4983, 1, 11, 'Perfecto sans manche LOST couleur noir', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur noir"}', 0), + (4984, 1, 11, 'Perfecto sans manche LOST NB noir usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB noir usé"}', 0), + (4985, 1, 11, 'Perfecto sans manche LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB rouge usé"}', 0), + (4986, 1, 11, 'Perfecto sans manche LOST NB brun usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB brun usé"}', 0), + (4987, 1, 11, 'Perfecto sans manche LOST NB noir', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB noir"}', 0), + (4988, 2, 11, 'Perfecto sans manche LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur noir usé"}', 0), + (4989, 2, 11, 'Perfecto sans manche LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur rouge usé"}', 0), + (4990, 2, 11, 'Perfecto sans manche LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur brun usé"}', 0), + (4991, 2, 11, 'Perfecto sans manche LOST couleur noir', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST couleur noir"}', 0), + (4992, 2, 11, 'Perfecto sans manche LOST NB noir usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB noir usé"}', 0), + (4993, 2, 11, 'Perfecto sans manche LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB rouge usé"}', 0), + (4994, 2, 11, 'Perfecto sans manche LOST NB brun usé', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB brun usé"}', 0), + (4995, 2, 11, 'Perfecto sans manche LOST NB noir', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"LOST NB noir"}', 0), + (4996, 1, 4, 'Perfecto manches longues LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur noir usé"}', 0), + (4997, 1, 4, 'Perfecto manches longues LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur rouge usé"}', 0), + (4998, 1, 4, 'Perfecto manches longues LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur brun usé"}', 0), + (4999, 1, 4, 'Perfecto manches longues LOST couleur noir', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur noir"}', 0), + (5000, 1, 4, 'Perfecto manches longues LOST NB noir usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB noir usé"}', 0), + (5001, 1, 4, 'Perfecto manches longues LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB rouge usé"}', 0), + (5002, 1, 4, 'Perfecto manches longues LOST NB brun usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB brun usé"}', 0), + (5003, 1, 4, 'Perfecto manches longues LOST NB noir', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB noir"}', 0), + (5004, 2, 4, 'Perfecto manches longues LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur noir usé"}', 0), + (5005, 2, 4, 'Perfecto manches longues LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur rouge usé"}', 0), + (5006, 2, 4, 'Perfecto manches longues LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur brun usé"}', 0), + (5007, 2, 4, 'Perfecto manches longues LOST couleur noir', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST couleur noir"}', 0), + (5008, 2, 4, 'Perfecto manches longues LOST NB noir usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB noir usé"}', 0), + (5009, 2, 4, 'Perfecto manches longues LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB rouge usé"}', 0), + (5010, 2, 4, 'Perfecto manches longues LOST NB brun usé', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB brun usé"}', 0), + (5011, 2, 4, 'Perfecto manches longues LOST NB noir', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"LOST NB noir"}', 0), + (5012, 1, 11, 'Doudoune légère sans manche camo turquoise', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo turquoise"}', 0), + (5013, 1, 11, 'Doudoune légère sans manche camo jaune-bleu', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo jaune-bleu"}', 0), + (5014, 1, 11, 'Doudoune légère sans manche carreaux rouge', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux rouge"}', 0), + (5015, 1, 11, 'Doudoune légère sans manche carreaux turquoise', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux turquoise"}', 0), + (5016, 1, 11, 'Doudoune légère sans manche géométrique beige', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique beige"}', 0), + (5017, 1, 11, 'Doudoune légère sans manche géométrique noir', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique noir"}', 0), + (5018, 1, 11, 'Doudoune légère sans manche noir-blanc', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"noir-blanc"}', 0), + (5019, 1, 11, 'Doudoune légère sans manche blanc-fuchsia', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"blanc-fuchsia"}', 0), + (5020, 1, 11, 'Doudoune légère sans manche Bigness vanille', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness vanille"}', 0), + (5021, 1, 11, 'Doudoune légère sans manche Bigness violet', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness violet"}', 0), + (5022, 1, 11, 'Doudoune légère sans manche motifs indien vert', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien vert"}', 0), + (5023, 1, 11, 'Doudoune légère sans manche motifs indien noir', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien noir"}', 0), + (5024, 1, 11, 'Doudoune légère sans manche motifs indien corail', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien corail"}', 0), + (5025, 1, 11, 'Doudoune légère sans manche motifs indien rouge', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien rouge"}', 0), + (5026, 1, 11, 'Doudoune légère sans manche motifs indien brun', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien brun"}', 0), + (5027, 1, 11, 'Doudoune légère sans manche motifs indien jaune', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien jaune"}', 0), + (5028, 2, 11, 'Doudoune légère sans manche camo turquoise', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo turquoise"}', 0), + (5029, 2, 11, 'Doudoune légère sans manche camo jaune-bleu', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo jaune-bleu"}', 0), + (5030, 2, 11, 'Doudoune légère sans manche carreaux rouge', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux rouge"}', 0), + (5031, 2, 11, 'Doudoune légère sans manche carreaux turquoise', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux turquoise"}', 0), + (5032, 2, 11, 'Doudoune légère sans manche géométrique beige', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique beige"}', 0), + (5033, 2, 11, 'Doudoune légère sans manche géométrique noir', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique noir"}', 0), + (5034, 2, 11, 'Doudoune légère sans manche noir-blanc', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"noir-blanc"}', 0), + (5035, 2, 11, 'Doudoune légère sans manche blanc-fuchsia', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"blanc-fuchsia"}', 0), + (5036, 2, 11, 'Doudoune légère sans manche Bigness vanille', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness vanille"}', 0), + (5037, 2, 11, 'Doudoune légère sans manche Bigness violet', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness violet"}', 0), + (5038, 2, 11, 'Doudoune légère sans manche motifs indien vert', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien vert"}', 0), + (5039, 2, 11, 'Doudoune légère sans manche motifs indien noir', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien noir"}', 0), + (5040, 2, 11, 'Doudoune légère sans manche motifs indien corail', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien corail"}', 0), + (5041, 2, 11, 'Doudoune légère sans manche motifs indien rouge', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien rouge"}', 0), + (5042, 2, 11, 'Doudoune légère sans manche motifs indien brun', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien brun"}', 0), + (5043, 2, 11, 'Doudoune légère sans manche motifs indien jaune', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien jaune"}', 0), + (5044, 1, 12, 'Doudoune légère manches longues camo turquoise', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo turquoise"}', 0), + (5045, 1, 12, 'Doudoune légère manches longues camo jaune-bleu', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo jaune-bleu"}', 0), + (5046, 1, 12, 'Doudoune légère manches longues carreaux rouge', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux rouge"}', 0), + (5047, 1, 12, 'Doudoune légère manches longues carreaux turquoise', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux turquoise"}', 0), + (5048, 1, 12, 'Doudoune légère manches longues géométrique beige', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique beige"}', 0), + (5049, 1, 12, 'Doudoune légère manches longues géométrique noir', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique noir"}', 0), + (5050, 1, 12, 'Doudoune légère manches longues noir-blanc', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"noir-blanc"}', 0), + (5051, 1, 12, 'Doudoune légère manches longues blanc-fuchsia', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"blanc-fuchsia"}', 0), + (5052, 1, 12, 'Doudoune légère manches longues Bigness vanille', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness vanille"}', 0), + (5053, 1, 12, 'Doudoune légère manches longues Bigness violet', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness violet"}', 0), + (5054, 1, 12, 'Doudoune légère manches longues motifs indien vert', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien vert"}', 0), + (5055, 1, 12, 'Doudoune légère manches longues motifs indien noir', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien noir"}', 0), + (5056, 1, 12, 'Doudoune légère manches longues motifs indien corail', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien corail"}', 0), + (5057, 1, 12, 'Doudoune légère manches longues motifs indien rouge', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien rouge"}', 0), + (5058, 1, 12, 'Doudoune légère manches longues motifs indien brun', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien brun"}', 0), + (5059, 1, 12, 'Doudoune légère manches longues motifs indien jaune', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien jaune"}', 0), + (5060, 2, 12, 'Doudoune légère manches longues camo turquoise', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo turquoise"}', 0), + (5061, 2, 12, 'Doudoune légère manches longues camo jaune-bleu', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo jaune-bleu"}', 0), + (5062, 2, 12, 'Doudoune légère manches longues carreaux rouge', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux rouge"}', 0), + (5063, 2, 12, 'Doudoune légère manches longues carreaux turquoise', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux turquoise"}', 0), + (5064, 2, 12, 'Doudoune légère manches longues géométrique beige', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique beige"}', 0), + (5065, 2, 12, 'Doudoune légère manches longues géométrique noir', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique noir"}', 0), + (5066, 2, 12, 'Doudoune légère manches longues noir-blanc', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"noir-blanc"}', 0), + (5067, 2, 12, 'Doudoune légère manches longues blanc-fuchsia', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"blanc-fuchsia"}', 0), + (5068, 2, 12, 'Doudoune légère manches longues Bigness vanille', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness vanille"}', 0), + (5069, 2, 12, 'Doudoune légère manches longues Bigness violet', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness violet"}', 0), + (5070, 2, 12, 'Doudoune légère manches longues motifs indien vert', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien vert"}', 0), + (5071, 2, 12, 'Doudoune légère manches longues motifs indien noir', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien noir"}', 0), + (5072, 2, 12, 'Doudoune légère manches longues motifs indien corail', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien corail"}', 0), + (5073, 2, 12, 'Doudoune légère manches longues motifs indien rouge', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien rouge"}', 0), + (5074, 2, 12, 'Doudoune légère manches longues motifs indien brun', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien brun"}', 0), + (5075, 2, 12, 'Doudoune légère manches longues motifs indien jaune', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien jaune"}', 0), + (5076, 1, 12, 'Blouson sportif noir damier', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir damier"}', 0), + (5077, 1, 12, 'Blouson sportif blanc-bleu damier', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu damier"}', 0), + (5078, 1, 12, 'Blouson sportif noir-vert damier', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-vert damier"}', 0), + (5079, 1, 12, 'Blouson sportif jaune', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"jaune"}', 0), + (5080, 1, 12, 'Blouson sportif rouge-noir', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-noir"}', 0), + (5081, 1, 12, 'Blouson sportif rouge-blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-blanc"}', 0), + (5082, 1, 12, 'Blouson sportif rouge', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge"}', 0), + (5083, 1, 12, 'Blouson sportif bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu"}', 0), + (5084, 1, 12, 'Blouson sportif blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc"}', 0), + (5085, 1, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (5086, 1, 12, 'Blouson sportif blanc-bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu"}', 0), + (5087, 1, 12, 'Blouson sportif orange', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"orange"}', 0), + (5088, 1, 12, 'Blouson sportif rouge-bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-bleu"}', 0), + (5089, 1, 12, 'Blouson sportif noir-bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu"}', 0), + (5090, 1, 12, 'Blouson sportif noir-bleu-blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu-blanc"}', 0), + (5091, 1, 12, 'Blouson sportif marine-blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"marine-blanc"}', 0), + (5092, 2, 12, 'Blouson sportif noir damier', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir damier"}', 0), + (5093, 2, 12, 'Blouson sportif blanc-bleu damier', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu damier"}', 0), + (5094, 2, 12, 'Blouson sportif noir-vert damier', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-vert damier"}', 0), + (5095, 2, 12, 'Blouson sportif jaune', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"jaune"}', 0), + (5096, 2, 12, 'Blouson sportif rouge-noir', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-noir"}', 0), + (5097, 2, 12, 'Blouson sportif rouge-blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-blanc"}', 0), + (5098, 2, 12, 'Blouson sportif rouge', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge"}', 0), + (5099, 2, 12, 'Blouson sportif bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu"}', 0), + (5100, 2, 12, 'Blouson sportif blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc"}', 0), + (5101, 2, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (5102, 2, 12, 'Blouson sportif blanc-bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu"}', 0), + (5103, 2, 12, 'Blouson sportif orange', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"orange"}', 0), + (5104, 2, 12, 'Blouson sportif rouge-bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-bleu"}', 0), + (5105, 2, 12, 'Blouson sportif noir-bleu', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu"}', 0), + (5106, 2, 12, 'Blouson sportif noir-bleu-blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu-blanc"}', 0), + (5107, 2, 12, 'Blouson sportif marine-blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"marine-blanc"}', 0), + (5108, 1, 10, 'Combinaison couvrante rouge-blanc', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"rouge-blanc"}', 0), + (5109, 1, 10, 'Combinaison couvrante vert', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (5110, 2, 10, 'Combinaison couvrante rouge-blanc', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"rouge-blanc"}', 0), + (5111, 2, 10, 'Combinaison couvrante vert', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (5112, 1, 5, 'Hoodie oversize capuche tête bleu dents', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu dents"}', 0), + (5113, 1, 5, 'Hoodie oversize capuche tête ciel-noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"ciel-noir"}', 0), + (5114, 1, 5, 'Hoodie oversize capuche tête taupe-gris', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris"}', 0), + (5115, 1, 5, 'Hoodie oversize capuche tête blanc-noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc-noir"}', 0), + (5116, 1, 5, 'Hoodie oversize capuche tête taupe-corail', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-corail"}', 0), + (5117, 1, 5, 'Hoodie oversize capuche tête kaki', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki"}', 0), + (5118, 1, 5, 'Hoodie oversize capuche tête beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige"}', 0), + (5119, 1, 5, 'Hoodie oversize capuche tête kaki-jaune', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki-jaune"}', 0), + (5120, 1, 5, 'Hoodie oversize capuche tête noir-rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge"}', 0), + (5121, 1, 5, 'Hoodie oversize capuche tête beige-rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige-rouge"}', 0), + (5122, 1, 5, 'Hoodie oversize capuche tête marine-rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"marine-rouge"}', 0), + (5123, 1, 5, 'Hoodie oversize capuche tête noir-vanille', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-vanille"}', 0), + (5124, 1, 5, 'Hoodie oversize capuche tête italy', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"italy"}', 0), + (5125, 1, 5, 'Hoodie oversize capuche tête noir-rouge Obey', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge Obey"}', 0), + (5126, 1, 5, 'Hoodie oversize capuche tête taupe-gris Obey', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris Obey"}', 0), + (5127, 1, 5, 'Hoodie oversize capuche tête anthracite', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"anthracite"}', 0), + (5128, 1, 5, 'Hoodie oversize capuche tête vanille', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vanille"}', 0), + (5129, 1, 5, 'Hoodie oversize capuche tête Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht noir-blanc"}', 0), + (5130, 1, 5, 'Hoodie oversize capuche tête Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht rouge-noir"}', 0), + (5131, 1, 5, 'Hoodie oversize capuche tête noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir"}', 0), + (5132, 1, 5, 'Hoodie oversize capuche tête pétrole', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pétrole"}', 0), + (5133, 2, 5, 'Hoodie oversize capuche tête bleu dents', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu dents"}', 0), + (5134, 2, 5, 'Hoodie oversize capuche tête ciel-noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"ciel-noir"}', 0), + (5135, 2, 5, 'Hoodie oversize capuche tête taupe-gris', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris"}', 0), + (5136, 2, 5, 'Hoodie oversize capuche tête blanc-noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc-noir"}', 0), + (5137, 2, 5, 'Hoodie oversize capuche tête taupe-corail', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-corail"}', 0), + (5138, 2, 5, 'Hoodie oversize capuche tête kaki', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki"}', 0), + (5139, 2, 5, 'Hoodie oversize capuche tête beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige"}', 0), + (5140, 2, 5, 'Hoodie oversize capuche tête kaki-jaune', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki-jaune"}', 0), + (5141, 2, 5, 'Hoodie oversize capuche tête noir-rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge"}', 0), + (5142, 2, 5, 'Hoodie oversize capuche tête beige-rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige-rouge"}', 0), + (5143, 2, 5, 'Hoodie oversize capuche tête marine-rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"marine-rouge"}', 0), + (5144, 2, 5, 'Hoodie oversize capuche tête noir-vanille', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-vanille"}', 0), + (5145, 2, 5, 'Hoodie oversize capuche tête italy', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"italy"}', 0), + (5146, 2, 5, 'Hoodie oversize capuche tête noir-rouge Obey', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge Obey"}', 0), + (5147, 2, 5, 'Hoodie oversize capuche tête taupe-gris Obey', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris Obey"}', 0), + (5148, 2, 5, 'Hoodie oversize capuche tête anthracite', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"anthracite"}', 0), + (5149, 2, 5, 'Hoodie oversize capuche tête vanille', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vanille"}', 0), + (5150, 2, 5, 'Hoodie oversize capuche tête Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht noir-blanc"}', 0), + (5151, 2, 5, 'Hoodie oversize capuche tête Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht rouge-noir"}', 0), + (5152, 2, 5, 'Hoodie oversize capuche tête noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir"}', 0), + (5153, 2, 5, 'Hoodie oversize capuche tête pétrole', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pétrole"}', 0), + (5154, 1, 5, 'Hoodie oversize bleu dents', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu dents"}', 0), + (5155, 1, 5, 'Hoodie oversize ciel-noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"ciel-noir"}', 0), + (5156, 1, 5, 'Hoodie oversize taupe-gris', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris"}', 0), + (5157, 1, 5, 'Hoodie oversize blanc-noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc-noir"}', 0), + (5158, 1, 5, 'Hoodie oversize taupe-corail', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-corail"}', 0), + (5159, 1, 5, 'Hoodie oversize kaki', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki"}', 0), + (5160, 1, 5, 'Hoodie oversize beige', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige"}', 0), + (5161, 1, 5, 'Hoodie oversize kaki-jaune', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki-jaune"}', 0), + (5162, 1, 5, 'Hoodie oversize noir-rouge', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge"}', 0), + (5163, 1, 5, 'Hoodie oversize beige-rouge', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige-rouge"}', 0), + (5164, 1, 5, 'Hoodie oversize marine-rouge', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"marine-rouge"}', 0), + (5165, 1, 5, 'Hoodie oversize noir-vanille', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-vanille"}', 0), + (5166, 1, 5, 'Hoodie oversize italy', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"italy"}', 0), + (5167, 1, 5, 'Hoodie oversize noir-rouge Obey', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge Obey"}', 0), + (5168, 1, 5, 'Hoodie oversize taupe-gris Obey', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris Obey"}', 0), + (5169, 1, 5, 'Hoodie oversize anthracite', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"anthracite"}', 0), + (5170, 1, 5, 'Hoodie oversize vanille', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vanille"}', 0), + (5171, 1, 5, 'Hoodie oversize Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht noir-blanc"}', 0), + (5172, 1, 5, 'Hoodie oversize Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht rouge-noir"}', 0), + (5173, 1, 5, 'Hoodie oversize noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir"}', 0), + (5174, 1, 5, 'Hoodie oversize pétrole', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pétrole"}', 0), + (5175, 2, 5, 'Hoodie oversize bleu dents', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu dents"}', 0), + (5176, 2, 5, 'Hoodie oversize ciel-noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"ciel-noir"}', 0), + (5177, 2, 5, 'Hoodie oversize taupe-gris', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris"}', 0), + (5178, 2, 5, 'Hoodie oversize blanc-noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc-noir"}', 0), + (5179, 2, 5, 'Hoodie oversize taupe-corail', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-corail"}', 0), + (5180, 2, 5, 'Hoodie oversize kaki', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki"}', 0), + (5181, 2, 5, 'Hoodie oversize beige', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige"}', 0), + (5182, 2, 5, 'Hoodie oversize kaki-jaune', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki-jaune"}', 0), + (5183, 2, 5, 'Hoodie oversize noir-rouge', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge"}', 0), + (5184, 2, 5, 'Hoodie oversize beige-rouge', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige-rouge"}', 0), + (5185, 2, 5, 'Hoodie oversize marine-rouge', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"marine-rouge"}', 0), + (5186, 2, 5, 'Hoodie oversize noir-vanille', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-vanille"}', 0), + (5187, 2, 5, 'Hoodie oversize italy', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"italy"}', 0), + (5188, 2, 5, 'Hoodie oversize noir-rouge Obey', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge Obey"}', 0), + (5189, 2, 5, 'Hoodie oversize taupe-gris Obey', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris Obey"}', 0), + (5190, 2, 5, 'Hoodie oversize anthracite', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"anthracite"}', 0), + (5191, 2, 5, 'Hoodie oversize vanille', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vanille"}', 0), + (5192, 2, 5, 'Hoodie oversize Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht noir-blanc"}', 0), + (5193, 2, 5, 'Hoodie oversize Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht rouge-noir"}', 0), + (5194, 2, 5, 'Hoodie oversize noir', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir"}', 0), + (5195, 2, 5, 'Hoodie oversize pétrole', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pétrole"}', 0), + (5196, 3, 12, 'Veste highschool football boutons vert ', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"vert "}', 0), + (5197, 3, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (5198, 3, 12, 'Veste highschool football boutons noir', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"noir"}', 0), + (5199, 3, 12, 'Veste highschool football boutons ouverte vert ', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"vert "}', 0), + (5200, 3, 12, 'Veste highschool football boutons ouverte rouge', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"rouge"}', 0), + (5201, 3, 12, 'Veste highschool football boutons ouverte noir', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"noir"}', 0), + (5202, 1, 2, 'T-shirt logo jaune clair', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"jaune clair"}', 0), + (5203, 1, 2, 'T-shirt logo bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu"}', 0), + (5204, 1, 2, 'T-shirt logo noir-gris', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir-gris"}', 0), + (5205, 1, 2, 'T-shirt logo bleu-pétrole', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu-pétrole"}', 0), + (5206, 1, 2, 'T-shirt logo blanc-taupe', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc-taupe"}', 0), + (5207, 1, 2, 'T-shirt logo noir-orange', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir-orange"}', 0), + (5208, 1, 2, 'T-shirt logo Vapid noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Vapid noir"}', 0), + (5209, 1, 2, 'T-shirt logo voiture noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture noir"}', 0), + (5210, 1, 2, 'T-shirt logo voiture jaune', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture jaune"}', 0), + (5211, 1, 2, 'T-shirt logo truck beige', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"truck beige"}', 0), + (5212, 1, 2, 'T-shirt logo truck bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"truck bleu"}', 0), + (5213, 1, 2, 'T-shirt logo 90\'s noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"90\'s noir"}', 0), + (5214, 1, 2, 'T-shirt logo Obey blanc', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Obey blanc"}', 0), + (5215, 1, 2, 'T-shirt logo Obey rouge', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Obey rouge"}', 0), + (5216, 1, 2, 'T-shirt logo noir-blanc', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir-blanc"}', 0), + (5217, 1, 2, 'T-shirt logo Ruiner noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Ruiner noir"}', 0), + (5218, 1, 2, 'T-shirt logo Ruiner noir-orange', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Ruiner noir-orange"}', 0), + (5219, 1, 2, 'T-shirt logo voiture bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture bleu"}', 0), + (5220, 1, 2, 'T-shirt logo voiture anthracite', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture anthracite"}', 0), + (5221, 1, 2, 'T-shirt logo European motors bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"European motors bleu"}', 0), + (5222, 1, 2, 'T-shirt logo European motors blanc', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"European motors blanc"}', 0), + (5223, 2, 2, 'T-shirt logo jaune clair', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"jaune clair"}', 0), + (5224, 2, 2, 'T-shirt logo bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu"}', 0), + (5225, 2, 2, 'T-shirt logo noir-gris', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir-gris"}', 0), + (5226, 2, 2, 'T-shirt logo bleu-pétrole', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"bleu-pétrole"}', 0), + (5227, 2, 2, 'T-shirt logo blanc-taupe', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"blanc-taupe"}', 0), + (5228, 2, 2, 'T-shirt logo noir-orange', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir-orange"}', 0), + (5229, 2, 2, 'T-shirt logo Vapid noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Vapid noir"}', 0), + (5230, 2, 2, 'T-shirt logo voiture noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture noir"}', 0), + (5231, 2, 2, 'T-shirt logo voiture jaune', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture jaune"}', 0), + (5232, 2, 2, 'T-shirt logo truck beige', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"truck beige"}', 0), + (5233, 2, 2, 'T-shirt logo truck bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"truck bleu"}', 0), + (5234, 2, 2, 'T-shirt logo 90\'s noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"90\'s noir"}', 0), + (5235, 2, 2, 'T-shirt logo Obey blanc', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Obey blanc"}', 0), + (5236, 2, 2, 'T-shirt logo Obey rouge', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Obey rouge"}', 0), + (5237, 2, 2, 'T-shirt logo noir-blanc', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"noir-blanc"}', 0), + (5238, 2, 2, 'T-shirt logo Ruiner noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Ruiner noir"}', 0), + (5239, 2, 2, 'T-shirt logo Ruiner noir-orange', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"Ruiner noir-orange"}', 0), + (5240, 2, 2, 'T-shirt logo voiture bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture bleu"}', 0), + (5241, 2, 2, 'T-shirt logo voiture anthracite', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"voiture anthracite"}', 0), + (5242, 2, 2, 'T-shirt logo European motors bleu', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"European motors bleu"}', 0), + (5243, 2, 2, 'T-shirt logo European motors blanc', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt logo","colorLabel":"European motors blanc"}', 0), + (5244, 1, 12, 'Veste de course rouge', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"rouge"}', 0), + (5245, 1, 12, 'Veste de course vanille', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vanille"}', 0), + (5246, 1, 12, 'Veste de course noir', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"noir"}', 0), + (5247, 1, 12, 'Veste de course vert', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vert"}', 0), + (5248, 1, 12, 'Veste de course citron', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"citron"}', 0), + (5249, 1, 12, 'Veste de course aqua', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"aqua"}', 0), + (5250, 1, 12, 'Veste de course Redwood bleu', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Redwood bleu"}', 0), + (5251, 1, 12, 'Veste de course Rdewood rouge', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Rdewood rouge"}', 0), + (5252, 1, 12, 'Veste de course perle', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"perle"}', 0), + (5253, 1, 12, 'Veste de course blanc-bleu', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"blanc-bleu"}', 0), + (5254, 2, 12, 'Veste de course rouge', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"rouge"}', 0), + (5255, 2, 12, 'Veste de course vanille', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vanille"}', 0), + (5256, 2, 12, 'Veste de course noir', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"noir"}', 0), + (5257, 2, 12, 'Veste de course vert', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vert"}', 0), + (5258, 2, 12, 'Veste de course citron', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"citron"}', 0), + (5259, 2, 12, 'Veste de course aqua', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"aqua"}', 0), + (5260, 2, 12, 'Veste de course Redwood bleu', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Redwood bleu"}', 0), + (5261, 2, 12, 'Veste de course Rdewood rouge', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Rdewood rouge"}', 0), + (5262, 2, 12, 'Veste de course perle', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"perle"}', 0), + (5263, 2, 12, 'Veste de course blanc-bleu', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"blanc-bleu"}', 0), + (5264, 3, 12, 'Bomber à zip fermé noir', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"noir"}', 0), + (5265, 3, 12, 'Bomber à zip fermé bordeaux', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"bordeaux"}', 0), + (5266, 3, 12, 'Bomber à zip fermé orange', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"orange"}', 0), + (5267, 3, 12, 'Bomber à zip fermé vert', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"vert"}', 0), + (5268, 3, 12, 'Bomber à zip fermé chocolat', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"chocolat"}', 0), + (5269, 3, 12, 'Bomber à zip fermé abricot', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"abricot"}', 0), + (5270, 3, 12, 'Bomber à zip fermé bleu', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"bleu"}', 0), + (5271, 3, 12, 'Bomber à zip fermé rouge', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"rouge"}', 0), + (5272, 3, 12, 'Bomber à zip fermé jaune', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"jaune"}', 0), + (5273, 3, 12, 'Bomber à zip fermé camel', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"camel"}', 0), + (5274, 3, 12, 'Bomber à zip fermé blanc', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"blanc"}', 0), + (5275, 3, 12, 'Bomber à zip fermé gris', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Bomber à zip fermé","colorLabel":"gris"}', 0), + (5276, 1, 12, 'Veste moto large col mao Diamond noir', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond noir"}', 0), + (5277, 1, 12, 'Veste moto large col mao Diamond blanc', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond blanc"}', 0), + (5278, 1, 12, 'Veste moto large col mao Crowex vert', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex vert"}', 0), + (5279, 1, 12, 'Veste moto large col mao Crowex noir', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex noir"}', 0), + (5280, 1, 12, 'Veste moto large col mao turquoise-blanc', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise-blanc"}', 0), + (5281, 1, 12, 'Veste moto large col mao rouge-blanc', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge-blanc"}', 0), + (5282, 1, 12, 'Veste moto large col mao kingkong', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"kingkong"}', 0), + (5283, 1, 12, 'Veste moto large col mao bleu fire', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"bleu fire"}', 0), + (5284, 2, 12, 'Veste moto large col mao Diamond noir', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond noir"}', 0), + (5285, 2, 12, 'Veste moto large col mao Diamond blanc', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond blanc"}', 0), + (5286, 2, 12, 'Veste moto large col mao Crowex vert', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex vert"}', 0), + (5287, 2, 12, 'Veste moto large col mao Crowex noir', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex noir"}', 0), + (5288, 2, 12, 'Veste moto large col mao turquoise-blanc', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise-blanc"}', 0), + (5289, 2, 12, 'Veste moto large col mao rouge-blanc', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge-blanc"}', 0), + (5290, 2, 12, 'Veste moto large col mao kingkong', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"kingkong"}', 0), + (5291, 2, 12, 'Veste moto large col mao bleu fire', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"bleu fire"}', 0), + (5292, 3, 12, 'Bomber à zip fermé noir', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"noir"}', 0), + (5293, 3, 12, 'Bomber à zip fermé bordeaux', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"bordeaux"}', 0), + (5294, 3, 12, 'Bomber à zip fermé orange', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"orange"}', 0), + (5295, 3, 12, 'Bomber à zip fermé vert', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"vert"}', 0), + (5296, 3, 12, 'Bomber à zip fermé chocolat', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"chocolat"}', 0), + (5297, 3, 12, 'Bomber à zip fermé abricot', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"abricot"}', 0), + (5298, 3, 12, 'Bomber à zip fermé bleu', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"bleu"}', 0), + (5299, 3, 12, 'Bomber à zip fermé rouge', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"rouge"}', 0), + (5300, 3, 12, 'Bomber à zip fermé jaune', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"jaune"}', 0), + (5301, 3, 12, 'Bomber à zip fermé camel', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"camel"}', 0), + (5302, 3, 12, 'Bomber à zip fermé blanc', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"blanc"}', 0), + (5303, 3, 12, 'Bomber à zip fermé gris', 50, '{"components":{"11":{"Drawable":381,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Bomber à zip fermé","colorLabel":"gris"}', 0), + (5304, 3, 3, 'Polo sportif à motifs sorti ciel', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"ciel"}', 0), + (5305, 3, 3, 'Polo sportif à motifs sorti pêche', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"pêche"}', 0), + (5306, 3, 3, 'Polo sportif à motifs sorti jaune', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"jaune"}', 0), + (5307, 3, 3, 'Polo sportif à motifs sorti beige', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"beige"}', 0), + (5308, 3, 3, 'Polo sportif à motifs sorti marine', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"marine"}', 0), + (5309, 3, 3, 'Polo sportif à motifs sorti rose', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"rose"}', 0), + (5310, 3, 3, 'Polo sportif à motifs sorti taupe', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"taupe"}', 0), + (5311, 3, 3, 'Polo sportif à motifs sorti vert', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs sorti","colorLabel":"vert"}', 0), + (5312, 3, 3, 'Polo sportif à motifs rentré ciel', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"ciel"}', 0), + (5313, 3, 3, 'Polo sportif à motifs rentré pêche', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"pêche"}', 0), + (5314, 3, 3, 'Polo sportif à motifs rentré jaune', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"jaune"}', 0), + (5315, 3, 3, 'Polo sportif à motifs rentré beige', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"beige"}', 0), + (5316, 3, 3, 'Polo sportif à motifs rentré marine', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"marine"}', 0), + (5317, 3, 3, 'Polo sportif à motifs rentré rose', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"rose"}', 0), + (5318, 3, 3, 'Polo sportif à motifs rentré taupe', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"taupe"}', 0), + (5319, 3, 3, 'Polo sportif à motifs rentré vert', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo sportif à motifs rentré","colorLabel":"vert"}', 0), + (5320, 3, 5, 'Hoodie noir', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"noir"}', 0), + (5321, 3, 5, 'Hoodie gris', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"gris"}', 0), + (5322, 3, 5, 'Hoodie crème', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"crème"}', 0), + (5323, 3, 5, 'Hoodie blanc', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"blanc"}', 0), + (5324, 3, 5, 'Hoodie beige', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"beige"}', 0), + (5325, 3, 5, 'Hoodie brun', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"brun"}', 0), + (5326, 3, 5, 'Hoodie framboise', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"framboise"}', 0), + (5327, 3, 5, 'Hoodie fuchsia', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"fuchsia"}', 0), + (5328, 3, 5, 'Hoodie rouge', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rouge"}', 0), + (5329, 3, 5, 'Hoodie orange', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"orange"}', 0), + (5330, 3, 5, 'Hoodie citron', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"citron"}', 0), + (5331, 3, 5, 'Hoodie vanille', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"vanille"}', 0), + (5332, 3, 5, 'Hoodie marine', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"marine"}', 0), + (5333, 3, 5, 'Hoodie indigo', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"indigo"}', 0), + (5334, 3, 5, 'Hoodie bleu', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"bleu"}', 0), + (5335, 3, 5, 'Hoodie turquoise', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"turquoise"}', 0), + (5336, 3, 5, 'Hoodie perle', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"perle"}', 0), + (5337, 3, 5, 'Hoodie pêche', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"pêche"}', 0), + (5338, 3, 5, 'Hoodie vert', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"vert"}', 0), + (5339, 3, 5, 'Hoodie menthe', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"menthe"}', 0), + (5340, 3, 5, 'Hoodie kaki', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"kaki"}', 0), + (5341, 3, 5, 'Hoodie lime', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"lime"}', 0), + (5342, 3, 5, 'Hoodie abricot', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"abricot"}', 0), + (5343, 3, 5, 'Hoodie rose', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rose"}', 0), + (5344, 3, 5, 'Hoodie violet', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"violet"}', 0), + (5345, 3, 5, 'Hoodie capuche tête noir', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir"}', 0), + (5346, 3, 5, 'Hoodie capuche tête gris', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"gris"}', 0), + (5347, 3, 5, 'Hoodie capuche tête crème', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"crème"}', 0), + (5348, 3, 5, 'Hoodie capuche tête blanc', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"blanc"}', 0), + (5349, 3, 5, 'Hoodie capuche tête beige', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"beige"}', 0), + (5350, 3, 5, 'Hoodie capuche tête brun', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"brun"}', 0), + (5351, 3, 5, 'Hoodie capuche tête framboise', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"framboise"}', 0), + (5352, 3, 5, 'Hoodie capuche tête fuchsia', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"fuchsia"}', 0), + (5353, 3, 5, 'Hoodie capuche tête rouge', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"rouge"}', 0), + (5354, 3, 5, 'Hoodie capuche tête orange', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"orange"}', 0), + (5355, 3, 5, 'Hoodie capuche tête citron', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"citron"}', 0), + (5356, 3, 5, 'Hoodie capuche tête vanille', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"vanille"}', 0), + (5357, 3, 5, 'Hoodie capuche tête marine', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"marine"}', 0), + (5358, 3, 5, 'Hoodie capuche tête indigo', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"indigo"}', 0), + (5359, 3, 5, 'Hoodie capuche tête bleu', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"bleu"}', 0), + (5360, 3, 5, 'Hoodie capuche tête turquoise', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"turquoise"}', 0), + (5361, 3, 5, 'Hoodie capuche tête perle', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"perle"}', 0), + (5362, 3, 5, 'Hoodie capuche tête pêche', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"pêche"}', 0), + (5363, 3, 5, 'Hoodie capuche tête vert', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"vert"}', 0), + (5364, 3, 5, 'Hoodie capuche tête menthe', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"menthe"}', 0), + (5365, 3, 5, 'Hoodie capuche tête kaki', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"kaki"}', 0), + (5366, 3, 5, 'Hoodie capuche tête lime', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"lime"}', 0), + (5367, 3, 5, 'Hoodie capuche tête abricot', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"abricot"}', 0), + (5368, 3, 5, 'Hoodie capuche tête rose', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"rose"}', 0), + (5369, 3, 5, 'Hoodie capuche tête violet', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"violet"}', 0), + (5370, 3, 12, 'Veste en tissus à zip fermée orange', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"orange"}', 0), + (5371, 3, 12, 'Veste en tissus à zip fermée citron', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"citron"}', 0), + (5372, 3, 12, 'Veste en tissus à zip fermée fraise', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"fraise"}', 0), + (5373, 3, 12, 'Veste en tissus à zip fermée cassis', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"cassis"}', 0), + (5374, 3, 12, 'Veste en tissus à zip fermée jaune', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"jaune"}', 0), + (5375, 3, 12, 'Veste en tissus à zip fermée gris', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"gris"}', 0), + (5376, 3, 12, 'Veste en tissus à zip fermée vert', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"vert"}', 0), + (5377, 3, 12, 'Veste en tissus à zip fermée fire', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"fire"}', 0), + (5378, 3, 12, 'Veste en tissus à zip fermée marron', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"marron"}', 0), + (5379, 3, 12, 'Veste en tissus à zip fermée noir', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"noir"}', 0), + (5380, 3, 12, 'Veste en tissus à zip fermée ciel', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"ciel"}', 0), + (5381, 3, 12, 'Veste en tissus à zip fermée abricot', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"abricot"}', 0), + (5382, 3, 12, 'Veste en tissus à zip fermée perle', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"perle"}', 0), + (5383, 3, 12, 'Veste en tissus à zip fermée blanc', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"blanc"}', 0), + (5384, 3, 12, 'Veste en tissus à zip ouverte orange', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"orange"}', 0), + (5385, 3, 12, 'Veste en tissus à zip ouverte citron', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"citron"}', 0), + (5386, 3, 12, 'Veste en tissus à zip ouverte fraise', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"fraise"}', 0), + (5387, 3, 12, 'Veste en tissus à zip ouverte cassis', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"cassis"}', 0), + (5388, 3, 12, 'Veste en tissus à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"jaune"}', 0), + (5389, 3, 12, 'Veste en tissus à zip ouverte gris', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"gris"}', 0), + (5390, 3, 12, 'Veste en tissus à zip ouverte vert', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"vert"}', 0), + (5391, 3, 12, 'Veste en tissus à zip ouverte fire', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"fire"}', 0), + (5392, 3, 12, 'Veste en tissus à zip ouverte marron', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"marron"}', 0), + (5393, 3, 12, 'Veste en tissus à zip ouverte noir', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"noir"}', 0), + (5394, 3, 12, 'Veste en tissus à zip ouverte ciel', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"ciel"}', 0), + (5395, 3, 12, 'Veste en tissus à zip ouverte abricot', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"abricot"}', 0), + (5396, 3, 12, 'Veste en tissus à zip ouverte perle', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"perle"}', 0), + (5397, 3, 12, 'Veste en tissus à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"blanc"}', 0), + (5398, 3, 12, 'Veste à zip fermée blanc', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"blanc"}', 0), + (5399, 3, 12, 'Veste à zip fermée gris', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"gris"}', 0), + (5400, 3, 12, 'Veste à zip fermée anthracite', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"anthracite"}', 0), + (5401, 3, 12, 'Veste à zip fermée noir', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"noir"}', 0), + (5402, 3, 12, 'Veste à zip fermée jaune', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"jaune"}', 0), + (5403, 3, 12, 'Veste à zip fermée marine', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"marine"}', 0), + (5404, 3, 12, 'Veste à zip fermée kaki', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"kaki"}', 0), + (5405, 3, 12, 'Veste à zip fermée pêche', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"pêche"}', 0), + (5406, 3, 12, 'Veste à zip fermée Broker taupe', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Broker taupe"}', 0), + (5407, 3, 12, 'Veste à zip fermée Broker brun', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Broker brun"}', 0), + (5408, 3, 12, 'Veste à zip fermée dégradé bleu-jaune', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"dégradé bleu-jaune"}', 0), + (5409, 3, 12, 'Veste à zip fermée dégradé noir-orange', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"dégradé noir-orange"}', 0), + (5410, 3, 12, 'Veste à zip fermée carreaux taupe', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"carreaux taupe"}', 0), + (5411, 3, 12, 'Veste à zip fermée carreaux beige', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"carreaux beige"}', 0), + (5412, 3, 12, 'Veste à zip fermée léopard', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"léopard"}', 0), + (5413, 3, 12, 'Veste à zip fermée léopard violet', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"léopard violet"}', 0), + (5414, 3, 12, 'Veste à zip fermée Hinterland taupe', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Hinterland taupe"}', 0), + (5415, 3, 12, 'Veste à zip fermée Hinterland brun', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Hinterland brun"}', 0), + (5416, 3, 12, 'Veste à zip fermée HVY beige', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"HVY beige"}', 0), + (5417, 3, 12, 'Veste à zip fermée HVY gris', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"HVY gris"}', 0), + (5418, 3, 12, 'Veste à zip fermée Yoga brun', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Yoga brun"}', 0), + (5419, 3, 12, 'Veste à zip fermée Yoga gris', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Yoga gris"}', 0), + (5420, 3, 12, 'Veste à zip fermée zèbre rose', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"zèbre rose"}', 0), + (5421, 3, 12, 'Veste à zip fermée zèbre noir', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"zèbre noir"}', 0), + (5422, 3, 12, 'Veste à zip fermée tâches bleu', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"tâches bleu"}', 0), + (5423, 3, 12, 'Veste à zip fermée multicolore-noire', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"multicolore-noire"}', 0), + (5424, 3, 12, 'Veste à zip fermée gris-blanc', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"gris-blanc"}', 0), + (5425, 3, 12, 'Veste à zip fermée camo olive', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"camo olive"}', 0), + (5426, 3, 12, 'Veste à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"blanc"}', 0), + (5427, 3, 12, 'Veste à zip ouverte gris', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"gris"}', 0), + (5428, 3, 12, 'Veste à zip ouverte anthracite', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"anthracite"}', 0), + (5429, 3, 12, 'Veste à zip ouverte noir', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"noir"}', 0), + (5430, 3, 12, 'Veste à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"jaune"}', 0), + (5431, 3, 12, 'Veste à zip ouverte marine', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"marine"}', 0), + (5432, 3, 12, 'Veste à zip ouverte kaki', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"kaki"}', 0), + (5433, 3, 12, 'Veste à zip ouverte pêche', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"pêche"}', 0), + (5434, 3, 12, 'Veste à zip ouverte Broker taupe', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Broker taupe"}', 0), + (5435, 3, 12, 'Veste à zip ouverte Broker brun', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Broker brun"}', 0), + (5436, 3, 12, 'Veste à zip ouverte dégradé bleu-jaune', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"dégradé bleu-jaune"}', 0), + (5437, 3, 12, 'Veste à zip ouverte dégradé noir-orange', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"dégradé noir-orange"}', 0), + (5438, 3, 12, 'Veste à zip ouverte carreaux taupe', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"carreaux taupe"}', 0), + (5439, 3, 12, 'Veste à zip ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"carreaux beige"}', 0), + (5440, 3, 12, 'Veste à zip ouverte léopard', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"léopard"}', 0), + (5441, 3, 12, 'Veste à zip ouverte léopard violet', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"léopard violet"}', 0), + (5442, 3, 12, 'Veste à zip ouverte Hinterland taupe', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Hinterland taupe"}', 0), + (5443, 3, 12, 'Veste à zip ouverte Hinterland brun', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Hinterland brun"}', 0), + (5444, 3, 12, 'Veste à zip ouverte HVY beige', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"HVY beige"}', 0), + (5445, 3, 12, 'Veste à zip ouverte HVY gris', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"HVY gris"}', 0), + (5446, 3, 12, 'Veste à zip ouverte Yoga brun', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Yoga brun"}', 0), + (5447, 3, 12, 'Veste à zip ouverte Yoga gris', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Yoga gris"}', 0), + (5448, 3, 12, 'Veste à zip ouverte zèbre rose', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"zèbre rose"}', 0), + (5449, 3, 12, 'Veste à zip ouverte zèbre noir', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"zèbre noir"}', 0), + (5450, 3, 12, 'Veste à zip ouverte tâches bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"tâches bleu"}', 0), + (5451, 3, 12, 'Veste à zip ouverte multicolore-noire', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"multicolore-noire"}', 0), + (5452, 3, 12, 'Veste à zip ouverte gris-blanc', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"gris-blanc"}', 0), + (5453, 3, 12, 'Veste à zip ouverte camo olive', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"camo olive"}', 0), + (5454, 1, 2, 'T-shirt à motifs vert motifs', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"vert motifs"}', 0), + (5455, 1, 2, 'T-shirt à motifs rouge motifs', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"rouge motifs"}', 0), + (5456, 1, 2, 'T-shirt à motifs DJ Pooh orange', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"DJ Pooh orange"}', 0), + (5457, 1, 2, 'T-shirt à motifs WestCoast blanc', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"WestCoast blanc"}', 0), + (5458, 1, 2, 'T-shirt à motifs WestCoast bleu', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"WestCoast bleu"}', 0), + (5459, 2, 2, 'T-shirt à motifs vert motifs', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"vert motifs"}', 0), + (5460, 2, 2, 'T-shirt à motifs rouge motifs', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"rouge motifs"}', 0), + (5461, 2, 2, 'T-shirt à motifs DJ Pooh orange', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"DJ Pooh orange"}', 0), + (5462, 2, 2, 'T-shirt à motifs WestCoast blanc', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"WestCoast blanc"}', 0), + (5463, 2, 2, 'T-shirt à motifs WestCoast bleu', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"WestCoast bleu"}', 0), + (5464, 1, 10, 'Perfecto manches longues noir patché', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir patché"}', 0), + (5465, 2, 10, 'Perfecto manches longues noir patché', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"noir patché"}', 0), + (5466, 1, 10, 'Perfecto sans manche noir patché', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"noir patché"}', 0), + (5467, 2, 10, 'Perfecto sans manche noir patché', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"noir patché"}', 0), + (5468, 1, 10, 'Perfecto manches longues brun patché', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brun patché"}', 0), + (5469, 2, 10, 'Perfecto manches longues brun patché', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brun patché"}', 0), + (5470, 1, 10, 'Perfecto sans manche brun patché', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brun patché"}', 0), + (5471, 2, 10, 'Perfecto sans manche brun patché', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brun patché"}', 0), + (5472, 1, 10, 'Perfecto manches longues rouge munition', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"rouge munition"}', 0), + (5473, 2, 10, 'Perfecto manches longues rouge munition', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"rouge munition"}', 0), + (5474, 1, 10, 'Perfecto sans manche rouge munition', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"rouge munition"}', 0), + (5475, 2, 10, 'Perfecto sans manche rouge munition', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"rouge munition"}', 0), + (5476, 3, 5, 'Hoodie daddy noir', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"daddy noir"}', 0), + (5477, 3, 5, 'Hoodie capuche tête daddy noir', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"daddy noir"}', 0), + (5478, 3, 12, 'Veste en cuir à zip fermée noir', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"noir"}', 0), + (5479, 3, 12, 'Veste en cuir à zip fermée gris', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"gris"}', 0), + (5480, 3, 12, 'Veste en cuir à zip fermée crème', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"crème"}', 0), + (5481, 3, 12, 'Veste en cuir à zip fermée blanc', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"blanc"}', 0), + (5482, 3, 12, 'Veste en cuir à zip fermée bordeaux', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"bordeaux"}', 0), + (5483, 3, 12, 'Veste en cuir à zip fermée feu', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"feu"}', 0), + (5484, 3, 12, 'Veste en cuir à zip fermée vert', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"vert"}', 0), + (5485, 3, 12, 'Veste en cuir à zip fermée rouge', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"rouge"}', 0), + (5486, 3, 12, 'Veste en cuir à zip fermée orange', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"orange"}', 0), + (5487, 3, 12, 'Veste en cuir à zip fermée jaune', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"jaune"}', 0), + (5488, 3, 12, 'Veste en cuir à zip fermée camel', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"camel"}', 0), + (5489, 3, 12, 'Veste en cuir à zip fermée pêche', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"pêche"}', 0), + (5490, 3, 12, 'Veste en cuir à zip fermée marine', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"marine"}', 0), + (5491, 3, 12, 'Veste en cuir à zip fermée ciel', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"ciel"}', 0), + (5492, 3, 12, 'Veste en cuir à zip ouverte noir', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"noir"}', 0), + (5493, 3, 12, 'Veste en cuir à zip ouverte gris', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"gris"}', 0), + (5494, 3, 12, 'Veste en cuir à zip ouverte crème', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"crème"}', 0), + (5495, 3, 12, 'Veste en cuir à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"blanc"}', 0), + (5496, 3, 12, 'Veste en cuir à zip ouverte bordeaux', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"bordeaux"}', 0), + (5497, 3, 12, 'Veste en cuir à zip ouverte feu', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"feu"}', 0), + (5498, 3, 12, 'Veste en cuir à zip ouverte vert', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"vert"}', 0), + (5499, 3, 12, 'Veste en cuir à zip ouverte rouge', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"rouge"}', 0), + (5500, 3, 12, 'Veste en cuir à zip ouverte orange', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"orange"}', 0), + (5501, 3, 12, 'Veste en cuir à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"jaune"}', 0), + (5502, 3, 12, 'Veste en cuir à zip ouverte camel', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"camel"}', 0), + (5503, 3, 12, 'Veste en cuir à zip ouverte pêche', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"pêche"}', 0), + (5504, 3, 12, 'Veste en cuir à zip ouverte marine', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"marine"}', 0), + (5505, 3, 12, 'Veste en cuir à zip ouverte ciel', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"ciel"}', 0), + (5506, 3, 7, 'Chemise longue m. courtes uni noir', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"noir"}', 0), + (5507, 3, 7, 'Chemise longue m. courtes uni gris', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"gris"}', 0), + (5508, 3, 7, 'Chemise longue m. courtes uni crème', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"crème"}', 0), + (5509, 3, 7, 'Chemise longue m. courtes uni blanc', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"blanc"}', 0), + (5510, 3, 7, 'Chemise longue m. courtes uni beige', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"beige"}', 0), + (5511, 3, 7, 'Chemise longue m. courtes uni brun', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"brun"}', 0), + (5512, 3, 7, 'Chemise longue m. courtes uni framboise', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"framboise"}', 0), + (5513, 3, 7, 'Chemise longue m. courtes uni fuchsia', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"fuchsia"}', 0), + (5514, 3, 7, 'Chemise longue m. courtes uni rouge', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"rouge"}', 0), + (5515, 3, 7, 'Chemise longue m. courtes uni orange', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"orange"}', 0), + (5516, 3, 7, 'Chemise longue m. courtes uni citron', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"citron"}', 0), + (5517, 3, 7, 'Chemise longue m. courtes uni vanille', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"vanille"}', 0), + (5518, 3, 7, 'Chemise longue m. courtes uni marine', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"marine"}', 0), + (5519, 3, 7, 'Chemise longue m. courtes uni indigo', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"indigo"}', 0), + (5520, 3, 7, 'Chemise longue m. courtes uni bleu', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"bleu"}', 0), + (5521, 3, 7, 'Chemise longue m. courtes uni turquoise', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"turquoise"}', 0), + (5522, 3, 7, 'Chemise longue m. courtes uni perle', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"perle"}', 0), + (5523, 3, 7, 'Chemise longue m. courtes uni pêche', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"pêche"}', 0), + (5524, 3, 7, 'Chemise longue m. courtes uni vert', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"vert"}', 0), + (5525, 3, 7, 'Chemise longue m. courtes uni menthe', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"menthe"}', 0), + (5526, 3, 7, 'Chemise longue m. courtes uni kaki', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"kaki"}', 0), + (5527, 3, 7, 'Chemise longue m. courtes uni lime', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"lime"}', 0), + (5528, 3, 7, 'Chemise longue m. courtes uni abricot', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"abricot"}', 0), + (5529, 3, 7, 'Chemise longue m. courtes uni rose', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"rose"}', 0), + (5530, 3, 7, 'Chemise longue m. courtes uni violet', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes uni","colorLabel":"violet"}', 0), + (5531, 3, 7, 'Chemise longue m. courtes motifs tropical feuilles vert', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"tropical feuilles vert"}', 0), + (5532, 3, 7, 'Chemise longue m. courtes motifs tropical feuilles corail', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"tropical feuilles corail"}', 0), + (5533, 3, 7, 'Chemise longue m. courtes motifs feuillage taupe', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"feuillage taupe"}', 0), + (5534, 3, 7, 'Chemise longue m. courtes motifs feuillage rouge', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"feuillage rouge"}', 0), + (5535, 3, 7, 'Chemise longue m. courtes motifs feuilles menthe', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"feuilles menthe"}', 0), + (5536, 3, 7, 'Chemise longue m. courtes motifs feuilles rose', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"feuilles rose"}', 0), + (5537, 3, 7, 'Chemise longue m. courtes motifs palmiers menthe', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"palmiers menthe"}', 0), + (5538, 3, 7, 'Chemise longue m. courtes motifs palmiers dégradé', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"palmiers dégradé"}', 0), + (5539, 3, 7, 'Chemise longue m. courtes motifs ananas noir', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"ananas noir"}', 0), + (5540, 3, 7, 'Chemise longue m. courtes motifs ananas rouge', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"ananas rouge"}', 0), + (5541, 3, 7, 'Chemise longue m. courtes motifs photos noir', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"photos noir"}', 0), + (5542, 3, 7, 'Chemise longue m. courtes motifs photos blanc', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"photos blanc"}', 0), + (5543, 3, 7, 'Chemise longue m. courtes motifs fleurs bleu', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"fleurs bleu"}', 0), + (5544, 3, 7, 'Chemise longue m. courtes motifs fleurs pétrole', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"fleurs pétrole"}', 0), + (5545, 3, 7, 'Chemise longue m. courtes motifs rayures rouge', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"rayures rouge"}', 0), + (5546, 3, 7, 'Chemise longue m. courtes motifs rayures bleu', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"rayures bleu"}', 0), + (5547, 3, 7, 'Chemise longue m. courtes motifs nuage bleu', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"nuage bleu"}', 0), + (5548, 3, 7, 'Chemise longue m. courtes motifs nuage rose', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"nuage rose"}', 0), + (5549, 3, 7, 'Chemise longue m. courtes motifs passion bleu', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"passion bleu"}', 0), + (5550, 3, 7, 'Chemise longue m. courtes motifs passion blanc', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"passion blanc"}', 0), + (5551, 1, 2, 'T-shirt à motifs halloween', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"halloween"}', 0), + (5552, 2, 2, 'T-shirt à motifs halloween', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"halloween"}', 0), + (5553, 3, 7, 'Chemise longue m. courtes motifs noir-jaune', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise longue m. courtes motifs","colorLabel":"noir-jaune"}', 0), + (5554, 3, 12, 'Veste highschool football boutons daddy', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"daddy"}', 0), + (5555, 3, 12, 'Veste highschool football boutons justice', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"justice"}', 0), + (5556, 3, 12, 'Veste highschool football boutons diamond', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"diamond"}', 0), + (5557, 3, 12, 'Veste highschool football boutons ouverte daddy', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"daddy"}', 0), + (5558, 3, 12, 'Veste highschool football boutons ouverte justice', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"justice"}', 0), + (5559, 3, 12, 'Veste highschool football boutons ouverte diamond', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Veste highschool football boutons ouverte","colorLabel":"diamond"}', 0), + (5560, 3, 9, 'Pull manches longues noir justice', 50, '{"components":{"11":{"Drawable":410,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues","colorLabel":"noir justice"}', 0), + (5561, 1, 10, 'Perfecto manches longues blanc patché clous', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"blanc patché clous"}', 0), + (5562, 2, 10, 'Perfecto manches longues blanc patché clous', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"blanc patché clous"}', 0), + (5563, 1, 10, 'Perfecto sans manche blanc patché clous', 50, '{"components":{"11":{"Drawable":412,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"blanc patché clous"}', 0), + (5564, 2, 10, 'Perfecto sans manche blanc patché clous', 50, '{"components":{"11":{"Drawable":412,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"blanc patché clous"}', 0), + (5565, 3, 9, 'Pull col en V noir', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"noir"}', 0), + (5566, 3, 9, 'Pull col en V gris', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"gris"}', 0), + (5567, 3, 9, 'Pull col en V crème', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"crème"}', 0), + (5568, 3, 9, 'Pull col en V blanc', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"blanc"}', 0), + (5569, 3, 9, 'Pull col en V beige', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"beige"}', 0), + (5570, 3, 9, 'Pull col en V brun', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"brun"}', 0), + (5571, 3, 9, 'Pull col en V framboise', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"framboise"}', 0), + (5572, 3, 9, 'Pull col en V fuchsia', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"fuchsia"}', 0), + (5573, 3, 9, 'Pull col en V rouge', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"rouge"}', 0), + (5574, 3, 9, 'Pull col en V orange', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"orange"}', 0), + (5575, 3, 9, 'Pull col en V citron', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"citron"}', 0), + (5576, 3, 9, 'Pull col en V vanille', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"vanille"}', 0), + (5577, 3, 9, 'Pull col en V marine', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"marine"}', 0), + (5578, 3, 9, 'Pull col en V indigo', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"indigo"}', 0), + (5579, 3, 9, 'Pull col en V bleu', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"bleu"}', 0), + (5580, 3, 9, 'Pull col en V turquoise', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"turquoise"}', 0), + (5581, 3, 9, 'Pull col en V perle', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"perle"}', 0), + (5582, 3, 9, 'Pull col en V pêche', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"pêche"}', 0), + (5583, 3, 9, 'Pull col en V vert', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"vert"}', 0), + (5584, 3, 9, 'Pull col en V menthe', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"menthe"}', 0), + (5585, 3, 9, 'Pull col en V kaki', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"kaki"}', 0), + (5586, 3, 9, 'Pull col en V lime', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"lime"}', 0), + (5587, 3, 9, 'Pull col en V abricot', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"abricot"}', 0), + (5588, 3, 9, 'Pull col en V rose', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"rose"}', 0), + (5589, 3, 9, 'Pull col en V violet', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"violet"}', 0), + (5590, 3, 12, 'Gilet en laine noir', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"noir"}', 0), + (5591, 3, 12, 'Gilet en laine gris', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"gris"}', 0), + (5592, 3, 12, 'Gilet en laine crème', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"crème"}', 0), + (5593, 3, 12, 'Gilet en laine blanc', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"blanc"}', 0), + (5594, 3, 12, 'Gilet en laine beige', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"beige"}', 0), + (5595, 3, 12, 'Gilet en laine brun', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"brun"}', 0), + (5596, 3, 12, 'Gilet en laine framboise', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"framboise"}', 0), + (5597, 3, 12, 'Gilet en laine fuchsia', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"fuchsia"}', 0), + (5598, 3, 12, 'Gilet en laine rouge', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"rouge"}', 0), + (5599, 3, 12, 'Gilet en laine orange', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"orange"}', 0), + (5600, 3, 12, 'Gilet en laine citron', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"citron"}', 0), + (5601, 3, 12, 'Gilet en laine vanille', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"vanille"}', 0), + (5602, 3, 12, 'Gilet en laine marine', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"marine"}', 0), + (5603, 3, 12, 'Gilet en laine indigo', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"indigo"}', 0), + (5604, 3, 12, 'Gilet en laine bleu', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"bleu"}', 0), + (5605, 3, 12, 'Gilet en laine turquoise', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"turquoise"}', 0), + (5606, 3, 12, 'Gilet en laine perle', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"perle"}', 0), + (5607, 3, 12, 'Gilet en laine pêche', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"pêche"}', 0), + (5608, 3, 12, 'Gilet en laine vert', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"vert"}', 0), + (5609, 3, 12, 'Gilet en laine menthe', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"menthe"}', 0), + (5610, 3, 12, 'Gilet en laine kaki', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"kaki"}', 0), + (5611, 3, 12, 'Gilet en laine lime', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"lime"}', 0), + (5612, 3, 12, 'Gilet en laine abricot', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"abricot"}', 0), + (5613, 3, 12, 'Gilet en laine rose', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"rose"}', 0), + (5614, 3, 12, 'Gilet en laine violet', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"violet"}', 0), + (5615, 3, 11, 'Perfecto sans manche brillant noir', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant noir"}', 0), + (5616, 3, 11, 'Perfecto sans manche brillant anthracite', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant anthracite"}', 0), + (5617, 3, 11, 'Perfecto sans manche brillant gris', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant gris"}', 9), + (5618, 3, 11, 'Perfecto sans manche brillant blanc', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant blanc"}', 0), + (5619, 3, 11, 'Perfecto sans manche brillant marron', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant marron"}', 0), + (5620, 3, 11, 'Perfecto sans manche brillant feu', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant feu"}', 0), + (5621, 3, 11, 'Perfecto sans manche brillant vert', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant vert"}', 0), + (5622, 3, 11, 'Perfecto sans manche brillant rouge', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant rouge"}', 0), + (5623, 3, 11, 'Perfecto sans manche brillant orange', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant orange"}', 0), + (5624, 3, 11, 'Perfecto sans manche brillant jaune', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant jaune"}', 0), + (5625, 3, 11, 'Perfecto sans manche brillant poils de chameau', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant poils de chameau"}', 0), + (5626, 3, 11, 'Perfecto sans manche brillant camel', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant camel"}', 0), + (5627, 3, 11, 'Perfecto sans manche brillant marine', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant marine"}', 0), + (5628, 3, 11, 'Perfecto sans manche brillant ciel', 50, '{"components":{"11":{"Drawable":415,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[3, 4, 5, 6],"modelLabel":"Perfecto sans manche","colorLabel":"brillant ciel"}', 0), + (5629, 3, 4, 'Perfecto manches longues brillant noir', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant noir"}', 0), + (5630, 3, 4, 'Perfecto manches longues brillant anthracite', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant anthracite"}', 0), + (5631, 3, 4, 'Perfecto manches longues brillant gris', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant gris"}', 0), + (5632, 3, 4, 'Perfecto manches longues brillant blanc', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant blanc"}', 0), + (5633, 3, 4, 'Perfecto manches longues brillant marron', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant marron"}', 0), + (5634, 3, 4, 'Perfecto manches longues brillant feu', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant feu"}', 0), + (5635, 3, 4, 'Perfecto manches longues brillant vert', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant vert"}', 0), + (5636, 3, 4, 'Perfecto manches longues brillant rouge', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant rouge"}', 0), + (5637, 3, 4, 'Perfecto manches longues brillant orange', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant orange"}', 0), + (5638, 3, 4, 'Perfecto manches longues brillant jaune', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant jaune"}', 0), + (5639, 3, 4, 'Perfecto manches longues brillant poils de chameau', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant poils de chameau"}', 0), + (5640, 3, 4, 'Perfecto manches longues brillant camel', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant camel"}', 0), + (5641, 3, 4, 'Perfecto manches longues brillant marine', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant marine"}', 0), + (5642, 3, 4, 'Perfecto manches longues brillant ciel', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Perfecto manches longues","colorLabel":"brillant ciel"}', 0), + (5643, 1, 2, 'T-shirt retroussé crâne', 50, '{"components":{"11":{"Drawable":417,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"crâne"}', 0), + (5644, 1, 2, 'T-shirt retroussé crâne sang', 50, '{"components":{"11":{"Drawable":417,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"crâne sang"}', 0), + (5645, 2, 2, 'T-shirt retroussé crâne', 50, '{"components":{"11":{"Drawable":417,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"crâne"}', 0), + (5646, 2, 2, 'T-shirt retroussé crâne sang', 50, '{"components":{"11":{"Drawable":417,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt retroussé","colorLabel":"crâne sang"}', 0), + (5647, 1, 2, 'T-shirt à motifs crâne', 50, '{"components":{"11":{"Drawable":418,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"crâne"}', 0), + (5648, 1, 2, 'T-shirt à motifs crâne sang', 50, '{"components":{"11":{"Drawable":418,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"crâne sang"}', 0), + (5649, 2, 2, 'T-shirt à motifs crâne', 50, '{"components":{"11":{"Drawable":418,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"crâne"}', 0), + (5650, 2, 2, 'T-shirt à motifs crâne sang', 50, '{"components":{"11":{"Drawable":418,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"crâne sang"}', 0), + (5651, 3, 7, 'Chemise longue m. courtes ouverte uni noir', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"noir"}', 0), + (5652, 3, 7, 'Chemise longue m. courtes ouverte uni gris', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"gris"}', 0), + (5653, 3, 7, 'Chemise longue m. courtes ouverte uni crème', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"crème"}', 0), + (5654, 3, 7, 'Chemise longue m. courtes ouverte uni blanc', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"blanc"}', 0), + (5655, 3, 7, 'Chemise longue m. courtes ouverte uni beige', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"beige"}', 0), + (5656, 3, 7, 'Chemise longue m. courtes ouverte uni brun', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"brun"}', 0), + (5657, 3, 7, 'Chemise longue m. courtes ouverte uni framboise', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"framboise"}', 0), + (5658, 3, 7, 'Chemise longue m. courtes ouverte uni fuchsia', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"fuchsia"}', 0), + (5659, 3, 7, 'Chemise longue m. courtes ouverte uni rouge', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"rouge"}', 0), + (5660, 3, 7, 'Chemise longue m. courtes ouverte uni orange', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"orange"}', 0), + (5661, 3, 7, 'Chemise longue m. courtes ouverte uni citron', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"citron"}', 0), + (5662, 3, 7, 'Chemise longue m. courtes ouverte uni vanille', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"vanille"}', 0), + (5663, 3, 7, 'Chemise longue m. courtes ouverte uni marine', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"marine"}', 0), + (5664, 3, 7, 'Chemise longue m. courtes ouverte uni indigo', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"indigo"}', 0), + (5665, 3, 7, 'Chemise longue m. courtes ouverte uni bleu', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"bleu"}', 0), + (5666, 3, 7, 'Chemise longue m. courtes ouverte uni turquoise', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"turquoise"}', 0), + (5667, 3, 7, 'Chemise longue m. courtes ouverte uni perle', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"perle"}', 0), + (5668, 3, 7, 'Chemise longue m. courtes ouverte uni pêche', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"pêche"}', 0), + (5669, 3, 7, 'Chemise longue m. courtes ouverte uni vert', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"vert"}', 0), + (5670, 3, 7, 'Chemise longue m. courtes ouverte uni menthe', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"menthe"}', 0), + (5671, 3, 7, 'Chemise longue m. courtes ouverte uni kaki', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"kaki"}', 0), + (5672, 3, 7, 'Chemise longue m. courtes ouverte uni lime', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"lime"}', 0), + (5673, 3, 7, 'Chemise longue m. courtes ouverte uni abricot', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"abricot"}', 0), + (5674, 3, 7, 'Chemise longue m. courtes ouverte uni rose', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"rose"}', 0), + (5675, 3, 7, 'Chemise longue m. courtes ouverte uni violet', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte uni","colorLabel":"violet"}', 0), + (5676, 3, 7, 'Chemise longue m. courtes ouverte motifs tropical feuilles vert', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"tropical feuilles vert"}', 0), + (5677, 3, 7, 'Chemise longue m. courtes ouverte motifs tropical feuilles corail', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"tropical feuilles corail"}', 0), + (5678, 3, 7, 'Chemise longue m. courtes ouverte motifs feuillage taupe', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"feuillage taupe"}', 0), + (5679, 3, 7, 'Chemise longue m. courtes ouverte motifs feuillage rouge', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"feuillage rouge"}', 0), + (5680, 3, 7, 'Chemise longue m. courtes ouverte motifs feuilles menthe', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"feuilles menthe"}', 0), + (5681, 3, 7, 'Chemise longue m. courtes ouverte motifs feuilles rose', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"feuilles rose"}', 0), + (5682, 3, 7, 'Chemise longue m. courtes ouverte motifs palmiers menthe', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"palmiers menthe"}', 0), + (5683, 3, 7, 'Chemise longue m. courtes ouverte motifs palmiers dégradé', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"palmiers dégradé"}', 0), + (5684, 3, 7, 'Chemise longue m. courtes ouverte motifs ananas noir', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"ananas noir"}', 0), + (5685, 3, 7, 'Chemise longue m. courtes ouverte motifs ananas rouge', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"ananas rouge"}', 0), + (5686, 3, 7, 'Chemise longue m. courtes ouverte motifs photos noir', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"photos noir"}', 0), + (5687, 3, 7, 'Chemise longue m. courtes ouverte motifs photos blanc', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"photos blanc"}', 0), + (5688, 3, 7, 'Chemise longue m. courtes ouverte motifs fleurs bleu', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"fleurs bleu"}', 0), + (5689, 3, 7, 'Chemise longue m. courtes ouverte motifs fleurs pétrole', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"fleurs pétrole"}', 0), + (5690, 3, 7, 'Chemise longue m. courtes ouverte motifs rayures rouge', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"rayures rouge"}', 0), + (5691, 3, 7, 'Chemise longue m. courtes ouverte motifs rayures bleu', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"rayures bleu"}', 0), + (5692, 3, 7, 'Chemise longue m. courtes ouverte motifs nuage bleu', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"nuage bleu"}', 0), + (5693, 3, 7, 'Chemise longue m. courtes ouverte motifs nuage rose', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"nuage rose"}', 0), + (5694, 3, 7, 'Chemise longue m. courtes ouverte motifs passion bleu', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"passion bleu"}', 0), + (5695, 3, 7, 'Chemise longue m. courtes ouverte motifs passion blanc', 50, '{"components":{"11":{"Drawable":420,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Chemise longue m. courtes ouverte motifs","colorLabel":"passion blanc"}', 0), + (5696, 3, 6, 'Veste classe fermée coeur', 50, '{"components":{"11":{"Drawable":421,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7],"modelLabel":"Veste classe fermée","colorLabel":"coeur"}', 0), + (5697, 3, 6, 'Veste classe ouverte coeur', 50, '{"components":{"11":{"Drawable":422,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[4,7,8],"modelLabel":"Veste classe ouverte","colorLabel":"coeur"}', 0), + (5698, 1, 9, 'Pull manches longues d\'hiver vert-rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"vert-rouge"}', 0), + (5699, 1, 9, 'Pull manches longues d\'hiver blanc-vert', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"blanc-vert"}', 0), + (5700, 1, 9, 'Pull manches longues d\'hiver menthe-blanc', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"menthe-blanc"}', 0), + (5701, 1, 9, 'Pull manches longues d\'hiver rouge-blanc', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"rouge-blanc"}', 0), + (5702, 1, 9, 'Pull manches longues d\'hiver patriot bleu', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot bleu"}', 0), + (5703, 1, 9, 'Pull manches longues d\'hiver patriot noir', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot noir"}', 0), + (5704, 1, 9, 'Pull manches longues d\'hiver patriot rouge-bleu', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot rouge-bleu"}', 0), + (5705, 1, 9, 'Pull manches longues d\'hiver patriot bleu-rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot bleu-rouge"}', 0), + (5706, 1, 9, 'Pull manches longues d\'hiver Pisswasser rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser rouge"}', 0), + (5707, 1, 9, 'Pull manches longues d\'hiver Pisswasser jaune', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser jaune"}', 0), + (5708, 1, 9, 'Pull manches longues d\'hiver Pisswasser feu', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser feu"}', 0), + (5709, 1, 9, 'Pull manches longues d\'hiver Pisswasser citron', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser citron"}', 0), + (5710, 1, 9, 'Pull manches longues d\'hiver pride vert', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride vert"}', 0), + (5711, 1, 9, 'Pull manches longues d\'hiver pride jaune', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride jaune"}', 0), + (5712, 1, 9, 'Pull manches longues d\'hiver pride jaune-vert', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride jaune-vert"}', 0), + (5713, 1, 9, 'Pull manches longues d\'hiver pride blanc-rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride blanc-rouge"}', 0), + (5714, 1, 9, 'Pull manches longues d\'hiver Sprunk vert-noir', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Sprunk vert-noir"}', 0), + (5715, 1, 9, 'Pull manches longues d\'hiver Sprunk noir', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Sprunk noir"}', 0), + (5716, 2, 9, 'Pull manches longues d\'hiver vert-rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"vert-rouge"}', 0), + (5717, 2, 9, 'Pull manches longues d\'hiver blanc-vert', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"blanc-vert"}', 0), + (5718, 2, 9, 'Pull manches longues d\'hiver menthe-blanc', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"menthe-blanc"}', 0), + (5719, 2, 9, 'Pull manches longues d\'hiver rouge-blanc', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"rouge-blanc"}', 0), + (5720, 2, 9, 'Pull manches longues d\'hiver patriot bleu', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot bleu"}', 0), + (5721, 2, 9, 'Pull manches longues d\'hiver patriot noir', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot noir"}', 0), + (5722, 2, 9, 'Pull manches longues d\'hiver patriot rouge-bleu', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot rouge-bleu"}', 0), + (5723, 2, 9, 'Pull manches longues d\'hiver patriot bleu-rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"patriot bleu-rouge"}', 0), + (5724, 2, 9, 'Pull manches longues d\'hiver Pisswasser rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser rouge"}', 0), + (5725, 2, 9, 'Pull manches longues d\'hiver Pisswasser jaune', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser jaune"}', 0), + (5726, 2, 9, 'Pull manches longues d\'hiver Pisswasser feu', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser feu"}', 0), + (5727, 2, 9, 'Pull manches longues d\'hiver Pisswasser citron', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Pisswasser citron"}', 0), + (5728, 2, 9, 'Pull manches longues d\'hiver pride vert', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride vert"}', 0), + (5729, 2, 9, 'Pull manches longues d\'hiver pride jaune', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride jaune"}', 0), + (5730, 2, 9, 'Pull manches longues d\'hiver pride jaune-vert', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride jaune-vert"}', 0), + (5731, 2, 9, 'Pull manches longues d\'hiver pride blanc-rouge', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"pride blanc-rouge"}', 0), + (5732, 2, 9, 'Pull manches longues d\'hiver Sprunk vert-noir', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Sprunk vert-noir"}', 0), + (5733, 2, 9, 'Pull manches longues d\'hiver Sprunk noir', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Pull manches longues d\'hiver","colorLabel":"Sprunk noir"}', 0), + (5734, 3, 7, 'Chemise militaire m. courtes col ouvert lila', 50, '{"components":{"11":{"Drawable":424,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise militaire m. courtes col ouvert","colorLabel":"lila"}', 0), + (5735, 1, 2, 'T-shirt à motifs banana singe', 50, '{"components":{"11":{"Drawable":425,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"banana singe"}', 0), + (5736, 2, 2, 'T-shirt à motifs banana singe', 50, '{"components":{"11":{"Drawable":425,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"banana singe"}', 0), + (5737, 3, 5, 'Hoodie déboutonné capuche tête Benefactor', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Hoodie déboutonné capuche tête","colorLabel":"Benefactor"}', 0), + (5738, 3, 5, 'Hoodie déboutonné Benefactor', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Hoodie déboutonné","colorLabel":"Benefactor"}', 0), + (5739, 1, 12, 'Veste imperméable col mao m. longues blanc', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"blanc"}', 0), + (5740, 2, 12, 'Veste imperméable col mao m. longues blanc', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Veste imperméable col mao m. longues","colorLabel":"blanc"}', 0), + (5741, 1, 2, 'T-shirt à motifs damier noir-blanc', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"damier noir-blanc"}', 0), + (5742, 2, 2, 'T-shirt à motifs damier noir-blanc', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"T-shirt à motifs","colorLabel":"damier noir-blanc"}', 0), + (5743, 1, 3, 'Polo long anthracite', 50, '{"components":{"11":{"Drawable":430,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"anthracite"}', 0), + (5744, 2, 3, 'Polo long anthracite', 50, '{"components":{"11":{"Drawable":430,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Polo long","colorLabel":"anthracite"}', 0), + (5745, 3, 12, 'Gilet à zip noir', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"noir"}', 0), + (5746, 3, 12, 'Gilet à zip gris', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"gris"}', 0), + (5747, 3, 12, 'Gilet à zip crème', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"crème"}', 0), + (5748, 3, 12, 'Gilet à zip blanc', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"blanc"}', 0), + (5749, 3, 12, 'Gilet à zip beige', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"beige"}', 0), + (5750, 3, 12, 'Gilet à zip brun', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"brun"}', 0), + (5751, 3, 12, 'Gilet à zip framboise', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"framboise"}', 0), + (5752, 3, 12, 'Gilet à zip fuchsia', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"fuchsia"}', 0), + (5753, 3, 12, 'Gilet à zip rouge', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"rouge"}', 0), + (5754, 3, 12, 'Gilet à zip orange', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"orange"}', 0), + (5755, 3, 12, 'Gilet à zip citron', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"citron"}', 0), + (5756, 3, 12, 'Gilet à zip vanille', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"vanille"}', 0), + (5757, 3, 12, 'Gilet à zip marine', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"marine"}', 0), + (5758, 3, 12, 'Gilet à zip indigo', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"indigo"}', 0), + (5759, 3, 12, 'Gilet à zip bleu', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"bleu"}', 0), + (5760, 3, 12, 'Gilet à zip turquoise', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"turquoise"}', 0), + (5761, 3, 12, 'Gilet à zip perle', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"perle"}', 0), + (5762, 3, 12, 'Gilet à zip pêche', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"pêche"}', 0), + (5763, 3, 12, 'Gilet à zip vert', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"vert"}', 0), + (5764, 3, 12, 'Gilet à zip menthe', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"menthe"}', 0), + (5765, 3, 12, 'Gilet à zip kaki', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"kaki"}', 0), + (5766, 3, 12, 'Gilet à zip lime', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"lime"}', 0), + (5767, 3, 12, 'Gilet à zip abricot', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"abricot"}', 0), + (5768, 3, 12, 'Gilet à zip rose', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"rose"}', 0), + (5769, 3, 12, 'Gilet à zip violet', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"violet"}', 0), + (5770, 3, 4, 'Robe de chambre canabis vert', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[3],"modelLabel":"Robe de chambre","colorLabel":"canabis vert"}', 0), + (5771, 3, 12, 'Gilet en laine Blagueurs noir', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueurs noir"}', 0), + (5772, 3, 12, 'Gilet en laine Blagueurs bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueurs bleu"}', 0), + (5773, 3, 12, 'Gilet en laine Blagueurs rouge', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueurs rouge"}', 0), + (5774, 3, 12, 'Gilet en laine Blagueur blanc', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueur blanc"}', 0), + (5775, 3, 12, 'Gilet en laine tigre marine', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre marine"}', 0), + (5776, 3, 12, 'Gilet en laine tigre rouge', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre rouge"}', 0), + (5777, 3, 12, 'Gilet en laine tigre bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre bleu"}', 0), + (5778, 3, 12, 'Gilet en laine tigre feu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre feu"}', 0), + (5779, 3, 12, 'Gilet en laine flammes vertes', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes vertes"}', 0), + (5780, 3, 12, 'Gilet en laine flammes orange', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes orange"}', 0), + (5781, 3, 12, 'Gilet en laine flammes fuchsia', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes fuchsia"}', 0), + (5782, 3, 12, 'Gilet en laine flammes violettes', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes violettes"}', 0), + (5783, 3, 12, 'Gilet en laine flammes rouge', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes rouge"}', 0), + (5784, 3, 12, 'Gilet en laine électrictié bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"électrictié bleu"}', 0), + (5785, 3, 12, 'Gilet en laine électricité blanc', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"électricité blanc"}', 0), + (5786, 3, 12, 'Gilet en laine électricité vert', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"électricité vert"}', 0), + (5787, 3, 12, 'Gilet en laine électricté orange', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"électricté orange"}', 0), + (5788, 3, 12, 'Gilet en laine électricité fuchsia', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"électricité fuchsia"}', 0), + (5789, 3, 12, 'Gilet en laine électrictié rouge', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"électrictié rouge"}', 0), + (5790, 3, 12, 'Gilet en laine médaillon noir', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"médaillon noir"}', 0), + (5791, 3, 12, 'Gilet en laine médaillon bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"médaillon bleu"}', 0), + (5792, 3, 12, 'Gilet en laine médaillon pêche', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"médaillon pêche"}', 0), + (5793, 3, 12, 'Gilet en laine VDG taupe', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"VDG taupe"}', 0), + (5794, 3, 12, 'Gilet en laine VDG blanc', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"VDG blanc"}', 0), + (5795, 3, 12, 'Gilet en laine VDG dégradé blanc-bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"VDG dégradé blanc-bleu"}', 0), + (5796, 3, 12, 'Gilet en laine camo brun', 50, '{"components":{"11":{"Drawable":434,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"camo brun"}', 0), + (5797, 3, 12, 'Gilet en laine camo gris', 50, '{"components":{"11":{"Drawable":434,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"camo gris"}', 0), + (5798, 3, 12, 'Gilet en laine camo rose', 50, '{"components":{"11":{"Drawable":434,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 2, 4],"modelLabel":"Gilet en laine","colorLabel":"camo rose"}', 0), + (5799, 1, 7, 'Chemise large m. courtes taxi', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"taxi"}', 0), + (5800, 1, 7, 'Chemise large m. courtes Blagueurs noir', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueurs noir"}', 0), + (5801, 1, 7, 'Chemise large m. courtes Blagueurs bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueurs bleu"}', 0), + (5802, 1, 7, 'Chemise large m. courtes Blagueurs rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueurs rouge"}', 0), + (5803, 1, 7, 'Chemise large m. courtes Blagueur blanc', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueur blanc"}', 0), + (5804, 1, 7, 'Chemise large m. courtes flammes vertes', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes vertes"}', 0), + (5805, 1, 7, 'Chemise large m. courtes flammes orange', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes orange"}', 0), + (5806, 1, 7, 'Chemise large m. courtes flammes fuchsia', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes fuchsia"}', 0), + (5807, 1, 7, 'Chemise large m. courtes flammes violettes', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes violettes"}', 0), + (5808, 1, 7, 'Chemise large m. courtes flammes rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes rouge"}', 0), + (5809, 1, 7, 'Chemise large m. courtes dragon noir', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon noir"}', 0), + (5810, 1, 7, 'Chemise large m. courtes dragon turquoise', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon turquoise"}', 0), + (5811, 1, 7, 'Chemise large m. courtes dragon rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon rouge"}', 0), + (5812, 1, 7, 'Chemise large m. courtes électrictié bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électrictié bleu"}', 0), + (5813, 1, 7, 'Chemise large m. courtes électricité blanc', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricité blanc"}', 0), + (5814, 1, 7, 'Chemise large m. courtes électricité vert', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricité vert"}', 0), + (5815, 1, 7, 'Chemise large m. courtes électricté orange', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricté orange"}', 0), + (5816, 1, 7, 'Chemise large m. courtes électricité fuchsia', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricité fuchsia"}', 0), + (5817, 1, 7, 'Chemise large m. courtes électrictié rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électrictié rouge"}', 0), + (5818, 1, 7, 'Chemise large m. courtes marbre bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"marbre bleu"}', 0), + (5819, 1, 7, 'Chemise large m. courtes marbre gris', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"marbre gris"}', 0), + (5820, 1, 7, 'Chemise large m. courtes marbre rose', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"marbre rose"}', 0), + (5821, 1, 7, 'Chemise large m. courtes dragon bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon bleu"}', 0), + (5822, 1, 7, 'Chemise large m. courtes dragon carmin', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon carmin"}', 0), + (5823, 1, 7, 'Chemise large m. courtes paon violet', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"paon violet"}', 0), + (5824, 2, 7, 'Chemise large m. courtes taxi', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"taxi"}', 0), + (5825, 2, 7, 'Chemise large m. courtes Blagueurs noir', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueurs noir"}', 0), + (5826, 2, 7, 'Chemise large m. courtes Blagueurs bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueurs bleu"}', 0), + (5827, 2, 7, 'Chemise large m. courtes Blagueurs rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueurs rouge"}', 0), + (5828, 2, 7, 'Chemise large m. courtes Blagueur blanc', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"Blagueur blanc"}', 0), + (5829, 2, 7, 'Chemise large m. courtes flammes vertes', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes vertes"}', 0), + (5830, 2, 7, 'Chemise large m. courtes flammes orange', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes orange"}', 0), + (5831, 2, 7, 'Chemise large m. courtes flammes fuchsia', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes fuchsia"}', 0), + (5832, 2, 7, 'Chemise large m. courtes flammes violettes', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes violettes"}', 0), + (5833, 2, 7, 'Chemise large m. courtes flammes rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"flammes rouge"}', 0), + (5834, 2, 7, 'Chemise large m. courtes dragon noir', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon noir"}', 0), + (5835, 2, 7, 'Chemise large m. courtes dragon turquoise', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon turquoise"}', 0), + (5836, 2, 7, 'Chemise large m. courtes dragon rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon rouge"}', 0), + (5837, 2, 7, 'Chemise large m. courtes électrictié bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électrictié bleu"}', 0), + (5838, 2, 7, 'Chemise large m. courtes électricité blanc', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricité blanc"}', 0), + (5839, 2, 7, 'Chemise large m. courtes électricité vert', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricité vert"}', 0), + (5840, 2, 7, 'Chemise large m. courtes électricté orange', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricté orange"}', 0), + (5841, 2, 7, 'Chemise large m. courtes électricité fuchsia', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électricité fuchsia"}', 0), + (5842, 2, 7, 'Chemise large m. courtes électrictié rouge', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"électrictié rouge"}', 0), + (5843, 2, 7, 'Chemise large m. courtes marbre bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"marbre bleu"}', 0), + (5844, 2, 7, 'Chemise large m. courtes marbre gris', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"marbre gris"}', 0), + (5845, 2, 7, 'Chemise large m. courtes marbre rose', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"marbre rose"}', 0), + (5846, 2, 7, 'Chemise large m. courtes dragon bleu', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon bleu"}', 0), + (5847, 2, 7, 'Chemise large m. courtes dragon carmin', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"dragon carmin"}', 0), + (5848, 2, 7, 'Chemise large m. courtes paon violet', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"paon violet"}', 0), + (5849, 1, 7, 'Chemise large m. courtes camo brun', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"camo brun"}', 0), + (5850, 1, 7, 'Chemise large m. courtes camo gris', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"camo gris"}', 0), + (5851, 1, 7, 'Chemise large m. courtes camo rose', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"camo rose"}', 0), + (5852, 2, 7, 'Chemise large m. courtes camo brun', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"camo brun"}', 0), + (5853, 2, 7, 'Chemise large m. courtes camo gris', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"camo gris"}', 0), + (5854, 2, 7, 'Chemise large m. courtes camo rose', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Chemise large m. courtes","colorLabel":"camo rose"}', 0), + (5855, 1, 10, 'Costume Monsieur Loyal vert', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"vert"}', 0), + (5856, 1, 10, 'Costume Monsieur Loyal bleu', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"bleu"}', 0), + (5857, 2, 10, 'Costume Monsieur Loyal vert', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"vert"}', 0), + (5858, 2, 10, 'Costume Monsieur Loyal bleu', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"bleu"}', 0), + (5859, 1, 10, 'Déguisement animal camel', 50, '{"components":{"11":{"Drawable":438,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"camel"}', 0), + (5860, 1, 10, 'Déguisement animal brun', 50, '{"components":{"11":{"Drawable":438,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"brun"}', 0), + (5861, 2, 10, 'Déguisement animal camel', 50, '{"components":{"11":{"Drawable":438,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"camel"}', 0), + (5862, 2, 10, 'Déguisement animal brun', 50, '{"components":{"11":{"Drawable":438,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"brun"}', 0), + (5863, 3, 12, 'Veste en tissus ouverte zèbre noir', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"zèbre noir"}', 0), + (5864, 3, 12, 'Veste en tissus ouverte zèbre rose', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"zèbre rose"}', 0), + (5865, 3, 12, 'Veste en tissus ouverte Blagueurs noir', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":2}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs noir"}', 0), + (5866, 3, 12, 'Veste en tissus ouverte Blagueurs bleu', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":3}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs bleu"}', 0), + (5867, 3, 12, 'Veste en tissus ouverte Blagueurs rouge', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":4}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs rouge"}', 0), + (5868, 3, 12, 'Veste en tissus ouverte Blagueur blanc', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":5}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueur blanc"}', 0), + (5869, 3, 12, 'Veste en tissus ouverte flammes vertes', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":6}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes vertes"}', 0), + (5870, 3, 12, 'Veste en tissus ouverte flammes orange', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":7}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes orange"}', 0), + (5871, 3, 12, 'Veste en tissus ouverte flammes fuchsia', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":8}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes fuchsia"}', 0), + (5872, 3, 12, 'Veste en tissus ouverte flammes violettes', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":9}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes violettes"}', 0), + (5873, 3, 12, 'Veste en tissus ouverte flammes rouge', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":10}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes rouge"}', 0), + (5874, 3, 12, 'Veste en tissus ouverte électrictié bleu', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":11}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électrictié bleu"}', 0), + (5875, 3, 12, 'Veste en tissus ouverte électricité blanc', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":12}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité blanc"}', 0), + (5876, 3, 12, 'Veste en tissus ouverte électricité vert', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":13}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité vert"}', 0), + (5877, 3, 12, 'Veste en tissus ouverte électricté orange', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":14}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricté orange"}', 0), + (5878, 3, 12, 'Veste en tissus ouverte électricité fuchsia', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":15}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité fuchsia"}', 0), + (5879, 3, 12, 'Veste en tissus ouverte électrictié rouge', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":16}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électrictié rouge"}', 0), + (5880, 3, 12, 'Veste en tissus ouverte marbre bleu', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":17}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre bleu"}', 0), + (5881, 3, 12, 'Veste en tissus ouverte marbre gris', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":18}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre gris"}', 0), + (5882, 3, 12, 'Veste en tissus ouverte marbre rose', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":19}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre rose"}', 0), + (5883, 3, 12, 'Veste en tissus ouverte roses noir', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":20}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"roses noir"}', 0), + (5884, 3, 12, 'Veste en tissus ouverte roses vert', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":21}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"roses vert"}', 0), + (5885, 3, 12, 'Veste en tissus ouverte T noir', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":22}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"T noir"}', 0), + (5886, 3, 12, 'Veste en tissus ouverte T orange', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":23}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"T orange"}', 0), + (5887, 3, 12, 'Veste en tissus ouverte camo brun', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":24}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"camo brun"}', 0), + (5888, 3, 12, 'Veste en tissus ouverte camo rose', 50, '{"components":{"11":{"Drawable":440,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[1, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"camo rose"}', 0), + (5889, 1, 10, 'Déguisement de Pierrot noir', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"noir"}', 0), + (5890, 1, 10, 'Déguisement de Pierrot rouge', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"rouge"}', 0), + (5891, 2, 10, 'Déguisement de Pierrot noir', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":0}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"noir"}', 0), + (5892, 2, 10, 'Déguisement de Pierrot rouge', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":1}},"modelHash":1885233650,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"rouge"}', 0), + (5893, 3, 2, 'T-shirt col en V blanc', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"blanc"}', 0), + (5894, 3, 2, 'T-shirt col en V prune', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"prune"}', 0), + (5895, 3, 2, 'T-shirt col en V noir', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"noir"}', 0), + (5896, 3, 2, 'T-shirt col en V jaune', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"jaune"}', 0), + (5897, 3, 2, 'T-shirt col en V rouge', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rouge"}', 0), + (5898, 3, 2, 'T-shirt col en V cyan', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"cyan"}', 0), + (5899, 3, 2, 'T-shirt col en V bleu', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"bleu"}', 0), + (5900, 3, 2, 'T-shirt col en V beige', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"beige"}', 0), + (5901, 3, 2, 'T-shirt col en V rose', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rose"}', 0), + (5902, 3, 2, 'T-shirt col en V vert', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"vert"}', 0), + (5903, 3, 2, 'T-shirt col en V blanc contour noir', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"blanc contour noir"}', 0), + (5904, 3, 2, 'T-shirt col en V gris', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"gris"}', 0), + (5905, 3, 2, 'T-shirt col en V léopard', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"léopard"}', 0), + (5906, 3, 2, 'T-shirt col en V noir contour blanc', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"noir contour blanc"}', 0), + (5907, 3, 2, 'T-shirt col en V bleu ciel', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"bleu ciel"}', 0), + (5908, 3, 2, 'T-shirt col en V noir rayé', 50, '{"components":{"11":{"Drawable":0,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"noir rayé"}', 0), + (5909, 1, 12, 'Veste en jean courte bleu', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleu"}', 0), + (5910, 1, 12, 'Veste en jean courte bleu manche rouge', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleu manche rouge"}', 0), + (5911, 1, 12, 'Veste en jean courte blanc manche noir', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"blanc manche noir"}', 0), + (5912, 1, 12, 'Veste en jean courte dégradé noir et blanc', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"dégradé noir et blanc"}', 0), + (5913, 1, 12, 'Veste en jean courte étoilé', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"étoilé"}', 0), + (5914, 1, 12, 'Veste en jean courte motif coloré', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"motif coloré"}', 0), + (5915, 1, 12, 'Veste en jean courte fleuri', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"fleuri"}', 0), + (5916, 1, 12, 'Veste en jean courte gris', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"gris"}', 0), + (5917, 1, 12, 'Veste en jean courte beige', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"beige"}', 0), + (5918, 2, 12, 'Veste en jean courte bleu', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleu"}', 0), + (5919, 2, 12, 'Veste en jean courte bleu manche rouge', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleu manche rouge"}', 0), + (5920, 2, 12, 'Veste en jean courte blanc manche noir', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"blanc manche noir"}', 0), + (5921, 2, 12, 'Veste en jean courte dégradé noir et blanc', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"dégradé noir et blanc"}', 0), + (5922, 2, 12, 'Veste en jean courte étoilé', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"étoilé"}', 0), + (5923, 2, 12, 'Veste en jean courte motif coloré', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"motif coloré"}', 0), + (5924, 2, 12, 'Veste en jean courte fleuri', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"fleuri"}', 0), + (5925, 2, 12, 'Veste en jean courte gris', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"gris"}', 0), + (5926, 2, 12, 'Veste en jean courte beige', 50, '{"components":{"11":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"beige"}', 0), + (5927, 3, 2, 'T-shirt épaule dénudée blanc', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"blanc"}', 0), + (5928, 3, 2, 'T-shirt épaule dénudée gris', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"gris"}', 0), + (5929, 3, 2, 'T-shirt épaule dénudée noir', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"noir"}', 0), + (5930, 3, 2, 'T-shirt épaule dénudée rouge', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"rouge"}', 0), + (5931, 3, 2, 'T-shirt épaule dénudée noir jaune et blanc', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"noir jaune et blanc"}', 0), + (5932, 3, 2, 'T-shirt épaule dénudée noir bleu et blanc', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"noir bleu et blanc"}', 0), + (5933, 3, 2, 'T-shirt épaule dénudée rayé noir et blanc', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"rayé noir et blanc"}', 0), + (5934, 3, 2, 'T-shirt épaule dénudée rayé rose et blanc', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"rayé rose et blanc"}', 0), + (5935, 3, 2, 'T-shirt épaule dénudée rayé cyan et blanc', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"rayé cyan et blanc"}', 0), + (5936, 3, 2, 'T-shirt épaule dénudée léopard', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"léopard"}', 0), + (5937, 3, 2, 'T-shirt épaule dénudée pois gris', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"pois gris"}', 0), + (5938, 3, 2, 'T-shirt épaule dénudée marbre', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"marbre"}', 0), + (5939, 3, 2, 'T-shirt épaule dénudée bleu clair', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"bleu clair"}', 0), + (5940, 3, 2, 'T-shirt épaule dénudée jaune', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"jaune"}', 0), + (5941, 3, 2, 'T-shirt épaule dénudée violet', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"violet"}', 0), + (5942, 3, 2, 'T-shirt épaule dénudée motifs variés', 50, '{"components":{"11":{"Drawable":2,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"motifs variés"}', 0), + (5943, 3, 5, 'Sweat à capuche à zip blanc', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"blanc"}', 0), + (5944, 3, 5, 'Sweat à capuche à zip gris', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"gris"}', 0), + (5945, 3, 5, 'Sweat à capuche à zip noir', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"noir"}', 0), + (5946, 3, 5, 'Sweat à capuche à zip bleu', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"bleu"}', 0), + (5947, 3, 5, 'Sweat à capuche à zip marron', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"marron"}', 0), + (5948, 3, 5, 'Sweat à capuche à zip rayé marron', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"rayé marron"}', 0), + (5949, 3, 5, 'Sweat à capuche à zip rayé turquoise', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"rayé turquoise"}', 0), + (5950, 3, 5, 'Sweat à capuche à zip rouge', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"rouge"}', 0), + (5951, 3, 5, 'Sweat à capuche à zip squelette', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"squelette"}', 0), + (5952, 3, 5, 'Sweat à capuche à zip gris foncé', 50, '{"components":{"11":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat à capuche à zip","colorLabel":"gris foncé"}', 0), + (5953, 1, 2, 'Brassière blanche', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanche"}', 0), + (5954, 1, 2, 'Brassière grise', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"grise"}', 0), + (5955, 1, 2, 'Brassière noire', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"noire"}', 0), + (5956, 1, 2, 'Brassière blanc', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanc"}', 0), + (5957, 2, 2, 'Brassière blanche', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanche"}', 0), + (5958, 2, 2, 'Brassière grise', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"grise"}', 0), + (5959, 2, 2, 'Brassière noire', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"noire"}', 0), + (5960, 2, 2, 'Brassière blanc', 50, '{"components":{"11":{"Drawable":5,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanc"}', 0), + (5961, 3, 6, 'Costard chic boutonnée noire et blanc', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"noire et blanc"}', 0), + (5962, 3, 6, 'Costard chic boutonnée gris', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"gris"}', 0), + (5963, 3, 6, 'Costard chic boutonnée bleue', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"bleue"}', 0), + (5964, 3, 6, 'Costard chic boutonnée noire', 50, '{"components":{"11":{"Drawable":6,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"noire"}', 0), + (5965, 3, 6, 'Costard chic ouverte noire', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"noire"}', 0), + (5966, 3, 6, 'Costard chic ouverte blanche', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"blanche"}', 0), + (5967, 3, 6, 'Costard chic ouverte noire et beige', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"noire et beige"}', 0), + (5968, 3, 6, 'Costard chic ouverte gris', 50, '{"components":{"11":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"gris"}', 0), + (5969, 3, 12, 'Veste courte grise', 50, '{"components":{"11":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"grise"}', 0), + (5970, 3, 12, 'Veste courte beige', 50, '{"components":{"11":{"Drawable":8,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"beige"}', 0), + (5971, 3, 12, 'Veste courte brillant noire', 50, '{"components":{"11":{"Drawable":8,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"brillant noire"}', 0), + (5972, 3, 12, 'Veste courte blanc', 50, '{"components":{"11":{"Drawable":8,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"blanc"}', 0), + (5973, 3, 7, 'Chemise sortie m retroussées noire', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"noire"}', 0), + (5974, 3, 7, 'Chemise sortie m retroussées blanche', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"blanche"}', 0), + (5975, 3, 7, 'Chemise sortie m retroussées bleu ciel', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"bleu ciel"}', 0), + (5976, 3, 7, 'Chemise sortie m retroussées kaki', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"kaki"}', 0), + (5977, 3, 7, 'Chemise sortie m retroussées rose', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"rose"}', 0), + (5978, 3, 7, 'Chemise sortie m retroussées carreaux roses', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"carreaux roses"}', 0), + (5979, 3, 7, 'Chemise sortie m retroussées carreaux bleus', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"carreaux bleus"}', 0), + (5980, 3, 7, 'Chemise sortie m retroussées carreaux rouges', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"carreaux rouges"}', 0), + (5981, 3, 7, 'Chemise sortie m retroussées bleue délavée', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"bleue délavée"}', 0), + (5982, 3, 7, 'Chemise sortie m retroussées bleue dégradée', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"bleue dégradée"}', 0), + (5983, 3, 7, 'Chemise sortie m retroussées carreaux jaunes', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"carreaux jaunes"}', 0), + (5984, 3, 7, 'Chemise sortie m retroussées carreaux rouges et noires', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"carreaux rouges et noires"}', 0), + (5985, 3, 7, 'Chemise sortie m retroussées grise et blanche', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"grise et blanche"}', 0), + (5986, 3, 7, 'Chemise sortie m retroussées carreaux verts', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"carreaux verts"}', 0), + (5987, 3, 7, 'Chemise sortie m retroussées rouge', 50, '{"components":{"11":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie m retroussées","colorLabel":"rouge"}', 0), + (5988, 1, 12, 'Veste sportive noire rayé', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"noire rayé"}', 0), + (5989, 1, 12, 'Veste sportive cyan', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"cyan"}', 0), + (5990, 1, 12, 'Veste sportive gris', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"gris"}', 0), + (5991, 1, 12, 'Veste sportive violet', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"violet"}', 0), + (5992, 1, 12, 'Veste sportive rose', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"rose"}', 0), + (5993, 1, 12, 'Veste sportive noire', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"noire"}', 0), + (5994, 1, 12, 'Veste sportive vert', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"vert"}', 0), + (5995, 1, 12, 'Veste sportive motifs variés', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"motifs variés"}', 0), + (5996, 2, 12, 'Veste sportive noire rayé', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"noire rayé"}', 0), + (5997, 2, 12, 'Veste sportive cyan', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"cyan"}', 0), + (5998, 2, 12, 'Veste sportive gris', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"gris"}', 0), + (5999, 2, 12, 'Veste sportive violet', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"violet"}', 0), + (6000, 2, 12, 'Veste sportive rose', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"rose"}', 0), + (6001, 2, 12, 'Veste sportive noire', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"noire"}', 0), + (6002, 2, 12, 'Veste sportive vert', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"vert"}', 0), + (6003, 2, 12, 'Veste sportive motifs variés', 50, '{"components":{"11":{"Drawable":10,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[2],"modelLabel":"Veste sportive","colorLabel":"motifs variés"}', 0), + (6004, 1, 2, 'Débardeur sportif cyan', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"cyan"}', 0), + (6005, 1, 2, 'Débardeur sportif violet', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"violet"}', 0), + (6006, 1, 2, 'Débardeur sportif gris', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"gris"}', 0), + (6007, 1, 2, 'Débardeur sportif rouge', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"rouge"}', 0), + (6008, 1, 2, 'Débardeur sportif blanc', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"blanc"}', 0), + (6009, 1, 2, 'Débardeur sportif noir', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"noir"}', 0), + (6010, 2, 2, 'Débardeur sportif cyan', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"cyan"}', 0), + (6011, 2, 2, 'Débardeur sportif violet', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"violet"}', 0), + (6012, 2, 2, 'Débardeur sportif gris', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"gris"}', 0), + (6013, 2, 2, 'Débardeur sportif rouge', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"rouge"}', 0), + (6014, 2, 2, 'Débardeur sportif blanc', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"blanc"}', 0), + (6015, 2, 2, 'Débardeur sportif noir', 50, '{"components":{"11":{"Drawable":11,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur sportif","colorLabel":"noir"}', 0), + (6016, 3, 2, 'Débardeur col en V léopard', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"léopard"}', 0), + (6017, 3, 2, 'Débardeur col en V rouge à pois', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"rouge à pois"}', 0), + (6018, 3, 2, 'Débardeur col en V noir à pois', 50, '{"components":{"11":{"Drawable":12,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"noir à pois"}', 0), + (6019, 3, 6, 'Corset long noir', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"noir"}', 0), + (6020, 3, 6, 'Corset long noir avec rose', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"noir avec rose"}', 0), + (6021, 3, 6, 'Corset long kaki', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"kaki"}', 0), + (6022, 3, 6, 'Corset long gris', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"gris"}', 0), + (6023, 3, 6, 'Corset long noir avec fleurs', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"noir avec fleurs"}', 0), + (6024, 3, 6, 'Corset long carreaux rouges', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"carreaux rouges"}', 0), + (6025, 3, 6, 'Corset long noir avec perles', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"noir avec perles"}', 0), + (6026, 3, 6, 'Corset long rose', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"rose"}', 0), + (6027, 3, 6, 'Corset long blanc', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"blanc"}', 0), + (6028, 3, 6, 'Corset long bleu motif', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"bleu motif"}', 0), + (6029, 3, 6, 'Corset long bleu jean', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"bleu jean"}', 0), + (6030, 3, 6, 'Corset long rose motif', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"rose motif"}', 0), + (6031, 3, 6, 'Corset long militaire', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"militaire"}', 0), + (6032, 3, 6, 'Corset long bleu royal', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"bleu royal"}', 0), + (6033, 3, 6, 'Corset long noir et blanc', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"noir et blanc"}', 0), + (6034, 3, 6, 'Corset long léopard', 50, '{"components":{"11":{"Drawable":13,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset long","colorLabel":"léopard"}', 0), + (6035, 3, 3, 'Polo sportif sorti blanc', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc"}', 0), + (6036, 3, 3, 'Polo sportif sorti magenta', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"magenta"}', 0), + (6037, 3, 3, 'Polo sportif sorti rose', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rose"}', 0), + (6038, 3, 3, 'Polo sportif sorti noir', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"noir"}', 0), + (6039, 3, 3, 'Polo sportif sorti rouge', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rouge"}', 0), + (6040, 3, 3, 'Polo sportif sorti bleu', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu"}', 0), + (6041, 3, 3, 'Polo sportif sorti orange', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"orange"}', 0), + (6042, 3, 3, 'Polo sportif sorti bleu marine', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu marine"}', 0), + (6043, 3, 3, 'Polo sportif sorti noir bande violet', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"noir bande violet"}', 0), + (6044, 3, 3, 'Polo sportif sorti vert', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"vert"}', 0), + (6045, 3, 3, 'Polo sportif sorti cyan et magenta', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"cyan et magenta"}', 0), + (6046, 3, 3, 'Polo sportif sorti rayé jaune', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rayé jaune"}', 0), + (6047, 3, 3, 'Polo sportif sorti rayé violet', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rayé violet"}', 0), + (6048, 3, 3, 'Polo sportif sorti rayé cyan', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rayé cyan"}', 0), + (6049, 3, 3, 'Polo sportif sorti bleu clair', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu clair"}', 0), + (6050, 3, 3, 'Polo sportif sorti losange gris', 50, '{"components":{"11":{"Drawable":14,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"losange gris"}', 0), + (6051, 1, 21, 'Bikini haut noir', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"noir"}', 0), + (6052, 1, 21, 'Bikini haut gris', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"gris"}', 0), + (6053, 1, 21, 'Bikini haut cyan', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"cyan"}', 0), + (6054, 1, 21, 'Bikini haut rouge et jaune', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rouge et jaune"}', 0), + (6055, 2, 21, 'Bikini haut noir', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"noir"}', 0), + (6056, 2, 21, 'Bikini haut gris', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"gris"}', 0), + (6057, 2, 21, 'Bikini haut cyan', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"cyan"}', 0), + (6058, 2, 21, 'Bikini haut rouge et jaune', 50, '{"components":{"11":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rouge et jaune"}', 0), + (6059, 1, 2, 'Débardeur bordeaux', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bordeaux"}', 0), + (6060, 1, 2, 'Débardeur rose', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rose"}', 0), + (6061, 1, 2, 'Débardeur bleu ciel', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bleu ciel"}', 0), + (6062, 1, 2, 'Débardeur rayé rose et violet', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rayé rose et violet"}', 0), + (6063, 1, 2, 'Débardeur rayé bleu et citron', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rayé bleu et citron"}', 0), + (6064, 1, 2, 'Débardeur rouge', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rouge"}', 0), + (6065, 1, 2, 'Débardeur bleu', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bleu"}', 0), + (6066, 2, 2, 'Débardeur bordeaux', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bordeaux"}', 0), + (6067, 2, 2, 'Débardeur rose', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rose"}', 0), + (6068, 2, 2, 'Débardeur bleu ciel', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bleu ciel"}', 0), + (6069, 2, 2, 'Débardeur rayé rose et violet', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rayé rose et violet"}', 0), + (6070, 2, 2, 'Débardeur rayé bleu et citron', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rayé bleu et citron"}', 0), + (6071, 2, 2, 'Débardeur rouge', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rouge"}', 0), + (6072, 2, 2, 'Débardeur bleu', 50, '{"components":{"11":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bleu"}', 0), + (6073, 1, 7, 'Chemise rentrée m retroussées multicolore', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"multicolore"}', 0), + (6074, 2, 7, 'Chemise rentrée m retroussées multicolore', 50, '{"components":{"11":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"multicolore"}', 0), + (6075, 1, 21, 'Bikini haut blanc', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"blanc"}', 0), + (6076, 1, 21, 'Bikini haut noir et perle', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"noir et perle"}', 0), + (6077, 1, 21, 'Bikini haut bleu', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"bleu"}', 0), + (6078, 1, 21, 'Bikini haut léopard', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"léopard"}', 0), + (6079, 1, 21, 'Bikini haut rouge', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rouge"}', 0), + (6080, 1, 21, 'Bikini haut vert et bleu rayé', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"vert et bleu rayé"}', 0), + (6081, 1, 21, 'Bikini haut militaire', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"militaire"}', 0), + (6082, 1, 21, 'Bikini haut carreaux roses et noirs', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"carreaux roses et noirs"}', 0), + (6083, 1, 21, 'Bikini haut rose à motif', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rose à motif"}', 0), + (6084, 1, 21, 'Bikini haut bleu à motifs', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"bleu à motifs"}', 0), + (6085, 1, 21, 'Bikini haut blanc et rose', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"blanc et rose"}', 0), + (6086, 1, 21, 'Bikini haut bleu et orange rayé', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"bleu et orange rayé"}', 0), + (6087, 2, 21, 'Bikini haut blanc', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"blanc"}', 0), + (6088, 2, 21, 'Bikini haut noir et perle', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"noir et perle"}', 0), + (6089, 2, 21, 'Bikini haut bleu', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"bleu"}', 0), + (6090, 2, 21, 'Bikini haut léopard', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"léopard"}', 0), + (6091, 2, 21, 'Bikini haut rouge', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rouge"}', 0), + (6092, 2, 21, 'Bikini haut vert et bleu rayé', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"vert et bleu rayé"}', 0), + (6093, 2, 21, 'Bikini haut militaire', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"militaire"}', 0), + (6094, 2, 21, 'Bikini haut carreaux roses et noirs', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"carreaux roses et noirs"}', 0), + (6095, 2, 21, 'Bikini haut rose à motif', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rose à motif"}', 0), + (6096, 2, 21, 'Bikini haut bleu à motifs', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"bleu à motifs"}', 0), + (6097, 2, 21, 'Bikini haut blanc et rose', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"blanc et rose"}', 0), + (6098, 2, 21, 'Bikini haut bleu et orange rayé', 50, '{"components":{"11":{"Drawable":18,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"bleu et orange rayé"}', 0), + (6099, 1, 10, 'T-shirt noël col en U mère noël', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"mère noël"}', 0), + (6100, 1, 10, 'T-shirt noël col en U lutin', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"lutin"}', 0), + (6101, 1, 10, 'T-shirt noël col en U cravate', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"cravate"}', 0), + (6102, 1, 10, 'T-shirt noël col en U renne', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"renne"}', 0), + (6103, 2, 10, 'T-shirt noël col en U mère noël', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"mère noël"}', 0), + (6104, 2, 10, 'T-shirt noël col en U lutin', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"lutin"}', 0), + (6105, 2, 10, 'T-shirt noël col en U cravate', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"cravate"}', 0), + (6106, 2, 10, 'T-shirt noël col en U renne', 50, '{"components":{"11":{"Drawable":19,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt noël col en U","colorLabel":"renne"}', 0), + (6107, 3, 10, 'Costard de noël boutonnée rouge', 50, '{"components":{"11":{"Drawable":20,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard de noël boutonnée","colorLabel":"rouge"}', 0), + (6108, 3, 10, 'Costard de noël boutonnée vert', 50, '{"components":{"11":{"Drawable":20,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard de noël boutonnée","colorLabel":"vert"}', 0), + (6109, 3, 8, 'Robe vintage à franges violette', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage à franges","colorLabel":"violette"}', 0), + (6110, 3, 8, 'Robe vintage à franges noire', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage à franges","colorLabel":"noire"}', 0), + (6111, 3, 8, 'Robe vintage à franges marron', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage à franges","colorLabel":"marron"}', 0), + (6112, 3, 8, 'Robe vintage à franges violet', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage à franges","colorLabel":"violet"}', 0), + (6113, 3, 8, 'Robe vintage à franges noire et bande dorée', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage à franges","colorLabel":"noire et bande dorée"}', 0), + (6114, 3, 8, 'Robe vintage à franges rouge', 50, '{"components":{"11":{"Drawable":21,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage à franges","colorLabel":"rouge"}', 0), + (6115, 3, 6, 'Corset de nuit blanc', 50, '{"components":{"11":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"blanc"}', 0), + (6116, 3, 6, 'Corset de nuit rouge', 50, '{"components":{"11":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"rouge"}', 0), + (6117, 3, 6, 'Corset de nuit noir', 50, '{"components":{"11":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"noir"}', 0), + (6118, 3, 6, 'Corset de nuit marron', 50, '{"components":{"11":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"marron"}', 0), + (6119, 3, 6, 'Corset de nuit cyan', 50, '{"components":{"11":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"cyan"}', 0), + (6120, 3, 2, 'T-shirt col en V blanc', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"blanc"}', 0), + (6121, 3, 2, 'T-shirt col en V noir', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"noir"}', 0), + (6122, 3, 2, 'T-shirt col en V rouge', 50, '{"components":{"11":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt col en V","colorLabel":"rouge"}', 0), + (6123, 3, 6, 'Costard chic boutonnée blanc col noir', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"blanc col noir"}', 0), + (6124, 3, 6, 'Costard chic boutonnée rose', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"rose"}', 0), + (6125, 3, 6, 'Costard chic boutonnée motifs gris', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"motifs gris"}', 0), + (6126, 3, 6, 'Costard chic boutonnée noir col blanc', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"noir col blanc"}', 0), + (6127, 3, 6, 'Costard chic boutonnée leopard', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"leopard"}', 0), + (6128, 3, 6, 'Costard chic boutonnée rouge col blanc', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"rouge col blanc"}', 0), + (6129, 3, 6, 'Costard chic boutonnée carreaux rose', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"carreaux rose"}', 0), + (6130, 3, 6, 'Costard chic boutonnée bleu', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"bleu"}', 0), + (6131, 3, 6, 'Costard chic boutonnée motifs fleuris cyan', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"motifs fleuris cyan"}', 0), + (6132, 3, 6, 'Costard chic boutonnée noir et blanc rayé', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"noir et blanc rayé"}', 0), + (6133, 3, 6, 'Costard chic boutonnée jaune', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"jaune"}', 0), + (6134, 3, 6, 'Costard chic boutonnée kaki', 50, '{"components":{"11":{"Drawable":24,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic boutonnée","colorLabel":"kaki"}', 0), + (6135, 3, 6, 'Costard chic ouverte rouge', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"rouge"}', 0), + (6136, 3, 6, 'Costard chic ouverte framboise', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"framboise"}', 0), + (6137, 3, 6, 'Costard chic ouverte beige', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"beige"}', 0), + (6138, 3, 6, 'Costard chic ouverte carreaux rouge', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"carreaux rouge"}', 0), + (6139, 3, 6, 'Costard chic ouverte bleu', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"bleu"}', 0), + (6140, 3, 6, 'Costard chic ouverte violet', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"violet"}', 0), + (6141, 3, 6, 'Costard chic ouverte rose', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"rose"}', 0), + (6142, 3, 6, 'Costard chic ouverte bordeaux', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"bordeaux"}', 0), + (6143, 3, 6, 'Costard chic ouverte vert', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"vert"}', 0), + (6144, 3, 6, 'Costard chic ouverte léopard', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"léopard"}', 0), + (6145, 3, 6, 'Costard chic ouverte beige manches noires', 50, '{"components":{"11":{"Drawable":25,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"beige manches noires"}', 0), + (6146, 3, 2, 'Débardeur col en V blanc', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"blanc"}', 0), + (6147, 3, 2, 'Débardeur col en V noir', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"noir"}', 0), + (6148, 3, 2, 'Débardeur col en V rouge', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"rouge"}', 0), + (6149, 3, 2, 'Débardeur col en V beige', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"beige"}', 0), + (6150, 3, 2, 'Débardeur col en V prune', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"prune"}', 0), + (6151, 3, 2, 'Débardeur col en V bleu', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"bleu"}', 0), + (6152, 3, 2, 'Débardeur col en V cyan', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"cyan"}', 0), + (6153, 3, 2, 'Débardeur col en V jaune', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"jaune"}', 0), + (6154, 3, 2, 'Débardeur col en V bleu ciel', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"bleu ciel"}', 0), + (6155, 3, 2, 'Débardeur col en V gris', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"gris"}', 0), + (6156, 3, 2, 'Débardeur col en V orange', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"orange"}', 0), + (6157, 3, 2, 'Débardeur col en V leopard', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"leopard"}', 0), + (6158, 3, 2, 'Débardeur col en V rose', 50, '{"components":{"11":{"Drawable":26,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"rose"}', 0), + (6159, 3, 7, 'Chemise rentrée m courtes blanc', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"blanc"}', 0), + (6160, 3, 7, 'Chemise rentrée m courtes gris foncé', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"gris foncé"}', 0), + (6161, 3, 7, 'Chemise rentrée m courtes beige', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"beige"}', 0), + (6162, 3, 7, 'Chemise rentrée m courtes rayé bleu et blanc', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"rayé bleu et blanc"}', 0), + (6163, 3, 7, 'Chemise rentrée m courtes rayé beige et blanc', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"rayé beige et blanc"}', 0), + (6164, 3, 7, 'Chemise rentrée m courtes gris', 50, '{"components":{"11":{"Drawable":27,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"gris"}', 0), + (6165, 3, 11, 'Jacket boutonnée grise', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"grise"}', 0), + (6166, 3, 11, 'Jacket boutonnée dorée', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"dorée"}', 0), + (6167, 3, 11, 'Jacket boutonnée bleue', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"bleue"}', 0), + (6168, 3, 11, 'Jacket boutonnée noire', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"noire"}', 0), + (6169, 3, 11, 'Jacket boutonnée café', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"café"}', 0), + (6170, 3, 11, 'Jacket boutonnée grise claire', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"grise claire"}', 0), + (6171, 3, 11, 'Jacket boutonnée kaki', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"kaki"}', 0), + (6172, 3, 11, 'Jacket boutonnée beige', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"beige"}', 0), + (6173, 3, 11, 'Jacket boutonnée verte', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"verte"}', 0), + (6174, 3, 11, 'Jacket boutonnée blanche contour rouge', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"blanche contour rouge"}', 0), + (6175, 3, 11, 'Jacket boutonnée grise rayé', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"grise rayé"}', 0), + (6176, 3, 11, 'Jacket boutonnée bleue rayé', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"bleue rayé"}', 0), + (6177, 3, 11, 'Jacket boutonnée noire contour blanc', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"noire contour blanc"}', 0), + (6178, 3, 11, 'Jacket boutonnée chocolat', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"chocolat"}', 0), + (6179, 3, 11, 'Jacket boutonnée bleu et noir', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"bleu et noir"}', 0), + (6180, 3, 11, 'Jacket boutonnée prune', 50, '{"components":{"11":{"Drawable":28,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Jacket boutonnée","colorLabel":"prune"}', 0), + (6181, 3, 2, 'T-shirt épaule dénudée blanche', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"blanche"}', 0), + (6182, 3, 2, 'T-shirt épaule dénudée noire', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"noire"}', 0), + (6183, 3, 2, 'T-shirt épaule dénudée rouge', 50, '{"components":{"11":{"Drawable":30,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"rouge"}', 0), + (6184, 1, 12, 'Veste en jean courte bleue et noire', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleue et noire"}', 0), + (6185, 1, 12, 'Veste en jean courte verte et noire', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"verte et noire"}', 0), + (6186, 1, 12, 'Veste en jean courte bleue dégradé rose', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleue dégradé rose"}', 0), + (6187, 1, 12, 'Veste en jean courte blanc dégradé bleu', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"blanc dégradé bleu"}', 0), + (6188, 1, 12, 'Veste en jean courte bleue', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleue"}', 0), + (6189, 1, 12, 'Veste en jean courte jean clair', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"jean clair"}', 0), + (6190, 1, 12, 'Veste en jean courte gris', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"gris"}', 0), + (6191, 2, 12, 'Veste en jean courte bleue et noire', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleue et noire"}', 0), + (6192, 2, 12, 'Veste en jean courte verte et noire', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"verte et noire"}', 0), + (6193, 2, 12, 'Veste en jean courte bleue dégradé rose', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleue dégradé rose"}', 0), + (6194, 2, 12, 'Veste en jean courte blanc dégradé bleu', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"blanc dégradé bleu"}', 0), + (6195, 2, 12, 'Veste en jean courte bleue', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"bleue"}', 0), + (6196, 2, 12, 'Veste en jean courte jean clair', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"jean clair"}', 0), + (6197, 2, 12, 'Veste en jean courte gris', 50, '{"components":{"11":{"Drawable":31,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste en jean courte","colorLabel":"gris"}', 0), + (6198, 1, 2, 'Débardeur léopard', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"léopard"}', 0), + (6199, 1, 2, 'Débardeur tête de mort', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"tête de mort"}', 0), + (6200, 1, 2, 'Débardeur rayé gris et blanc', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rayé gris et blanc"}', 0), + (6201, 2, 2, 'Débardeur léopard', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"léopard"}', 0), + (6202, 2, 2, 'Débardeur tête de mort', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"tête de mort"}', 0), + (6203, 2, 2, 'Débardeur rayé gris et blanc', 50, '{"components":{"11":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rayé gris et blanc"}', 0), + (6204, 1, 2, 'Brassière blanche', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanche"}', 0), + (6205, 1, 2, 'Brassière blanche à traits noir', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanche à traits noir"}', 0), + (6206, 1, 2, 'Brassière tigre bleu', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"tigre bleu"}', 0), + (6207, 1, 2, 'Brassière tête de léopard gris', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"tête de léopard gris"}', 0), + (6208, 1, 2, 'Brassière jungle', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"jungle"}', 0), + (6209, 1, 2, 'Brassière santos', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"santos"}', 0), + (6210, 1, 2, 'Brassière princess bubblegum', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"princess bubblegum"}', 0), + (6211, 1, 2, 'Brassière rose', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"rose"}', 0), + (6212, 1, 2, 'Brassière léopard', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"léopard"}', 0), + (6213, 2, 2, 'Brassière blanche', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanche"}', 0), + (6214, 2, 2, 'Brassière blanche à traits noir', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"blanche à traits noir"}', 0), + (6215, 2, 2, 'Brassière tigre bleu', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"tigre bleu"}', 0), + (6216, 2, 2, 'Brassière tête de léopard gris', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"tête de léopard gris"}', 0), + (6217, 2, 2, 'Brassière jungle', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"jungle"}', 0), + (6218, 2, 2, 'Brassière santos', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"santos"}', 0), + (6219, 2, 2, 'Brassière princess bubblegum', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"princess bubblegum"}', 0), + (6220, 2, 2, 'Brassière rose', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"rose"}', 0), + (6221, 2, 2, 'Brassière léopard', 50, '{"components":{"11":{"Drawable":33,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Brassière","colorLabel":"léopard"}', 0), + (6222, 3, 6, 'Costard chic ouverte militaire', 50, '{"components":{"11":{"Drawable":34,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costard chic ouverte","colorLabel":"militaire"}', 0), + (6223, 3, 12, 'Veste courte jaune', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"jaune"}', 0), + (6224, 3, 12, 'Veste courte bleu', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"bleu"}', 0), + (6225, 3, 12, 'Veste courte safran', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"safran"}', 0), + (6226, 3, 12, 'Veste courte rose', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"rose"}', 0), + (6227, 3, 12, 'Veste courte chocolat', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"chocolat"}', 0), + (6228, 3, 12, 'Veste courte rouge', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"rouge"}', 0), + (6229, 3, 12, 'Veste courte vert', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"vert"}', 0), + (6230, 3, 12, 'Veste courte bleu rayé blanc', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"bleu rayé blanc"}', 0), + (6231, 3, 12, 'Veste courte cerise', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"cerise"}', 0), + (6232, 3, 12, 'Veste courte léopard', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"léopard"}', 0), + (6233, 3, 12, 'Veste courte gris et rose', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"gris et rose"}', 0), + (6234, 3, 12, 'Veste courte gris et perle', 50, '{"components":{"11":{"Drawable":35,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3],"modelLabel":"Veste courte ","colorLabel":"gris et perle"}', 0), + (6235, 1, 2, 'Débardeur love fist', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"love fist"}', 0), + (6236, 1, 2, 'Débardeur supermarket', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"supermarket"}', 0), + (6237, 1, 2, 'Débardeur bébé', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bébé"}', 0), + (6238, 1, 2, 'Débardeur princess bubblegum', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"princess bubblegum"}', 0), + (6239, 1, 2, 'Débardeur prison', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"prison"}', 0), + (6240, 2, 2, 'Débardeur love fist', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"love fist"}', 0), + (6241, 2, 2, 'Débardeur supermarket', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"supermarket"}', 0), + (6242, 2, 2, 'Débardeur bébé', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bébé"}', 0), + (6243, 2, 2, 'Débardeur princess bubblegum', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"princess bubblegum"}', 0), + (6244, 2, 2, 'Débardeur prison', 50, '{"components":{"11":{"Drawable":36,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"prison"}', 0), + (6245, 3, 8, 'Robe triangle fleurs rose', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe triangle","colorLabel":"fleurs rose"}', 0), + (6246, 3, 8, 'Robe triangle fleurs bleu', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe triangle","colorLabel":"fleurs bleu"}', 0), + (6247, 3, 8, 'Robe triangle fleurs orange', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe triangle","colorLabel":"fleurs orange"}', 0), + (6248, 3, 8, 'Robe triangle fleurs rouge', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe triangle","colorLabel":"fleurs rouge"}', 0), + (6249, 3, 8, 'Robe triangle noire et rose', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe triangle","colorLabel":"noire et rose"}', 0), + (6250, 3, 8, 'Robe triangle fleurs magenta', 50, '{"components":{"11":{"Drawable":37,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe triangle","colorLabel":"fleurs magenta"}', 0), + (6251, 3, 2, 'T-shirt épaule dénudée citron vert', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"citron vert"}', 0), + (6252, 3, 2, 'T-shirt épaule dénudée moutarde', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"moutarde"}', 0), + (6253, 3, 2, 'T-shirt épaule dénudée lilas', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"lilas"}', 0), + (6254, 3, 2, 'T-shirt épaule dénudée nuage de pluie', 50, '{"components":{"11":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"nuage de pluie"}', 0), + (6255, 3, 10, 'Costume de cirque bleu et rouge', 50, '{"components":{"11":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume de cirque","colorLabel":"bleu et rouge"}', 0), + (6256, 1, 10, 'Tenue parachute vert', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"vert"}', 0), + (6257, 2, 10, 'Tenue parachute vert', 50, '{"components":{"11":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"vert"}', 0), + (6258, 1, 9, 'Sweat-shirt manches longues protection noir', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"noir"}', 0), + (6259, 1, 9, 'Sweat-shirt manches longues protection gris motif', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"gris motif"}', 0), + (6260, 1, 9, 'Sweat-shirt manches longues protection gris', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"gris"}', 0), + (6261, 1, 9, 'Sweat-shirt manches longues protection beige', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"beige"}', 0), + (6262, 1, 9, 'Sweat-shirt manches longues protection vert', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"vert"}', 0), + (6263, 2, 9, 'Sweat-shirt manches longues protection noir', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"noir"}', 0), + (6264, 2, 9, 'Sweat-shirt manches longues protection gris motif', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"gris motif"}', 0), + (6265, 2, 9, 'Sweat-shirt manches longues protection gris', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"gris"}', 0), + (6266, 2, 9, 'Sweat-shirt manches longues protection beige', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"beige"}', 0), + (6267, 2, 9, 'Sweat-shirt manches longues protection vert', 50, '{"components":{"11":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt manches longues protection","colorLabel":"vert"}', 0), + (6268, 1, 9, 'Pull militaire noir', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"noir"}', 0), + (6269, 1, 9, 'Pull militaire gris ', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"gris "}', 0), + (6270, 1, 9, 'Pull militaire gris foncé', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"gris foncé"}', 0), + (6271, 1, 9, 'Pull militaire blanc cassé', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"blanc cassé"}', 0), + (6272, 1, 9, 'Pull militaire vert', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"vert"}', 0), + (6273, 2, 9, 'Pull militaire noir', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"noir"}', 0), + (6274, 2, 9, 'Pull militaire gris ', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"gris "}', 0), + (6275, 2, 9, 'Pull militaire gris foncé', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"gris foncé"}', 0), + (6276, 2, 9, 'Pull militaire blanc cassé', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"blanc cassé"}', 0), + (6277, 2, 9, 'Pull militaire vert', 50, '{"components":{"11":{"Drawable":43,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull militaire","colorLabel":"vert"}', 0), + (6278, 1, 9, 'Pull de Noël mère noël', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"mère noël"}', 0), + (6279, 1, 9, 'Pull de Noël lutin', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"lutin"}', 0), + (6280, 1, 9, 'Pull de Noël cupcake', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"cupcake"}', 0), + (6281, 2, 9, 'Pull de Noël mère noël', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"mère noël"}', 0), + (6282, 2, 9, 'Pull de Noël lutin', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"lutin"}', 0), + (6283, 2, 9, 'Pull de Noël cupcake', 50, '{"components":{"11":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"cupcake"}', 0), + (6284, 3, 9, 'Pull long d\'hiver rouge poignet blanc', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull long d\'hiver","colorLabel":"rouge poignet blanc"}', 0), + (6285, 3, 9, 'Pull long d\'hiver sucre d\'orge poignet vert', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull long d\'hiver","colorLabel":"sucre d\'orge poignet vert"}', 0), + (6286, 3, 9, 'Pull long d\'hiver cerf gris', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull long d\'hiver","colorLabel":"cerf gris"}', 0), + (6287, 3, 9, 'Pull long d\'hiver sapin bleu et rouge', 50, '{"components":{"11":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull long d\'hiver","colorLabel":"sapin bleu et rouge"}', 0), + (6288, 1, 9, 'Pull de motard noir', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"noir"}', 0), + (6289, 1, 9, 'Pull de motard gris', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"gris"}', 0), + (6290, 1, 9, 'Pull de motard beige', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"beige"}', 0), + (6291, 1, 9, 'Pull de motard militaire', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"militaire"}', 0), + (6292, 2, 9, 'Pull de motard noir', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"noir"}', 0), + (6293, 2, 9, 'Pull de motard gris', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"gris"}', 0), + (6294, 2, 9, 'Pull de motard beige', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"beige"}', 0), + (6295, 2, 9, 'Pull de motard militaire', 50, '{"components":{"11":{"Drawable":46,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"militaire"}', 0), + (6296, 1, 10, 'Tenue parachute noir', 50, '{"components":{"11":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"noir"}', 0), + (6297, 2, 10, 'Tenue parachute noir', 50, '{"components":{"11":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"noir"}', 0), + (6298, 1, 5, 'Hoodie oversize zip gris foncé', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"zip gris foncé"}', 0), + (6299, 2, 5, 'Hoodie oversize zip gris foncé', 50, '{"components":{"11":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"zip gris foncé"}', 0), + (6300, 3, 10, 'Costume de cirque Queue de pie noir', 50, '{"components":{"11":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Costume de cirque","colorLabel":"Queue de pie noir"}', 0), + (6301, 3, 4, 'Manteau froissé ouvert gris', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé ouvert","colorLabel":"gris"}', 0), + (6302, 3, 4, 'Manteau froissé ouvert beige', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé ouvert","colorLabel":"beige"}', 0), + (6303, 3, 4, 'Manteau froissé ouvert noir', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé ouvert","colorLabel":"noir"}', 0), + (6304, 3, 4, 'Manteau froissé ouvert bleu ciel', 50, '{"components":{"11":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé ouvert","colorLabel":"bleu ciel"}', 0), + (6305, 3, 4, 'Manteau froissé boutonné gris', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé boutonné","colorLabel":"gris"}', 0), + (6306, 3, 4, 'Manteau froissé boutonné beige', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé boutonné","colorLabel":"beige"}', 0), + (6307, 3, 4, 'Manteau froissé boutonné noir', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé boutonné","colorLabel":"noir"}', 0), + (6308, 3, 4, 'Manteau froissé boutonné bleu ciel', 50, '{"components":{"11":{"Drawable":53,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau froissé boutonné","colorLabel":"bleu ciel"}', 0), + (6309, 3, 12, 'Veste rectangle fermée beige', 50, '{"components":{"11":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"beige"}', 0), + (6310, 3, 12, 'Veste rectangle fermée grise', 50, '{"components":{"11":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"grise"}', 0), + (6311, 3, 12, 'Veste rectangle fermée verte', 50, '{"components":{"11":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"verte"}', 0), + (6312, 3, 12, 'Veste rectangle fermée noire', 50, '{"components":{"11":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste rectangle fermée","colorLabel":"noire"}', 0), + (6313, 1, 11, 'Veste à zips fermée noir', 50, '{"components":{"11":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zips fermée","colorLabel":"noir"}', 0), + (6314, 2, 11, 'Veste à zips fermée noir', 50, '{"components":{"11":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zips fermée","colorLabel":"noir"}', 0), + (6315, 1, 7, 'Chemise large m courtes noir', 50, '{"components":{"11":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"noir"}', 0), + (6316, 2, 7, 'Chemise large m courtes noir', 50, '{"components":{"11":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"noir"}', 0), + (6317, 3, 4, 'Manteau chic bouton ouvert noir', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"noir"}', 0), + (6318, 3, 4, 'Manteau chic bouton ouvert gris col noir', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"gris col noir"}', 0), + (6319, 3, 4, 'Manteau chic bouton ouvert bleu marine', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"bleu marine"}', 0), + (6320, 3, 4, 'Manteau chic bouton ouvert vert corail', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"vert corail"}', 0), + (6321, 3, 4, 'Manteau chic bouton ouvert rouge', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"rouge"}', 0), + (6322, 3, 4, 'Manteau chic bouton ouvert blanc col noir', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"blanc col noir"}', 0), + (6323, 3, 4, 'Manteau chic bouton ouvert marron', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"marron"}', 0), + (6324, 3, 4, 'Manteau chic bouton ouvert blanc', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"blanc"}', 0), + (6325, 3, 4, 'Manteau chic bouton ouvert gris', 50, '{"components":{"11":{"Drawable":57,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton ouvert","colorLabel":"gris"}', 0), + (6326, 3, 4, 'Manteau chic bouton fermé noir', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"noir"}', 0), + (6327, 3, 4, 'Manteau chic bouton fermé gris col noir', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"gris col noir"}', 0), + (6328, 3, 4, 'Manteau chic bouton fermé bleu marine', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"bleu marine"}', 0), + (6329, 3, 4, 'Manteau chic bouton fermé vert corail', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"vert corail"}', 0), + (6330, 3, 4, 'Manteau chic bouton fermé rouge', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"rouge"}', 0), + (6331, 3, 4, 'Manteau chic bouton fermé blanc col noir', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"blanc col noir"}', 0), + (6332, 3, 4, 'Manteau chic bouton fermé marron', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"marron"}', 0), + (6333, 3, 4, 'Manteau chic bouton fermé blanc', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"blanc"}', 0), + (6334, 3, 4, 'Manteau chic bouton fermé gris', 50, '{"components":{"11":{"Drawable":58,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau chic bouton fermé","colorLabel":"gris"}', 0), + (6335, 1, 4, 'Crop manteau rouge', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"rouge"}', 0), + (6336, 1, 4, 'Crop manteau bleu marine', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"bleu marine"}', 0), + (6337, 1, 4, 'Crop manteau vert', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"vert"}', 0), + (6338, 1, 4, 'Crop manteau gris', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"gris"}', 0), + (6339, 2, 4, 'Crop manteau rouge', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"rouge"}', 0), + (6340, 2, 4, 'Crop manteau bleu marine', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"bleu marine"}', 0), + (6341, 2, 4, 'Crop manteau vert', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"vert"}', 0), + (6342, 2, 4, 'Crop manteau gris', 50, '{"components":{"11":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop manteau","colorLabel":"gris"}', 0), + (6343, 1, 4, 'Veste courte avec sous pull rouge et noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"rouge et noire"}', 0), + (6344, 1, 4, 'Veste courte avec sous pull bleue et noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"bleue et noire"}', 0), + (6345, 1, 4, 'Veste courte avec sous pull vert et blanc', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"vert et blanc"}', 0), + (6346, 1, 4, 'Veste courte avec sous pull grise et noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"grise et noire"}', 0), + (6347, 2, 4, 'Veste courte avec sous pull rouge et noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"rouge et noire"}', 0), + (6348, 2, 4, 'Veste courte avec sous pull bleue et noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"bleue et noire"}', 0), + (6349, 2, 4, 'Veste courte avec sous pull vert et blanc', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"vert et blanc"}', 0), + (6350, 2, 4, 'Veste courte avec sous pull grise et noire', 50, '{"components":{"11":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"grise et noire"}', 0), + (6351, 1, 5, 'Sweat coupe vent capuche tête noire', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"noire"}', 0), + (6352, 1, 5, 'Sweat coupe vent capuche tête blanc', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"blanc"}', 0), + (6353, 1, 5, 'Sweat coupe vent capuche tête gris', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"gris"}', 0), + (6354, 1, 5, 'Sweat coupe vent capuche tête rouge', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"rouge"}', 0), + (6355, 1, 5, 'Sweat coupe vent capuche tête bleu', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"bleu"}', 0), + (6356, 1, 5, 'Sweat coupe vent capuche tête beige', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"beige"}', 0), + (6357, 2, 5, 'Sweat coupe vent capuche tête noire', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"noire"}', 0), + (6358, 2, 5, 'Sweat coupe vent capuche tête blanc', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"blanc"}', 0), + (6359, 2, 5, 'Sweat coupe vent capuche tête gris', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"gris"}', 0), + (6360, 2, 5, 'Sweat coupe vent capuche tête rouge', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"rouge"}', 0), + (6361, 2, 5, 'Sweat coupe vent capuche tête bleu', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"bleu"}', 0), + (6362, 2, 5, 'Sweat coupe vent capuche tête beige', 50, '{"components":{"11":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"beige"}', 0), + (6363, 1, 5, 'Sweat coupe vent noire', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"noire"}', 0), + (6364, 1, 5, 'Sweat coupe vent blanc', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"blanc"}', 0), + (6365, 1, 5, 'Sweat coupe vent gris', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"gris"}', 0), + (6366, 1, 5, 'Sweat coupe vent rouge', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"rouge"}', 0), + (6367, 1, 5, 'Sweat coupe vent bleu', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"bleu"}', 0), + (6368, 1, 5, 'Sweat coupe vent beige', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"beige"}', 0), + (6369, 2, 5, 'Sweat coupe vent noire', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"noire"}', 0), + (6370, 2, 5, 'Sweat coupe vent blanc', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"blanc"}', 0), + (6371, 2, 5, 'Sweat coupe vent gris', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"gris"}', 0), + (6372, 2, 5, 'Sweat coupe vent rouge', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"rouge"}', 0), + (6373, 2, 5, 'Sweat coupe vent bleu', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"bleu"}', 0), + (6374, 2, 5, 'Sweat coupe vent beige', 50, '{"components":{"11":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"beige"}', 0), + (6375, 3, 4, 'Manteau col imposant ouvert blanc ', 50, '{"components":{"11":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau col imposant ouvert","colorLabel":"blanc "}', 0), + (6376, 3, 4, 'Manteau col imposant ouvert noir ', 50, '{"components":{"11":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau col imposant ouvert","colorLabel":"noir "}', 0), + (6377, 3, 4, 'Manteau col imposant ouvert bleu ', 50, '{"components":{"11":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau col imposant ouvert","colorLabel":"bleu "}', 0), + (6378, 3, 4, 'Manteau col imposant ouvert gris', 50, '{"components":{"11":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau col imposant ouvert","colorLabel":"gris"}', 0), + (6379, 3, 4, 'Manteau col imposant ouvert vert', 50, '{"components":{"11":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau col imposant ouvert","colorLabel":"vert"}', 0), + (6380, 3, 4, 'Manteau fourrure rouge', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"rouge"}', 0), + (6381, 3, 4, 'Manteau fourrure chocolat', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"chocolat"}', 0), + (6382, 3, 4, 'Manteau fourrure café', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"café"}', 0), + (6383, 3, 4, 'Manteau fourrure noir et marron', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"noir et marron"}', 0), + (6384, 3, 4, 'Manteau fourrure blanc', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"blanc"}', 0), + (6385, 3, 4, 'Manteau fourrure noir léopard', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"noir léopard"}', 0), + (6386, 3, 4, 'Manteau fourrure beige', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"beige"}', 0), + (6387, 3, 4, 'Manteau fourrure bleu', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"bleu"}', 0), + (6388, 3, 4, 'Manteau fourrure noir tigre', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"noir tigre"}', 0), + (6389, 3, 4, 'Manteau fourrure vert', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"vert"}', 0), + (6390, 3, 4, 'Manteau fourrure noir et gris', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"noir et gris"}', 0), + (6391, 3, 4, 'Manteau fourrure noir', 50, '{"components":{"11":{"Drawable":65,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"noir"}', 0), + (6392, 3, 4, 'Manteau col en V court noir', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau col en V court","colorLabel":"noir"}', 0), + (6393, 3, 4, 'Manteau col en V court marron', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau col en V court","colorLabel":"marron"}', 0), + (6394, 3, 4, 'Manteau col en V court rouge', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau col en V court","colorLabel":"rouge"}', 0), + (6395, 3, 4, 'Manteau col en V court bleu ', 50, '{"components":{"11":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3, 4],"modelLabel":"Manteau col en V court","colorLabel":"bleu "}', 0), + (6396, 3, 2, 'T-shirt épaule dénudée doré', 50, '{"components":{"11":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt épaule dénudée ","colorLabel":"doré"}', 0), + (6397, 1, 2, 'T-shirt sorti ailée', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"ailée"}', 0), + (6398, 1, 2, 'T-shirt sorti antique', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"antique"}', 0), + (6399, 1, 2, 'T-shirt sorti chevalier', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"chevalier"}', 0), + (6400, 1, 2, 'T-shirt sorti sacrifice', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"sacrifice"}', 0), + (6401, 1, 2, 'T-shirt sorti marron', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron"}', 0), + (6402, 1, 2, 'T-shirt sorti pièces et p', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pièces et p"}', 0), + (6403, 1, 2, 'T-shirt sorti pièces épéé', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pièces épéé"}', 0), + (6404, 1, 2, 'T-shirt sorti p marron', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"p marron"}', 0), + (6405, 1, 2, 'T-shirt sorti p marron manche unique', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"p marron manche unique"}', 0), + (6406, 1, 2, 'T-shirt sorti p rose', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"p rose"}', 0), + (6407, 1, 2, 'T-shirt sorti noir diamands', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir diamands"}', 0), + (6408, 1, 2, 'T-shirt sorti marron diamands', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron diamands"}', 0), + (6409, 1, 2, 'T-shirt sorti marron diamands manche unique', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron diamands manche unique"}', 0), + (6410, 1, 2, 'T-shirt sorti rose', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rose"}', 0), + (6411, 1, 2, 'T-shirt sorti marron et bleu', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron et bleu"}', 0), + (6412, 1, 2, 'T-shirt sorti marron dollars', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron dollars"}', 0), + (6413, 1, 2, 'T-shirt sorti blanc', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc"}', 0), + (6414, 1, 2, 'T-shirt sorti blanc multicolore', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc multicolore"}', 0), + (6415, 1, 2, 'T-shirt sorti muticolore', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"muticolore"}', 0), + (6416, 1, 2, 'T-shirt sorti jaune marron', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune marron"}', 0), + (6417, 2, 2, 'T-shirt sorti ailée', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"ailée"}', 0), + (6418, 2, 2, 'T-shirt sorti antique', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"antique"}', 0), + (6419, 2, 2, 'T-shirt sorti chevalier', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"chevalier"}', 0), + (6420, 2, 2, 'T-shirt sorti sacrifice', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"sacrifice"}', 0), + (6421, 2, 2, 'T-shirt sorti marron', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron"}', 0), + (6422, 2, 2, 'T-shirt sorti pièces et p', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pièces et p"}', 0), + (6423, 2, 2, 'T-shirt sorti pièces épéé', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pièces épéé"}', 0), + (6424, 2, 2, 'T-shirt sorti p marron', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"p marron"}', 0), + (6425, 2, 2, 'T-shirt sorti p marron manche unique', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"p marron manche unique"}', 0), + (6426, 2, 2, 'T-shirt sorti p rose', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"p rose"}', 0), + (6427, 2, 2, 'T-shirt sorti noir diamands', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir diamands"}', 0), + (6428, 2, 2, 'T-shirt sorti marron diamands', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron diamands"}', 0), + (6429, 2, 2, 'T-shirt sorti marron diamands manche unique', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron diamands manche unique"}', 0), + (6430, 2, 2, 'T-shirt sorti rose', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rose"}', 0), + (6431, 2, 2, 'T-shirt sorti marron et bleu', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron et bleu"}', 0), + (6432, 2, 2, 'T-shirt sorti marron dollars', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron dollars"}', 0), + (6433, 2, 2, 'T-shirt sorti blanc', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc"}', 0), + (6434, 2, 2, 'T-shirt sorti blanc multicolore', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc multicolore"}', 0), + (6435, 2, 2, 'T-shirt sorti muticolore', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"muticolore"}', 0), + (6436, 2, 2, 'T-shirt sorti jaune marron', 50, '{"components":{"11":{"Drawable":68,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune marron"}', 0), + (6437, 3, 12, 'Perfecto matelassé simili cuir à boucle anthracite', 50, '{"components":{"11":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"anthracite"}', 0), + (6438, 3, 4, 'Manteau fermé avec ceinture blanc', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau fermé avec ceinture","colorLabel":"blanc"}', 0), + (6439, 3, 4, 'Manteau fermé avec ceinture noir', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau fermé avec ceinture","colorLabel":"noir"}', 0), + (6440, 3, 4, 'Manteau fermé avec ceinture bleu', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau fermé avec ceinture","colorLabel":"bleu"}', 0), + (6441, 3, 4, 'Manteau fermé avec ceinture gris', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau fermé avec ceinture","colorLabel":"gris"}', 0), + (6442, 3, 4, 'Manteau fermé avec ceinture vert', 50, '{"components":{"11":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau fermé avec ceinture","colorLabel":"vert"}', 0), + (6443, 1, 9, 'Pull manches 3/4 losanges marrons et jaunes', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losanges marrons et jaunes"}', 0), + (6444, 1, 9, 'Pull manches 3/4 le chieng', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"le chieng"}', 0), + (6445, 1, 9, 'Pull manches 3/4 mini carreaux gris', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"mini carreaux gris"}', 0), + (6446, 1, 9, 'Pull manches 3/4 shuriken', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"shuriken"}', 0), + (6447, 1, 9, 'Pull manches 3/4 gris', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"gris"}', 0), + (6448, 1, 9, 'Pull manches 3/4 maison de haut', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"maison de haut"}', 0), + (6449, 1, 9, 'Pull manches 3/4 p beige', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"p beige"}', 0), + (6450, 1, 9, 'Pull manches 3/4 p marron et dorée', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"p marron et dorée"}', 0), + (6451, 1, 9, 'Pull manches 3/4 pièce en chocolat', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"pièce en chocolat"}', 0), + (6452, 1, 9, 'Pull manches 3/4 noir dollars', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"noir dollars"}', 0), + (6453, 1, 9, 'Pull manches 3/4 petits p', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"petits p"}', 0), + (6454, 1, 9, 'Pull manches 3/4 diamands marron', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"diamands marron"}', 0), + (6455, 1, 9, 'Pull manches 3/4 carraux multi-colore', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"carraux multi-colore"}', 0), + (6456, 1, 9, 'Pull manches 3/4 carraux dorée', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"carraux dorée"}', 0), + (6457, 1, 9, 'Pull manches 3/4 diamands multi-colore', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"diamands multi-colore"}', 0), + (6458, 1, 9, 'Pull manches 3/4 losange multi-colore', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losange multi-colore"}', 0), + (6459, 2, 9, 'Pull manches 3/4 losanges marrons et jaunes', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losanges marrons et jaunes"}', 0), + (6460, 2, 9, 'Pull manches 3/4 le chieng', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"le chieng"}', 0), + (6461, 2, 9, 'Pull manches 3/4 mini carreaux gris', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"mini carreaux gris"}', 0), + (6462, 2, 9, 'Pull manches 3/4 shuriken', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"shuriken"}', 0), + (6463, 2, 9, 'Pull manches 3/4 gris', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"gris"}', 0), + (6464, 2, 9, 'Pull manches 3/4 maison de haut', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"maison de haut"}', 0), + (6465, 2, 9, 'Pull manches 3/4 p beige', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"p beige"}', 0), + (6466, 2, 9, 'Pull manches 3/4 p marron et dorée', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"p marron et dorée"}', 0), + (6467, 2, 9, 'Pull manches 3/4 pièce en chocolat', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"pièce en chocolat"}', 0), + (6468, 2, 9, 'Pull manches 3/4 noir dollars', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"noir dollars"}', 0), + (6469, 2, 9, 'Pull manches 3/4 petits p', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"petits p"}', 0), + (6470, 2, 9, 'Pull manches 3/4 diamands marron', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"diamands marron"}', 0), + (6471, 2, 9, 'Pull manches 3/4 carraux multi-colore', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"carraux multi-colore"}', 0), + (6472, 2, 9, 'Pull manches 3/4 carraux dorée', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"carraux dorée"}', 0), + (6473, 2, 9, 'Pull manches 3/4 diamands multi-colore', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"diamands multi-colore"}', 0), + (6474, 2, 9, 'Pull manches 3/4 losange multi-colore', 50, '{"components":{"11":{"Drawable":71,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losange multi-colore"}', 0), + (6475, 1, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (6476, 2, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (6477, 1, 2, 'T-shirt rentré blanc', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"blanc"}', 0), + (6478, 1, 2, 'T-shirt rentré noir', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"noir"}', 0), + (6479, 1, 2, 'T-shirt rentré gris', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"gris"}', 0), + (6480, 2, 2, 'T-shirt rentré blanc', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"blanc"}', 0), + (6481, 2, 2, 'T-shirt rentré noir', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"noir"}', 0), + (6482, 2, 2, 'T-shirt rentré gris', 50, '{"components":{"11":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"gris"}', 0), + (6483, 1, 13, 'Débardeur remonté blanche', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"blanche"}', 0), + (6484, 1, 13, 'Débardeur remonté noire', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"noire"}', 0), + (6485, 1, 13, 'Débardeur remonté grise', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"grise"}', 0), + (6486, 2, 13, 'Débardeur remonté blanche', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"blanche"}', 0), + (6487, 2, 13, 'Débardeur remonté noire', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"noire"}', 0), + (6488, 2, 13, 'Débardeur remonté grise', 50, '{"components":{"11":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"grise"}', 0), + (6489, 1, 5, 'Sweat-shirt col rond jaune manche noir', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"jaune manche noir"}', 0), + (6490, 1, 5, 'Sweat-shirt col rond blanc manche jaune', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"blanc manche jaune"}', 0), + (6491, 1, 5, 'Sweat-shirt col rond jaune col noir', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"jaune col noir"}', 0), + (6492, 1, 5, 'Sweat-shirt col rond noir col jaune', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"noir col jaune"}', 0), + (6493, 2, 5, 'Sweat-shirt col rond jaune manche noir', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"jaune manche noir"}', 0), + (6494, 2, 5, 'Sweat-shirt col rond blanc manche jaune', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"blanc manche jaune"}', 0), + (6495, 2, 5, 'Sweat-shirt col rond jaune col noir', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"jaune col noir"}', 0), + (6496, 2, 5, 'Sweat-shirt col rond noir col jaune', 50, '{"components":{"11":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"noir col jaune"}', 0), + (6497, 1, 2, 'T-shirt baseball gris et jaune', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris et jaune"}', 0), + (6498, 1, 2, 'T-shirt baseball blanc et bleu', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc et bleu"}', 0), + (6499, 1, 2, 'T-shirt baseball blanc et vert', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc et vert"}', 0), + (6500, 1, 2, 'T-shirt baseball blanc rayé', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc rayé"}', 0), + (6501, 1, 2, 'T-shirt baseball gris et vert', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris et vert"}', 0), + (6502, 2, 2, 'T-shirt baseball gris et jaune', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris et jaune"}', 0), + (6503, 2, 2, 'T-shirt baseball blanc et bleu', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc et bleu"}', 0), + (6504, 2, 2, 'T-shirt baseball blanc et vert', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc et vert"}', 0), + (6505, 2, 2, 'T-shirt baseball blanc rayé', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"blanc rayé"}', 0), + (6506, 2, 2, 'T-shirt baseball gris et vert', 50, '{"components":{"11":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris et vert"}', 0), + (6507, 1, 4, 'Coupe vent bleu', 50, '{"components":{"11":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Coupe vent","colorLabel":"bleu"}', 0), + (6508, 2, 4, 'Coupe vent bleu', 50, '{"components":{"11":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Coupe vent","colorLabel":"bleu"}', 0), + (6509, 1, 5, 'Hoodie noir', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"noir"}', 0), + (6510, 1, 5, 'Hoodie gris', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"gris"}', 0), + (6511, 1, 5, 'Hoodie violet', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"violet"}', 0), + (6512, 1, 5, 'Hoodie turquoise', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"turquoise"}', 0), + (6513, 1, 5, 'Hoodie rose', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rose"}', 0), + (6514, 1, 5, 'Hoodie blanc', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"blanc"}', 0), + (6515, 1, 5, 'Hoodie bleu', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"bleu"}', 0), + (6516, 1, 5, 'Hoodie rouge', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rouge"}', 0), + (6517, 2, 5, 'Hoodie noir', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"noir"}', 0), + (6518, 2, 5, 'Hoodie gris', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"gris"}', 0), + (6519, 2, 5, 'Hoodie violet', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"violet"}', 0), + (6520, 2, 5, 'Hoodie turquoise', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"turquoise"}', 0), + (6521, 2, 5, 'Hoodie rose', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rose"}', 0), + (6522, 2, 5, 'Hoodie blanc', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"blanc"}', 0), + (6523, 2, 5, 'Hoodie bleu', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"bleu"}', 0), + (6524, 2, 5, 'Hoodie rouge', 50, '{"components":{"11":{"Drawable":78,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rouge"}', 0), + (6525, 3, 9, 'Pull manches 3/4 noir', 50, '{"components":{"11":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"noir"}', 0), + (6526, 3, 9, 'Pull manches 3/4 gris', 50, '{"components":{"11":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"gris"}', 0), + (6527, 3, 9, 'Pull manches 3/4 blanc', 50, '{"components":{"11":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"blanc"}', 0), + (6528, 3, 9, 'Pull manches 3/4 vert', 50, '{"components":{"11":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"vert"}', 0), + (6529, 1, 12, 'Veste highschool football boutons blanc', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blanc"}', 0), + (6530, 2, 12, 'Veste highschool football boutons blanc', 50, '{"components":{"11":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blanc"}', 0), + (6531, 1, 12, 'Veste highschool football boutons double p rouge', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"double p rouge"}', 0), + (6532, 1, 12, 'Veste highschool football boutons magnetics vert et marron', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"magnetics vert et marron"}', 0), + (6533, 1, 12, 'Veste highschool football boutons hiterland', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"hiterland"}', 0), + (6534, 1, 12, 'Veste highschool football boutons magnetics vert et blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"magnetics vert et blanc"}', 0), + (6535, 1, 12, 'Veste highschool football boutons broker noir', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"broker noir"}', 0), + (6536, 1, 12, 'Veste highschool football boutons broker gris', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"broker gris"}', 0), + (6537, 1, 12, 'Veste highschool football boutons broker noir et blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"broker noir et blanc"}', 0), + (6538, 1, 12, 'Veste highschool football boutons fryer noir et blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"fryer noir et blanc"}', 0), + (6539, 1, 12, 'Veste highschool football boutons tête de mort noir te blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"tête de mort noir te blanc"}', 0), + (6540, 1, 12, 'Veste highschool football boutons marron et noir', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"marron et noir"}', 0), + (6541, 1, 12, 'Veste highschool football boutons double p bleu et rouge', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"double p bleu et rouge"}', 0), + (6542, 1, 12, 'Veste highschool football boutons LS bleu', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"LS bleu"}', 0), + (6543, 2, 12, 'Veste highschool football boutons double p rouge', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"double p rouge"}', 0), + (6544, 2, 12, 'Veste highschool football boutons magnetics vert et marron', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"magnetics vert et marron"}', 0), + (6545, 2, 12, 'Veste highschool football boutons hiterland', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"hiterland"}', 0), + (6546, 2, 12, 'Veste highschool football boutons magnetics vert et blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"magnetics vert et blanc"}', 0), + (6547, 2, 12, 'Veste highschool football boutons broker noir', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"broker noir"}', 0), + (6548, 2, 12, 'Veste highschool football boutons broker gris', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"broker gris"}', 0), + (6549, 2, 12, 'Veste highschool football boutons broker noir et blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"broker noir et blanc"}', 0), + (6550, 2, 12, 'Veste highschool football boutons fryer noir et blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"fryer noir et blanc"}', 0), + (6551, 2, 12, 'Veste highschool football boutons tête de mort noir te blanc', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"tête de mort noir te blanc"}', 0), + (6552, 2, 12, 'Veste highschool football boutons marron et noir', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"marron et noir"}', 0), + (6553, 2, 12, 'Veste highschool football boutons double p bleu et rouge', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"double p bleu et rouge"}', 0), + (6554, 2, 12, 'Veste highschool football boutons LS bleu', 50, '{"components":{"11":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"LS bleu"}', 0), + (6555, 1, 7, 'Pyjama noir', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (6556, 1, 7, 'Pyjama motifs violet', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"motifs violet"}', 0), + (6557, 1, 7, 'Pyjama motifs jaune', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"motifs jaune"}', 0), + (6558, 1, 7, 'Pyjama bleu ciel', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu ciel"}', 0), + (6559, 1, 7, 'Pyjama rouge', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (6560, 1, 7, 'Pyjama rose', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rose"}', 0), + (6561, 1, 7, 'Pyjama blanc fleuri', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"blanc fleuri"}', 0), + (6562, 2, 7, 'Pyjama noir', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (6563, 2, 7, 'Pyjama motifs violet', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"motifs violet"}', 0), + (6564, 2, 7, 'Pyjama motifs jaune', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"motifs jaune"}', 0), + (6565, 2, 7, 'Pyjama bleu ciel', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu ciel"}', 0), + (6566, 2, 7, 'Pyjama rouge', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (6567, 2, 7, 'Pyjama rose', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rose"}', 0), + (6568, 2, 7, 'Pyjama blanc fleuri', 50, '{"components":{"11":{"Drawable":83,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"blanc fleuri"}', 0), + (6569, 3, 3, 'Polo sportif sorti andreas vert', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"andreas vert"}', 0), + (6570, 3, 3, 'Polo sportif sorti rouge bleu et vert', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rouge bleu et vert"}', 0), + (6571, 3, 3, 'Polo sportif sorti rayé vert et noir', 50, '{"components":{"11":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rayé vert et noir"}', 0), + (6572, 3, 3, 'Polo sportif rentré andreas vert', 50, '{"components":{"11":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"andreas vert"}', 0), + (6573, 3, 3, 'Polo sportif rentré rouge bleu et vert', 50, '{"components":{"11":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rouge bleu et vert"}', 0), + (6574, 3, 3, 'Polo sportif rentré rayé vert et noir', 50, '{"components":{"11":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rayé vert et noir"}', 0), + (6575, 1, 7, 'Chemise rentrée m retroussées jean clair', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"jean clair"}', 0), + (6576, 1, 7, 'Chemise rentrée m retroussées noir', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"noir"}', 0), + (6577, 1, 7, 'Chemise rentrée m retroussées rouge et fleuri', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"rouge et fleuri"}', 0), + (6578, 2, 7, 'Chemise rentrée m retroussées jean clair', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"jean clair"}', 0), + (6579, 2, 7, 'Chemise rentrée m retroussées noir', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"noir"}', 0), + (6580, 2, 7, 'Chemise rentrée m retroussées rouge et fleuri', 50, '{"components":{"11":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"rouge et fleuri"}', 0), + (6581, 1, 5, 'Hoodie oversize cyan', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cyan"}', 0), + (6582, 2, 5, 'Hoodie oversize cyan', 50, '{"components":{"11":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cyan"}', 0), + (6583, 1, 2, 'T-shirt sorti sable', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"sable"}', 0), + (6584, 1, 2, 'T-shirt sorti kaki', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"kaki"}', 0), + (6585, 2, 2, 'T-shirt sorti sable', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"sable"}', 0), + (6586, 2, 2, 'T-shirt sorti kaki', 50, '{"components":{"11":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"kaki"}', 0), + (6587, 1, 9, 'Pull de motard sable', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"sable"}', 0), + (6588, 1, 9, 'Pull de motard kaki', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"kaki"}', 0), + (6589, 2, 9, 'Pull de motard sable', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"sable"}', 0), + (6590, 2, 9, 'Pull de motard kaki', 50, '{"components":{"11":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de motard","colorLabel":"kaki"}', 0), + (6591, 3, 6, 'Veste de costume ouverte beige', 50, '{"components":{"11":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"beige"}', 0), + (6592, 3, 6, 'Veste de costume ouverte bleu', 50, '{"components":{"11":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleu"}', 0), + (6593, 3, 6, 'Veste de costume ouverte bleu ciel', 50, '{"components":{"11":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleu ciel"}', 0), + (6594, 3, 6, 'Veste de costume ouverte mauve', 50, '{"components":{"11":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"mauve"}', 0), + (6595, 3, 6, 'Veste de costume ouverte jaune', 50, '{"components":{"11":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"jaune"}', 0), + (6596, 3, 6, 'Veste de costume fermée beige', 50, '{"components":{"11":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"beige"}', 0), + (6597, 3, 6, 'Veste de costume fermée bleu', 50, '{"components":{"11":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"bleu"}', 0), + (6598, 3, 6, 'Veste de costume fermée bleu ciel', 50, '{"components":{"11":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"bleu ciel"}', 0), + (6599, 3, 6, 'Veste de costume fermée mauve', 50, '{"components":{"11":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"mauve"}', 0), + (6600, 3, 6, 'Veste de costume fermée jaune', 50, '{"components":{"11":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"jaune"}', 0), + (6601, 3, 6, 'Veste de costume sans pochette ouverte bordeaux', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"bordeaux"}', 0), + (6602, 3, 6, 'Veste de costume sans pochette ouverte bleu', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"bleu"}', 0), + (6603, 3, 6, 'Veste de costume sans pochette ouverte anthracite', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"anthracite"}', 0), + (6604, 3, 6, 'Veste de costume sans pochette ouverte vert', 50, '{"components":{"11":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"vert"}', 0), + (6605, 3, 6, 'Veste de costume sans pochette fermée bordeaux', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"bordeaux"}', 0), + (6606, 3, 6, 'Veste de costume sans pochette fermée bleu', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"bleu"}', 0), + (6607, 3, 6, 'Veste de costume sans pochette fermée anthracite', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"anthracite"}', 0), + (6608, 3, 6, 'Veste de costume sans pochette fermée vert', 50, '{"components":{"11":{"Drawable":93,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"vert"}', 0), + (6609, 3, 6, 'Veste de costume sans pochette ouverte noir et dorée', 50, '{"components":{"11":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"noir et dorée"}', 0), + (6610, 1, 7, 'Chemise large m courtes fleuri', 50, '{"components":{"11":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"fleuri"}', 0), + (6611, 2, 7, 'Chemise large m courtes fleuri', 50, '{"components":{"11":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"fleuri"}', 0), + (6612, 3, 4, 'Manteau matelassé bleu', 50, '{"components":{"11":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"bleu"}', 0), + (6613, 3, 4, 'Manteau asiatique blanc', 50, '{"components":{"11":{"Drawable":98,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"blanc"}', 0), + (6614, 3, 4, 'Manteau asiatique noir', 50, '{"components":{"11":{"Drawable":98,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"noir"}', 0), + (6615, 3, 4, 'Manteau asiatique rouge', 50, '{"components":{"11":{"Drawable":98,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"rouge"}', 0), + (6616, 3, 4, 'Manteau asiatique bleu', 50, '{"components":{"11":{"Drawable":98,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"bleu"}', 0), + (6617, 3, 4, 'Manteau asiatique marron', 50, '{"components":{"11":{"Drawable":98,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau asiatique","colorLabel":"marron"}', 0), + (6618, 3, 4, 'Blouson chic fermé rouge et noir', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"rouge et noir"}', 0), + (6619, 3, 4, 'Blouson chic fermé marine', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"marine"}', 0), + (6620, 3, 4, 'Blouson chic fermé magenta et noir', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"magenta et noir"}', 0), + (6621, 3, 4, 'Blouson chic fermé noir et rouge', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"noir et rouge"}', 0), + (6622, 3, 4, 'Blouson chic fermé rose et noir', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"rose et noir"}', 0), + (6623, 3, 4, 'Blouson chic fermé noir et rose', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"noir et rose"}', 0), + (6624, 3, 4, 'Blouson chic fermé bleu et ciel', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"bleu et ciel"}', 0), + (6625, 3, 4, 'Blouson chic fermé violet', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"violet"}', 0), + (6626, 3, 4, 'Blouson chic fermé orange', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"orange"}', 0), + (6627, 3, 4, 'Blouson chic fermé olive', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"olive"}', 0), + (6628, 3, 4, 'Blouson chic fermé marron', 50, '{"components":{"11":{"Drawable":99,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson chic fermé","colorLabel":"marron"}', 0), + (6629, 1, 21, 'Bikini haut rose ', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rose "}', 0), + (6630, 1, 21, 'Bikini haut noir et jaune imprimé', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"noir et jaune imprimé"}', 0), + (6631, 1, 21, 'Bikini haut gris et jaune pâle a motif ', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"gris et jaune pâle a motif "}', 0), + (6632, 1, 21, 'Bikini haut turquoise et gris imprimé', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"turquoise et gris imprimé"}', 0), + (6633, 1, 21, 'Bikini haut vert et orange imprimé', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"vert et orange imprimé"}', 0), + (6634, 1, 21, 'Bikini haut gris et bleu', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"gris et bleu"}', 0), + (6635, 2, 21, 'Bikini haut rose ', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"rose "}', 0), + (6636, 2, 21, 'Bikini haut noir et jaune imprimé', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"noir et jaune imprimé"}', 0), + (6637, 2, 21, 'Bikini haut gris et jaune pâle a motif ', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"gris et jaune pâle a motif "}', 0), + (6638, 2, 21, 'Bikini haut turquoise et gris imprimé', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"turquoise et gris imprimé"}', 0), + (6639, 2, 21, 'Bikini haut vert et orange imprimé', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"vert et orange imprimé"}', 0), + (6640, 2, 21, 'Bikini haut gris et bleu', 50, '{"components":{"11":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"gris et bleu"}', 0), + (6641, 3, 4, 'Long manteau fermé en cuir cuivré', 50, '{"components":{"11":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Long manteau fermé en cuir","colorLabel":"cuivré"}', 0), + (6642, 3, 4, 'Caban classe à boutons gris clair', 50, '{"components":{"11":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Caban classe à boutons","colorLabel":"gris clair"}', 0), + (6643, 3, 13, 'Haut de peignoir blanc', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"blanc"}', 0), + (6644, 3, 13, 'Haut de peignoir bleu plâtre', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"bleu plâtre"}', 0), + (6645, 3, 13, 'Haut de peignoir noir ', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir "}', 0), + (6646, 3, 13, 'Haut de peignoir rouge imprimé luxe', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"rouge imprimé luxe"}', 0), + (6647, 3, 13, 'Haut de peignoir violet imprimé luxe', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"violet imprimé luxe"}', 0), + (6648, 3, 13, 'Haut de peignoir bleu imprimé luxe', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"bleu imprimé luxe"}', 0), + (6649, 3, 13, 'Haut de peignoir noir imprimé luxe', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir imprimé luxe"}', 0), + (6650, 3, 13, 'Haut de peignoir beige imprimé géometrique', 50, '{"components":{"11":{"Drawable":105,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"beige imprimé géometrique"}', 0), + (6651, 3, 12, 'Veste Harrington rouge noire a logo blanc', 50, '{"components":{"11":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rouge noire a logo blanc"}', 0), + (6652, 3, 12, 'Veste Harrington noire et blanche', 50, '{"components":{"11":{"Drawable":106,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"noire et blanche"}', 0), + (6653, 3, 12, 'Veste Harrington bleu foncée', 50, '{"components":{"11":{"Drawable":106,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu foncée"}', 0), + (6654, 3, 12, 'Veste Harrington verte et bleue', 50, '{"components":{"11":{"Drawable":106,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"verte et bleue"}', 0), + (6655, 3, 4, 'Trench coat ouvert gris et noir', 50, '{"components":{"11":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"gris et noir"}', 0), + (6656, 1, 10, 'Manteau a ceinture du père noël propre', 50, '{"components":{"11":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau a ceinture du père noël ","colorLabel":"propre"}', 0), + (6657, 1, 10, 'Manteau a ceinture du père noël un peu sale', 50, '{"components":{"11":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau a ceinture du père noël ","colorLabel":"un peu sale"}', 0), + (6658, 1, 10, 'Manteau a ceinture du père noël dégueulasse', 50, '{"components":{"11":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau a ceinture du père noël ","colorLabel":"dégueulasse"}', 0), + (6659, 2, 10, 'Manteau a ceinture du père noël propre', 50, '{"components":{"11":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau a ceinture du père noël ","colorLabel":"propre"}', 0), + (6660, 2, 10, 'Manteau a ceinture du père noël un peu sale', 50, '{"components":{"11":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau a ceinture du père noël ","colorLabel":"un peu sale"}', 0), + (6661, 2, 10, 'Manteau a ceinture du père noël dégueulasse', 50, '{"components":{"11":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau a ceinture du père noël ","colorLabel":"dégueulasse"}', 0), + (6662, 1, 7, 'Pyjama rouge a carreaux', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge a carreaux"}', 0), + (6663, 1, 7, 'Pyjama vert a carreaux', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert a carreaux"}', 0), + (6664, 1, 7, 'Pyjama vert a carreaux rouges', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert a carreaux rouges"}', 0), + (6665, 1, 7, 'Pyjama sucre d\'orge', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"sucre d\'orge"}', 0), + (6666, 1, 7, 'Pyjama vert chaussettes de noël', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert chaussettes de noël"}', 0), + (6667, 1, 7, 'Pyjama vert imprimé', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert imprimé"}', 0), + (6668, 1, 7, 'Pyjama rouge imprimé', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge imprimé"}', 0), + (6669, 1, 7, 'Pyjama houx de noël', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"houx de noël"}', 0), + (6670, 1, 7, 'Pyjama bleu avec pingouins', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu avec pingouins"}', 0), + (6671, 1, 7, 'Pyjama jaune rodolph', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"jaune rodolph"}', 0), + (6672, 1, 7, 'Pyjama blanc a floncons rouges', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"blanc a floncons rouges"}', 0), + (6673, 1, 7, 'Pyjama bleu bonhomme de neige', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu bonhomme de neige"}', 0), + (6674, 1, 7, 'Pyjama rouge sapins', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge sapins"}', 0), + (6675, 1, 7, 'Pyjama rouge noël', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge noël"}', 0), + (6676, 1, 7, 'Pyjama beige sapins', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"beige sapins"}', 0), + (6677, 1, 7, 'Pyjama vert guirlande', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert guirlande"}', 0), + (6678, 2, 7, 'Pyjama rouge a carreaux', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge a carreaux"}', 0), + (6679, 2, 7, 'Pyjama vert a carreaux', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert a carreaux"}', 0), + (6680, 2, 7, 'Pyjama vert a carreaux rouges', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert a carreaux rouges"}', 0), + (6681, 2, 7, 'Pyjama sucre d\'orge', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"sucre d\'orge"}', 0), + (6682, 2, 7, 'Pyjama vert chaussettes de noël', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert chaussettes de noël"}', 0), + (6683, 2, 7, 'Pyjama vert imprimé', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert imprimé"}', 0), + (6684, 2, 7, 'Pyjama rouge imprimé', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge imprimé"}', 0), + (6685, 2, 7, 'Pyjama houx de noël', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"houx de noël"}', 0), + (6686, 2, 7, 'Pyjama bleu avec pingouins', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu avec pingouins"}', 0), + (6687, 2, 7, 'Pyjama jaune rodolph', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"jaune rodolph"}', 0), + (6688, 2, 7, 'Pyjama blanc a floncons rouges', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"blanc a floncons rouges"}', 0), + (6689, 2, 7, 'Pyjama bleu bonhomme de neige', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu bonhomme de neige"}', 0), + (6690, 2, 7, 'Pyjama rouge sapins', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge sapins"}', 0), + (6691, 2, 7, 'Pyjama rouge noël', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge noël"}', 0), + (6692, 2, 7, 'Pyjama beige sapins', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"beige sapins"}', 0), + (6693, 2, 7, 'Pyjama vert guirlande', 50, '{"components":{"11":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert guirlande"}', 0), + (6694, 1, 12, 'Veste de moto en cuir noire et vert', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et vert"}', 0), + (6695, 1, 12, 'Veste de moto en cuir noire et orange', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et orange"}', 0), + (6696, 1, 12, 'Veste de moto en cuir noire et violette', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et violette"}', 0), + (6697, 1, 12, 'Veste de moto en cuir noire rose ', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire rose "}', 0), + (6698, 1, 12, 'Veste de moto en cuir noire et rouge', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et rouge"}', 0), + (6699, 1, 12, 'Veste de moto en cuir noire et bleue', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et bleue"}', 0), + (6700, 1, 12, 'Veste de moto en cuir noire et grise', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et grise"}', 0), + (6701, 1, 12, 'Veste de moto en cuir noire et beige', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et beige"}', 0), + (6702, 1, 12, 'Veste de moto en cuir noire et blanche', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et blanche"}', 0), + (6703, 1, 12, 'Veste de moto en cuir noire', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire"}', 0), + (6704, 2, 12, 'Veste de moto en cuir noire et vert', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et vert"}', 0), + (6705, 2, 12, 'Veste de moto en cuir noire et orange', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et orange"}', 0), + (6706, 2, 12, 'Veste de moto en cuir noire et violette', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et violette"}', 0), + (6707, 2, 12, 'Veste de moto en cuir noire rose ', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire rose "}', 0), + (6708, 2, 12, 'Veste de moto en cuir noire et rouge', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et rouge"}', 0), + (6709, 2, 12, 'Veste de moto en cuir noire et bleue', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et bleue"}', 0), + (6710, 2, 12, 'Veste de moto en cuir noire et grise', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et grise"}', 0), + (6711, 2, 12, 'Veste de moto en cuir noire et beige', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et beige"}', 0), + (6712, 2, 12, 'Veste de moto en cuir noire et blanche', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire et blanche"}', 0), + (6713, 2, 12, 'Veste de moto en cuir noire', 50, '{"components":{"11":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de moto en cuir","colorLabel":"noire"}', 0), + (6714, 3, 6, 'Corset de nuit beige et marron', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"beige et marron"}', 0), + (6715, 3, 6, 'Corset de nuit blanc et bleu', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"blanc et bleu"}', 0), + (6716, 3, 6, 'Corset de nuit marron a carreaux rouges', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"marron a carreaux rouges"}', 0), + (6717, 3, 6, 'Corset de nuit bleu a pois', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"bleu a pois"}', 0), + (6718, 3, 6, 'Corset de nuit rouge léopard', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"rouge léopard"}', 0), + (6719, 3, 6, 'Corset de nuit blanc a cœur rose', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"blanc a cœur rose"}', 0), + (6720, 3, 6, 'Corset de nuit noir a cœur rose', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"noir a cœur rose"}', 0), + (6721, 3, 6, 'Corset de nuit rouge a cœur', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"rouge a cœur"}', 0), + (6722, 3, 6, 'Corset de nuit violet et rose', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"violet et rose"}', 0), + (6723, 3, 6, 'Corset de nuit beige verdâtre', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"beige verdâtre"}', 0), + (6724, 3, 6, 'Corset de nuit noir léopard', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"noir léopard"}', 0), + (6725, 3, 6, 'Corset de nuit rouge et blanc', 50, '{"components":{"11":{"Drawable":111,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Corset de nuit","colorLabel":"rouge et blanc"}', 0), + (6726, 3, 8, 'Robe vintage charleston bleue et noire', 50, '{"components":{"11":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"bleue et noire"}', 0), + (6727, 3, 8, 'Robe vintage charleston beige et noire', 50, '{"components":{"11":{"Drawable":112,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"beige et noire"}', 0), + (6728, 3, 8, 'Robe vintage charleston blanc cassé', 50, '{"components":{"11":{"Drawable":112,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"blanc cassé"}', 0), + (6729, 3, 8, 'Robe vintage charleston marron', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"marron"}', 0), + (6730, 3, 8, 'Robe vintage charleston blanche', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"blanche"}', 0), + (6731, 3, 8, 'Robe vintage charleston bleue', 50, '{"components":{"11":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"bleue"}', 0), + (6732, 3, 8, 'Robe vintage charleston rouge et dorée', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"rouge et dorée"}', 0), + (6733, 3, 8, 'Robe vintage charleston verte et dorée', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"verte et dorée"}', 0), + (6734, 3, 8, 'Robe vintage charleston blanche et dorée', 50, '{"components":{"11":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"blanche et dorée"}', 0), + (6735, 3, 8, 'Robe vintage charleston noire et dorée', 50, '{"components":{"11":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"noire et dorée"}', 0), + (6736, 3, 8, 'Robe vintage charleston blanche et dorée', 50, '{"components":{"11":{"Drawable":115,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"blanche et dorée"}', 0), + (6737, 3, 8, 'Robe vintage charleston bleue roi et argentée', 50, '{"components":{"11":{"Drawable":115,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"bleue roi et argentée"}', 0), + (6738, 3, 8, 'Robe vintage charleston blanche', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"blanche"}', 0), + (6739, 3, 8, 'Robe vintage charleston noire et argentée', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"noire et argentée"}', 0), + (6740, 3, 8, 'Robe vintage charleston rouge et argentée', 50, '{"components":{"11":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe vintage charleston","colorLabel":"rouge et argentée"}', 0), + (6741, 1, 2, 'T-shirt retroussé rentré blanc', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"blanc"}', 0), + (6742, 1, 2, 'T-shirt retroussé rentré noir', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"noir"}', 0), + (6743, 1, 2, 'T-shirt retroussé rentré gris', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"gris"}', 0), + (6744, 2, 2, 'T-shirt retroussé rentré blanc', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"blanc"}', 0), + (6745, 2, 2, 'T-shirt retroussé rentré noir', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"noir"}', 0), + (6746, 2, 2, 'T-shirt retroussé rentré gris', 50, '{"components":{"11":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"gris"}', 0), + (6747, 1, 2, 'T-shirt retroussé sorti blanc', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"blanc"}', 0), + (6748, 1, 2, 'T-shirt retroussé sorti noir', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"noir"}', 0), + (6749, 1, 2, 'T-shirt retroussé sorti gris', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"gris"}', 0), + (6750, 2, 2, 'T-shirt retroussé sorti blanc', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"blanc"}', 0), + (6751, 2, 2, 'T-shirt retroussé sorti noir', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"noir"}', 0), + (6752, 2, 2, 'T-shirt retroussé sorti gris', 50, '{"components":{"11":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"gris"}', 0), + (6753, 1, 3, 'Polo à zip blanc', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"blanc"}', 0), + (6754, 1, 3, 'Polo à zip bleu', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"bleu"}', 0), + (6755, 1, 3, 'Polo à zip noir', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"noir"}', 0), + (6756, 2, 3, 'Polo à zip blanc', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"blanc"}', 0), + (6757, 2, 3, 'Polo à zip bleu', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"bleu"}', 0), + (6758, 2, 3, 'Polo à zip noir', 50, '{"components":{"11":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo à zip","colorLabel":"noir"}', 0), + (6759, 1, 7, 'Chemise à carreaux col bleue', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"bleue"}', 0), + (6760, 1, 7, 'Chemise à carreaux col vert pâle', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"vert pâle"}', 0), + (6761, 1, 7, 'Chemise à carreaux col verte', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"verte"}', 0), + (6762, 1, 7, 'Chemise à carreaux col violette', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"violette"}', 0), + (6763, 1, 7, 'Chemise à carreaux col vieux marron', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"vieux marron"}', 0), + (6764, 1, 7, 'Chemise à carreaux col chocolat', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"chocolat"}', 0), + (6765, 1, 7, 'Chemise à carreaux col bleue claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"bleue claire"}', 0), + (6766, 1, 7, 'Chemise à carreaux col violette claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"violette claire"}', 0), + (6767, 1, 7, 'Chemise à carreaux col blanche et grise', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"blanche et grise"}', 0), + (6768, 1, 7, 'Chemise à carreaux col bleu très claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"bleu très claire"}', 0), + (6769, 1, 7, 'Chemise à carreaux col gazon', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"gazon"}', 0), + (6770, 1, 7, 'Chemise à carreaux col noire et blanche', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"noire et blanche"}', 0), + (6771, 1, 7, 'Chemise à carreaux col rouge', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"rouge"}', 0), + (6772, 1, 7, 'Chemise à carreaux col verte claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"verte claire"}', 0), + (6773, 1, 7, 'Chemise à carreaux col grise et noire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"grise et noire"}', 0), + (6774, 1, 7, 'Chemise à carreaux col moutarde', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"moutarde"}', 0), + (6775, 1, 7, 'Chemise à carreaux col mauve', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"mauve"}', 0), + (6776, 2, 7, 'Chemise à carreaux col bleue', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"bleue"}', 0), + (6777, 2, 7, 'Chemise à carreaux col vert pâle', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"vert pâle"}', 0), + (6778, 2, 7, 'Chemise à carreaux col verte', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"verte"}', 0), + (6779, 2, 7, 'Chemise à carreaux col violette', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"violette"}', 0), + (6780, 2, 7, 'Chemise à carreaux col vieux marron', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"vieux marron"}', 0), + (6781, 2, 7, 'Chemise à carreaux col chocolat', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"chocolat"}', 0), + (6782, 2, 7, 'Chemise à carreaux col bleue claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"bleue claire"}', 0), + (6783, 2, 7, 'Chemise à carreaux col violette claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"violette claire"}', 0), + (6784, 2, 7, 'Chemise à carreaux col blanche et grise', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"blanche et grise"}', 0), + (6785, 2, 7, 'Chemise à carreaux col bleu très claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"bleu très claire"}', 0), + (6786, 2, 7, 'Chemise à carreaux col gazon', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"gazon"}', 0), + (6787, 2, 7, 'Chemise à carreaux col noire et blanche', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"noire et blanche"}', 0), + (6788, 2, 7, 'Chemise à carreaux col rouge', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"rouge"}', 0), + (6789, 2, 7, 'Chemise à carreaux col verte claire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"verte claire"}', 0), + (6790, 2, 7, 'Chemise à carreaux col grise et noire', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"grise et noire"}', 0), + (6791, 2, 7, 'Chemise à carreaux col moutarde', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"moutarde"}', 0), + (6792, 2, 7, 'Chemise à carreaux col mauve', 50, '{"components":{"11":{"Drawable":120,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise à carreaux col","colorLabel":"mauve"}', 0), + (6793, 1, 7, 'Chemise à carreaux boutonnée bleue', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"bleue"}', 0), + (6794, 1, 7, 'Chemise à carreaux boutonnée vert pâle', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"vert pâle"}', 0), + (6795, 1, 7, 'Chemise à carreaux boutonnée verte', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"verte"}', 0), + (6796, 1, 7, 'Chemise à carreaux boutonnée violette', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"violette"}', 0), + (6797, 1, 7, 'Chemise à carreaux boutonnée vieux marron', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"vieux marron"}', 0), + (6798, 1, 7, 'Chemise à carreaux boutonnée chocolat', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"chocolat"}', 0), + (6799, 1, 7, 'Chemise à carreaux boutonnée bleue claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"bleue claire"}', 0), + (6800, 1, 7, 'Chemise à carreaux boutonnée violette claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"violette claire"}', 0), + (6801, 1, 7, 'Chemise à carreaux boutonnée blanche et grise', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"blanche et grise"}', 0), + (6802, 1, 7, 'Chemise à carreaux boutonnée bleu très claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"bleu très claire"}', 0), + (6803, 1, 7, 'Chemise à carreaux boutonnée gazon', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"gazon"}', 0), + (6804, 1, 7, 'Chemise à carreaux boutonnée noire et blanche', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"noire et blanche"}', 0), + (6805, 1, 7, 'Chemise à carreaux boutonnée rouge', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"rouge"}', 0), + (6806, 1, 7, 'Chemise à carreaux boutonnée verte claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"verte claire"}', 0), + (6807, 1, 7, 'Chemise à carreaux boutonnée grise et noire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"grise et noire"}', 0), + (6808, 1, 7, 'Chemise à carreaux boutonnée moutarde', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"moutarde"}', 0), + (6809, 1, 7, 'Chemise à carreaux boutonnée mauve', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"mauve"}', 0), + (6810, 2, 7, 'Chemise à carreaux boutonnée bleue', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"bleue"}', 0), + (6811, 2, 7, 'Chemise à carreaux boutonnée vert pâle', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"vert pâle"}', 0), + (6812, 2, 7, 'Chemise à carreaux boutonnée verte', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"verte"}', 0), + (6813, 2, 7, 'Chemise à carreaux boutonnée violette', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"violette"}', 0), + (6814, 2, 7, 'Chemise à carreaux boutonnée vieux marron', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"vieux marron"}', 0), + (6815, 2, 7, 'Chemise à carreaux boutonnée chocolat', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"chocolat"}', 0), + (6816, 2, 7, 'Chemise à carreaux boutonnée bleue claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"bleue claire"}', 0), + (6817, 2, 7, 'Chemise à carreaux boutonnée violette claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"violette claire"}', 0), + (6818, 2, 7, 'Chemise à carreaux boutonnée blanche et grise', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"blanche et grise"}', 0), + (6819, 2, 7, 'Chemise à carreaux boutonnée bleu très claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"bleu très claire"}', 0), + (6820, 2, 7, 'Chemise à carreaux boutonnée gazon', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"gazon"}', 0), + (6821, 2, 7, 'Chemise à carreaux boutonnée noire et blanche', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"noire et blanche"}', 0), + (6822, 2, 7, 'Chemise à carreaux boutonnée rouge', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"rouge"}', 0), + (6823, 2, 7, 'Chemise à carreaux boutonnée verte claire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"verte claire"}', 0), + (6824, 2, 7, 'Chemise à carreaux boutonnée grise et noire', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"grise et noire"}', 0), + (6825, 2, 7, 'Chemise à carreaux boutonnée moutarde', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"moutarde"}', 0), + (6826, 2, 7, 'Chemise à carreaux boutonnée mauve', 50, '{"components":{"11":{"Drawable":121,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise à carreaux boutonnée","colorLabel":"mauve"}', 0), + (6827, 1, 4, 'Veste-chemise moutarde au col café', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste-chemise","colorLabel":"moutarde au col café"}', 0), + (6828, 2, 4, 'Veste-chemise moutarde au col café', 50, '{"components":{"11":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste-chemise","colorLabel":"moutarde au col café"}', 0), + (6829, 1, 5, 'Hoodie de hipster noir et blanc', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir et blanc"}', 0), + (6830, 1, 5, 'Hoodie de hipster noir et bleu', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir et bleu"}', 0), + (6831, 1, 5, 'Hoodie de hipster noir', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir"}', 0), + (6832, 1, 5, 'Hoodie de hipster rasta', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"rasta"}', 0), + (6833, 1, 5, 'Hoodie de hipster bandana blanc', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"bandana blanc"}', 0), + (6834, 1, 5, 'Hoodie de hipster bandana noir', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"bandana noir"}', 0), + (6835, 1, 5, 'Hoodie de hipster noir trickster', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir trickster"}', 0), + (6836, 1, 5, 'Hoodie de hipster noir firmalot', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir firmalot"}', 0), + (6837, 1, 5, 'Hoodie de hipster noir yeti', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir yeti"}', 0), + (6838, 1, 5, 'Hoodie de hipster gris sweatbox', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"gris sweatbox"}', 0), + (6839, 1, 5, 'Hoodie de hipster moutarde chianski', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"moutarde chianski"}', 0), + (6840, 1, 5, 'Hoodie de hipster vert dense', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"vert dense"}', 0), + (6841, 2, 5, 'Hoodie de hipster noir et blanc', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir et blanc"}', 0), + (6842, 2, 5, 'Hoodie de hipster noir et bleu', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir et bleu"}', 0), + (6843, 2, 5, 'Hoodie de hipster noir', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir"}', 0), + (6844, 2, 5, 'Hoodie de hipster rasta', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"rasta"}', 0), + (6845, 2, 5, 'Hoodie de hipster bandana blanc', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"bandana blanc"}', 0), + (6846, 2, 5, 'Hoodie de hipster bandana noir', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"bandana noir"}', 0), + (6847, 2, 5, 'Hoodie de hipster noir trickster', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir trickster"}', 0), + (6848, 2, 5, 'Hoodie de hipster noir firmalot', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir firmalot"}', 0), + (6849, 2, 5, 'Hoodie de hipster noir yeti', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"noir yeti"}', 0), + (6850, 2, 5, 'Hoodie de hipster gris sweatbox', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"gris sweatbox"}', 0), + (6851, 2, 5, 'Hoodie de hipster moutarde chianski', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"moutarde chianski"}', 0), + (6852, 2, 5, 'Hoodie de hipster vert dense', 50, '{"components":{"11":{"Drawable":123,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie de hipster","colorLabel":"vert dense"}', 0), + (6853, 3, 13, 'Crop-top élégant blanc', 50, '{"components":{"11":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop-top élégant","colorLabel":"blanc"}', 0), + (6854, 3, 13, 'Crop-top élégant noir ', 50, '{"components":{"11":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop-top élégant","colorLabel":"noir "}', 0), + (6855, 3, 13, 'Crop-top élégant rouge', 50, '{"components":{"11":{"Drawable":124,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Crop-top élégant","colorLabel":"rouge"}', 0), + (6856, 1, 2, 'T-shirt de hockey vert', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"vert"}', 0), + (6857, 1, 2, 'T-shirt de hockey orange', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"orange"}', 0), + (6858, 1, 2, 'T-shirt de hockey violet', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"violet"}', 0), + (6859, 1, 2, 'T-shirt de hockey rose', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"rose"}', 0), + (6860, 1, 2, 'T-shirt de hockey rouge', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"rouge"}', 0), + (6861, 1, 2, 'T-shirt de hockey bleu', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"bleu"}', 0), + (6862, 1, 2, 'T-shirt de hockey gris', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"gris"}', 0), + (6863, 1, 2, 'T-shirt de hockey beige', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"beige"}', 0), + (6864, 1, 2, 'T-shirt de hockey blanc', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"blanc"}', 0), + (6865, 1, 2, 'T-shirt de hockey noir', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"noir"}', 0), + (6866, 2, 2, 'T-shirt de hockey vert', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"vert"}', 0), + (6867, 2, 2, 'T-shirt de hockey orange', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"orange"}', 0), + (6868, 2, 2, 'T-shirt de hockey violet', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"violet"}', 0), + (6869, 2, 2, 'T-shirt de hockey rose', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"rose"}', 0), + (6870, 2, 2, 'T-shirt de hockey rouge', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"rouge"}', 0), + (6871, 2, 2, 'T-shirt de hockey bleu', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"bleu"}', 0), + (6872, 2, 2, 'T-shirt de hockey gris', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"gris"}', 0), + (6873, 2, 2, 'T-shirt de hockey beige', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"beige"}', 0), + (6874, 2, 2, 'T-shirt de hockey blanc', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"blanc"}', 0), + (6875, 2, 2, 'T-shirt de hockey noir', 50, '{"components":{"11":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"noir"}', 0), + (6876, 1, 2, 'T-shirt de hockey noir', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"noir"}', 0), + (6877, 1, 2, 'T-shirt de hockey blanc et noir', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"blanc et noir"}', 0), + (6878, 1, 2, 'T-shirt de hockey gris et noir', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"gris et noir"}', 0), + (6879, 2, 2, 'T-shirt de hockey noir', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"noir"}', 0), + (6880, 2, 2, 'T-shirt de hockey blanc et noir', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"blanc et noir"}', 0), + (6881, 2, 2, 'T-shirt de hockey gris et noir', 50, '{"components":{"11":{"Drawable":126,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"gris et noir"}', 0), + (6882, 1, 12, 'Veste SecuroServ noire à logo rouge', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste SecuroServ","colorLabel":"noire à logo rouge"}', 0), + (6883, 2, 12, 'Veste SecuroServ noire à logo rouge', 50, '{"components":{"11":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste SecuroServ","colorLabel":"noire à logo rouge"}', 0), + (6884, 3, 3, 'Polo sportif sorti Liberty bleu', 50, '{"components":{"11":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"Liberty bleu"}', 0), + (6885, 3, 3, 'Polo sportif rentré Liberty bleu', 50, '{"components":{"11":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"Liberty bleu"}', 0), + (6886, 1, 7, 'Chemise rentrée m retroussées grise et blanche', 50, '{"components":{"11":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"grise et blanche"}', 0), + (6887, 2, 7, 'Chemise rentrée m retroussées grise et blanche', 50, '{"components":{"11":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"grise et blanche"}', 0), + (6888, 3, 5, 'Hoodie oversize Liberty noir', 50, '{"components":{"11":{"Drawable":131,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Liberty noir"}', 0), + (6889, 3, 5, 'Hoodie oversize Liberty rouge', 50, '{"components":{"11":{"Drawable":131,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Liberty rouge"}', 0), + (6890, 3, 5, 'Hoodie oversize Liberty blanc', 50, '{"components":{"11":{"Drawable":131,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Liberty blanc"}', 0), + (6891, 1, 7, 'Chemise large m courtes noire a motifs dorés', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"noire a motifs dorés"}', 0), + (6892, 1, 7, 'Chemise large m courtes blanche imprimé bleu', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"blanche imprimé bleu"}', 0), + (6893, 1, 7, 'Chemise large m courtes rouge imprimés', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"rouge imprimés"}', 0), + (6894, 1, 7, 'Chemise large m courtes bleu clair imprimés', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"bleu clair imprimés"}', 0), + (6895, 1, 7, 'Chemise large m courtes moutarde et verte', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"moutarde et verte"}', 0), + (6896, 1, 7, 'Chemise large m courtes turquoise et jaune', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"turquoise et jaune"}', 0), + (6897, 1, 7, 'Chemise large m courtes blanche a lignes bleues', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"blanche a lignes bleues"}', 0), + (6898, 2, 7, 'Chemise large m courtes noire a motifs dorés', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"noire a motifs dorés"}', 0), + (6899, 2, 7, 'Chemise large m courtes blanche imprimé bleu', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"blanche imprimé bleu"}', 0), + (6900, 2, 7, 'Chemise large m courtes rouge imprimés', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"rouge imprimés"}', 0), + (6901, 2, 7, 'Chemise large m courtes bleu clair imprimés', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"bleu clair imprimés"}', 0), + (6902, 2, 7, 'Chemise large m courtes moutarde et verte', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"moutarde et verte"}', 0), + (6903, 2, 7, 'Chemise large m courtes turquoise et jaune', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"turquoise et jaune"}', 0), + (6904, 2, 7, 'Chemise large m courtes blanche a lignes bleues', 50, '{"components":{"11":{"Drawable":132,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"blanche a lignes bleues"}', 0), + (6905, 3, 4, 'Manteau matelassé gris', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"gris"}', 0), + (6906, 3, 4, 'Manteau matelassé kaki', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"kaki"}', 0), + (6907, 3, 4, 'Manteau matelassé bleu', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"bleu"}', 0), + (6908, 3, 4, 'Manteau matelassé beige', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"beige"}', 0), + (6909, 3, 4, 'Manteau matelassé marron', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"marron"}', 0), + (6910, 3, 4, 'Manteau matelassé vert', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"vert"}', 0), + (6911, 3, 4, 'Manteau matelassé noir', 50, '{"components":{"11":{"Drawable":133,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau matelassé","colorLabel":"noir"}', 0), + (6912, 3, 4, 'Long manteau fermé en cuir marron', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Long manteau fermé en cuir","colorLabel":"marron"}', 0), + (6913, 3, 4, 'Long manteau fermé en cuir noir', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Long manteau fermé en cuir","colorLabel":"noir"}', 0), + (6914, 3, 4, 'Long manteau fermé en cuir café', 50, '{"components":{"11":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Long manteau fermé en cuir","colorLabel":"café"}', 0), + (6915, 3, 9, 'Pull à col roulé gris clair', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"gris clair"}', 0), + (6916, 3, 9, 'Pull à col roulé rouge', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"rouge"}', 0), + (6917, 3, 9, 'Pull à col roulé marron', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"marron"}', 0), + (6918, 3, 9, 'Pull à col roulé noir', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"noir"}', 0), + (6919, 3, 9, 'Pull à col roulé bleu', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"bleu"}', 0), + (6920, 3, 9, 'Pull à col roulé blanc', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"blanc"}', 0), + (6921, 3, 9, 'Pull à col roulé violet', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"violet"}', 0), + (6922, 3, 9, 'Pull à col roulé vert', 50, '{"components":{"11":{"Drawable":136,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull à col roulé","colorLabel":"vert"}', 0), + (6923, 3, 4, 'Caban classe à boutons bleu claire', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"bleu claire"}', 0), + (6924, 3, 4, 'Caban classe à boutons blanche', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"blanche"}', 0), + (6925, 3, 4, 'Caban classe à boutons gris', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"gris"}', 0), + (6926, 3, 4, 'Caban classe à boutons noir a boutons blancs', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"noir a boutons blancs"}', 0), + (6927, 3, 4, 'Caban classe à boutons bleu clair', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"bleu clair"}', 0), + (6928, 3, 4, 'Caban classe à boutons bleu foncé', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"bleu foncé"}', 0), + (6929, 3, 4, 'Caban classe à boutons noir', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"noir"}', 0), + (6930, 3, 4, 'Caban classe à boutons noir luxe', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"noir luxe"}', 0), + (6931, 3, 4, 'Caban classe à boutons bleu luxe', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"bleu luxe"}', 0), + (6932, 3, 4, 'Caban classe à boutons beige', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"beige"}', 0), + (6933, 3, 4, 'Caban classe à boutons rouge', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"rouge"}', 0), + (6934, 3, 4, 'Caban classe à boutons violet', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"violet"}', 0), + (6935, 3, 4, 'Caban classe à boutons rose', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"rose"}', 0), + (6936, 3, 4, 'Caban classe à boutons cuivre', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"cuivre"}', 0), + (6937, 3, 4, 'Caban classe à boutons gris clair a boutons rouges', 50, '{"components":{"11":{"Drawable":137,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Caban classe à boutons","colorLabel":"gris clair a boutons rouges"}', 0), + (6938, 3, 12, 'Veste Harrington bleue et blanche', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleue et blanche"}', 0), + (6939, 3, 12, 'Veste Harrington rouge et blanche', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rouge et blanche"}', 0), + (6940, 3, 12, 'Veste Harrington beige et blanche', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"beige et blanche"}', 0), + (6941, 3, 12, 'Veste Harrington beige noire et verte', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"beige noire et verte"}', 0), + (6942, 3, 12, 'Veste Harrington bleue et blanche', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleue et blanche"}', 0), + (6943, 3, 12, 'Veste Harrington blanche', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"blanche"}', 0), + (6944, 3, 12, 'Veste Harrington deux nuances de bleu', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"deux nuances de bleu"}', 0), + (6945, 3, 12, 'Veste Harrington violette et cuivre', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"violette et cuivre"}', 0), + (6946, 3, 12, 'Veste Harrington violette et bleue', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"violette et bleue"}', 0), + (6947, 3, 12, 'Veste Harrington grise et blanche', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"grise et blanche"}', 0), + (6948, 3, 12, 'Veste Harrington verte et noire', 50, '{"components":{"11":{"Drawable":138,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"verte et noire"}', 0), + (6949, 3, 4, 'Trench coat ouvert noir', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"noir"}', 0), + (6950, 3, 4, 'Trench coat ouvert camel', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"camel"}', 0), + (6951, 3, 4, 'Trench coat ouvert gris', 50, '{"components":{"11":{"Drawable":139,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"gris"}', 0), + (6952, 1, 12, 'Veste highschool football boutons verte', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"verte"}', 0), + (6953, 1, 12, 'Veste highschool football boutons orange', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"orange"}', 0), + (6954, 1, 12, 'Veste highschool football boutons violette', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"violette"}', 0), + (6955, 1, 12, 'Veste highschool football boutons rose', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rose"}', 0), + (6956, 1, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (6957, 1, 12, 'Veste highschool football boutons bleu', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"bleu"}', 0), + (6958, 1, 12, 'Veste highschool football boutons gris', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"gris"}', 0), + (6959, 1, 12, 'Veste highschool football boutons beige', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"beige"}', 0), + (6960, 1, 12, 'Veste highschool football boutons blanche et noire', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blanche et noire"}', 0), + (6961, 1, 12, 'Veste highschool football boutons noire et blanche', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"noire et blanche"}', 0), + (6962, 2, 12, 'Veste highschool football boutons verte', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"verte"}', 0), + (6963, 2, 12, 'Veste highschool football boutons orange', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"orange"}', 0), + (6964, 2, 12, 'Veste highschool football boutons violette', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"violette"}', 0), + (6965, 2, 12, 'Veste highschool football boutons rose', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rose"}', 0), + (6966, 2, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (6967, 2, 12, 'Veste highschool football boutons bleu', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"bleu"}', 0), + (6968, 2, 12, 'Veste highschool football boutons gris', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"gris"}', 0), + (6969, 2, 12, 'Veste highschool football boutons beige', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"beige"}', 0), + (6970, 2, 12, 'Veste highschool football boutons blanche et noire', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blanche et noire"}', 0), + (6971, 2, 12, 'Veste highschool football boutons noire et blanche', 50, '{"components":{"11":{"Drawable":140,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"noire et blanche"}', 0), + (6972, 1, 2, 'T-shirt sorti bleu claire', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu claire"}', 0), + (6973, 1, 2, 'T-shirt sorti bleu ciel', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu ciel"}', 0), + (6974, 1, 2, 'T-shirt sorti orange', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"orange"}', 0), + (6975, 1, 2, 'T-shirt sorti rouge délavé', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge délavé"}', 0), + (6976, 1, 2, 'T-shirt sorti rouge', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge"}', 0), + (6977, 1, 2, 'T-shirt sorti jaune délavé', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune délavé"}', 0), + (6978, 2, 2, 'T-shirt sorti bleu claire', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu claire"}', 0), + (6979, 2, 2, 'T-shirt sorti bleu ciel', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu ciel"}', 0), + (6980, 2, 2, 'T-shirt sorti orange', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"orange"}', 0), + (6981, 2, 2, 'T-shirt sorti rouge délavé', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge délavé"}', 0), + (6982, 2, 2, 'T-shirt sorti rouge', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge"}', 0), + (6983, 2, 2, 'T-shirt sorti jaune délavé', 50, '{"components":{"11":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune délavé"}', 0), + (6984, 1, 7, 'Pyjama bleu claire', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu claire"}', 0), + (6985, 1, 7, 'Pyjama jaune claire', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"jaune claire"}', 0), + (6986, 1, 7, 'Pyjama rose délavé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rose délavé"}', 0), + (6987, 1, 7, 'Pyjama vert claire', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert claire"}', 0), + (6988, 1, 7, 'Pyjama violet a carreaux oranges', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"violet a carreaux oranges"}', 0), + (6989, 1, 7, 'Pyjama bleu a carreaux', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu a carreaux"}', 0), + (6990, 1, 7, 'Pyjama rouge imprimé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge imprimé"}', 0), + (6991, 1, 7, 'Pyjama blanc imprimé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"blanc imprimé"}', 0), + (6992, 1, 7, 'Pyjama bleu bandana', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu bandana"}', 0), + (6993, 1, 7, 'Pyjama jaune bandana', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"jaune bandana"}', 0), + (6994, 1, 7, 'Pyjama rouge bandana', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge bandana"}', 0), + (6995, 1, 7, 'Pyjama bleu imprimé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu imprimé"}', 0), + (6996, 1, 7, 'Pyjama bleu foncé imprimé blanc et rouge', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu foncé imprimé blanc et rouge"}', 0), + (6997, 1, 7, 'Pyjama rouge imprimé jaune', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge imprimé jaune"}', 0), + (6998, 2, 7, 'Pyjama bleu claire', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu claire"}', 0), + (6999, 2, 7, 'Pyjama jaune claire', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"jaune claire"}', 0), + (7000, 2, 7, 'Pyjama rose délavé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rose délavé"}', 0), + (7001, 2, 7, 'Pyjama vert claire', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"vert claire"}', 0), + (7002, 2, 7, 'Pyjama violet a carreaux oranges', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"violet a carreaux oranges"}', 0), + (7003, 2, 7, 'Pyjama bleu a carreaux', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu a carreaux"}', 0), + (7004, 2, 7, 'Pyjama rouge imprimé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge imprimé"}', 0), + (7005, 2, 7, 'Pyjama blanc imprimé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"blanc imprimé"}', 0), + (7006, 2, 7, 'Pyjama bleu bandana', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu bandana"}', 0), + (7007, 2, 7, 'Pyjama jaune bandana', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"jaune bandana"}', 0), + (7008, 2, 7, 'Pyjama rouge bandana', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge bandana"}', 0), + (7009, 2, 7, 'Pyjama bleu imprimé', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu imprimé"}', 0), + (7010, 2, 7, 'Pyjama bleu foncé imprimé blanc et rouge', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"bleu foncé imprimé blanc et rouge"}', 0), + (7011, 2, 7, 'Pyjama rouge imprimé jaune', 50, '{"components":{"11":{"Drawable":142,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pyjama","colorLabel":"rouge imprimé jaune"}', 0), + (7012, 3, 9, 'Robe de chambre bleu claire', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"bleu claire"}', 0), + (7013, 3, 9, 'Robe de chambre jaune claire', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"jaune claire"}', 0), + (7014, 3, 9, 'Robe de chambre rose délavé', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"rose délavé"}', 0), + (7015, 3, 9, 'Robe de chambre vert claire', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"vert claire"}', 0), + (7016, 3, 9, 'Robe de chambre violet a carreaux oranges', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"violet a carreaux oranges"}', 0), + (7017, 3, 9, 'Robe de chambre bleu a carreaux', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"bleu a carreaux"}', 0), + (7018, 3, 9, 'Robe de chambre rouge imprimé', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"rouge imprimé"}', 0), + (7019, 3, 9, 'Robe de chambre blanc imprimé', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"blanc imprimé"}', 0), + (7020, 3, 9, 'Robe de chambre bleu bandana', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"bleu bandana"}', 0), + (7021, 3, 9, 'Robe de chambre jaune bandana', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"jaune bandana"}', 0), + (7022, 3, 9, 'Robe de chambre rouge bandana', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"rouge bandana"}', 0), + (7023, 3, 9, 'Robe de chambre bleu imprimé', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"bleu imprimé"}', 0), + (7024, 3, 9, 'Robe de chambre bleu foncé imprimé blanc et rouge', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"bleu foncé imprimé blanc et rouge"}', 0), + (7025, 3, 9, 'Robe de chambre rouge imprimé jaune', 50, '{"components":{"11":{"Drawable":143,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"rouge imprimé jaune"}', 0), + (7026, 1, 11, 'Veste moto large col mao submarine', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"submarine"}', 0), + (7027, 1, 11, 'Veste moto large col mao blanc et noir', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"blanc et noir"}', 0), + (7028, 1, 11, 'Veste moto large col mao rouge et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge et blanc"}', 0), + (7029, 1, 11, 'Veste moto large col mao noir', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"noir"}', 0), + (7030, 1, 11, 'Veste moto large col mao vert foncé bandes jaunes', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert foncé bandes jaunes"}', 0), + (7031, 1, 11, 'Veste moto large col mao blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"blanc"}', 0), + (7032, 1, 11, 'Veste moto large col mao vert et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert et blanc"}', 0), + (7033, 1, 11, 'Veste moto large col mao orange et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"orange et blanc"}', 0), + (7034, 1, 11, 'Veste moto large col mao violet et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"violet et blanc"}', 0), + (7035, 1, 11, 'Veste moto large col mao rose et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rose et blanc"}', 0), + (7036, 2, 11, 'Veste moto large col mao submarine', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"submarine"}', 0), + (7037, 2, 11, 'Veste moto large col mao blanc et noir', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"blanc et noir"}', 0), + (7038, 2, 11, 'Veste moto large col mao rouge et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge et blanc"}', 0), + (7039, 2, 11, 'Veste moto large col mao noir', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"noir"}', 0), + (7040, 2, 11, 'Veste moto large col mao vert foncé bandes jaunes', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert foncé bandes jaunes"}', 0), + (7041, 2, 11, 'Veste moto large col mao blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"blanc"}', 0), + (7042, 2, 11, 'Veste moto large col mao vert et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert et blanc"}', 0), + (7043, 2, 11, 'Veste moto large col mao orange et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"orange et blanc"}', 0), + (7044, 2, 11, 'Veste moto large col mao violet et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"violet et blanc"}', 0), + (7045, 2, 11, 'Veste moto large col mao rose et blanc', 50, '{"components":{"11":{"Drawable":144,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rose et blanc"}', 0), + (7046, 1, 12, 'Veste combinaison moto prairie', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"prairie"}', 0), + (7047, 1, 12, 'Veste combinaison moto vampire', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"vampire"}', 0), + (7048, 1, 12, 'Veste combinaison moto italie', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"italie"}', 0), + (7049, 1, 12, 'Veste combinaison moto noir', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"noir"}', 0), + (7050, 1, 12, 'Veste combinaison moto america', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"america"}', 0), + (7051, 1, 12, 'Veste combinaison moto kill bill', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"kill bill"}', 0), + (7052, 1, 12, 'Veste combinaison moto vieux rose', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"vieux rose"}', 0), + (7053, 1, 12, 'Veste combinaison moto aqua', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"aqua"}', 0), + (7054, 1, 12, 'Veste combinaison moto forêt', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"forêt"}', 0), + (7055, 1, 12, 'Veste combinaison moto sunshine', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"sunshine"}', 0), + (7056, 1, 12, 'Veste combinaison moto myrtille', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"myrtille"}', 0), + (7057, 1, 12, 'Veste combinaison moto hello zitty', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"hello zitty"}', 0), + (7058, 2, 12, 'Veste combinaison moto prairie', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"prairie"}', 0), + (7059, 2, 12, 'Veste combinaison moto vampire', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"vampire"}', 0), + (7060, 2, 12, 'Veste combinaison moto italie', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"italie"}', 0), + (7061, 2, 12, 'Veste combinaison moto noir', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"noir"}', 0), + (7062, 2, 12, 'Veste combinaison moto america', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"america"}', 0), + (7063, 2, 12, 'Veste combinaison moto kill bill', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"kill bill"}', 0), + (7064, 2, 12, 'Veste combinaison moto vieux rose', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"vieux rose"}', 0), + (7065, 2, 12, 'Veste combinaison moto aqua', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"aqua"}', 0), + (7066, 2, 12, 'Veste combinaison moto forêt', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"forêt"}', 0), + (7067, 2, 12, 'Veste combinaison moto sunshine', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"sunshine"}', 0), + (7068, 2, 12, 'Veste combinaison moto myrtille', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"myrtille"}', 0), + (7069, 2, 12, 'Veste combinaison moto hello zitty', 50, '{"components":{"11":{"Drawable":145,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste combinaison moto ","colorLabel":"hello zitty"}', 0), + (7070, 1, 10, 'Veste majorette america blanche', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america blanche"}', 0), + (7071, 1, 10, 'Veste majorette america bleue', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america bleue"}', 0), + (7072, 1, 10, 'Veste majorette america rouge', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rouge"}', 0), + (7073, 1, 10, 'Veste majorette america noire', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america noire"}', 0), + (7074, 1, 10, 'Veste majorette america rose', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rose"}', 0), + (7075, 1, 10, 'Veste majorette unie blanche', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie blanche"}', 0), + (7076, 1, 10, 'Veste majorette unie bleue', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie bleue"}', 0), + (7077, 1, 10, 'Veste majorette unie rouge', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rouge"}', 0), + (7078, 1, 10, 'Veste majorette unie noire', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie noire"}', 0), + (7079, 1, 10, 'Veste majorette unie rose', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rose"}', 0), + (7080, 2, 10, 'Veste majorette america blanche', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america blanche"}', 0), + (7081, 2, 10, 'Veste majorette america bleue', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america bleue"}', 0), + (7082, 2, 10, 'Veste majorette america rouge', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rouge"}', 0), + (7083, 2, 10, 'Veste majorette america noire', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america noire"}', 0), + (7084, 2, 10, 'Veste majorette america rose', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america rose"}', 0), + (7085, 2, 10, 'Veste majorette unie blanche', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie blanche"}', 0), + (7086, 2, 10, 'Veste majorette unie bleue', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie bleue"}', 0), + (7087, 2, 10, 'Veste majorette unie rouge', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rouge"}', 0), + (7088, 2, 10, 'Veste majorette unie noire', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie noire"}', 0), + (7089, 2, 10, 'Veste majorette unie rose', 50, '{"components":{"11":{"Drawable":146,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie rose"}', 0), + (7090, 1, 12, 'Veste à motifs dragons noire et jaune', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"noire et jaune"}', 0), + (7091, 1, 12, 'Veste à motifs dragons bleue colorée', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"bleue colorée"}', 0), + (7092, 1, 12, 'Veste à motifs dragons beige et noire', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"beige et noire"}', 0), + (7093, 1, 12, 'Veste à motifs dragons blanche et noire', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"blanche et noire"}', 0), + (7094, 1, 12, 'Veste à motifs dragons verte jaune et rouge', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"verte jaune et rouge"}', 0), + (7095, 1, 12, 'Veste à motifs dragons violette et grise', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"violette et grise"}', 0), + (7096, 1, 12, 'Veste à motifs dragons bleue et blanche ', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"bleue et blanche "}', 0), + (7097, 1, 12, 'Veste à motifs dragons blanche', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"blanche"}', 0), + (7098, 1, 12, 'Veste à motifs dragons rouge et beige', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"rouge et beige"}', 0), + (7099, 1, 12, 'Veste à motifs dragons verte et rouge', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"verte et rouge"}', 0), + (7100, 1, 12, 'Veste à motifs dragons bleue turquoise et blanche', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"bleue turquoise et blanche"}', 0), + (7101, 1, 12, 'Veste à motifs dragons moutarde et violette', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"moutarde et violette"}', 0), + (7102, 2, 12, 'Veste à motifs dragons noire et jaune', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"noire et jaune"}', 0), + (7103, 2, 12, 'Veste à motifs dragons bleue colorée', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"bleue colorée"}', 0), + (7104, 2, 12, 'Veste à motifs dragons beige et noire', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"beige et noire"}', 0), + (7105, 2, 12, 'Veste à motifs dragons blanche et noire', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"blanche et noire"}', 0), + (7106, 2, 12, 'Veste à motifs dragons verte jaune et rouge', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"verte jaune et rouge"}', 0), + (7107, 2, 12, 'Veste à motifs dragons violette et grise', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"violette et grise"}', 0), + (7108, 2, 12, 'Veste à motifs dragons bleue et blanche ', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"bleue et blanche "}', 0), + (7109, 2, 12, 'Veste à motifs dragons blanche', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"blanche"}', 0), + (7110, 2, 12, 'Veste à motifs dragons rouge et beige', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"rouge et beige"}', 0), + (7111, 2, 12, 'Veste à motifs dragons verte et rouge', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"verte et rouge"}', 0), + (7112, 2, 12, 'Veste à motifs dragons bleue turquoise et blanche', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"bleue turquoise et blanche"}', 0), + (7113, 2, 12, 'Veste à motifs dragons moutarde et violette', 50, '{"components":{"11":{"Drawable":147,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à motifs dragons","colorLabel":"moutarde et violette"}', 0), + (7114, 1, 12, 'Veste baroudeur ouverte brun', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"brun"}', 0), + (7115, 1, 12, 'Veste baroudeur ouverte noir', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"noir"}', 0), + (7116, 1, 12, 'Veste baroudeur ouverte gris', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"gris"}', 0), + (7117, 1, 12, 'Veste baroudeur ouverte jean', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"jean"}', 0), + (7118, 1, 12, 'Veste baroudeur ouverte camel', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"camel"}', 0), + (7119, 1, 12, 'Veste baroudeur ouverte rouge', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"rouge"}', 0), + (7120, 2, 12, 'Veste baroudeur ouverte brun', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"brun"}', 0), + (7121, 2, 12, 'Veste baroudeur ouverte noir', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"noir"}', 0), + (7122, 2, 12, 'Veste baroudeur ouverte gris', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"gris"}', 0), + (7123, 2, 12, 'Veste baroudeur ouverte jean', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"jean"}', 0), + (7124, 2, 12, 'Veste baroudeur ouverte camel', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"camel"}', 0), + (7125, 2, 12, 'Veste baroudeur ouverte rouge', 50, '{"components":{"11":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"rouge"}', 0), + (7126, 1, 5, 'Sweat-shirt col en V blackpink', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blackpink"}', 0), + (7127, 1, 5, 'Sweat-shirt col en V superstar', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"superstar"}', 0), + (7128, 1, 5, 'Sweat-shirt col en V italie', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"italie"}', 0), + (7129, 1, 5, 'Sweat-shirt col en V martien', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"martien"}', 0), + (7130, 1, 5, 'Sweat-shirt col en V points bleus', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"points bleus"}', 0), + (7131, 1, 5, 'Sweat-shirt col en V rayures vertes', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rayures vertes"}', 0), + (7132, 1, 5, 'Sweat-shirt col en V éclairs roses', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"éclairs roses"}', 0), + (7133, 1, 5, 'Sweat-shirt col en V loups cyan', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"loups cyan"}', 0), + (7134, 1, 5, 'Sweat-shirt col en V horizon', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"horizon"}', 0), + (7135, 1, 5, 'Sweat-shirt col en V 89 peinture', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"89 peinture"}', 0), + (7136, 1, 5, 'Sweat-shirt col en V rouge gorge', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rouge gorge"}', 0), + (7137, 1, 5, 'Sweat-shirt col en V rouge katana', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rouge katana"}', 0), + (7138, 1, 5, 'Sweat-shirt col en V loup submarine', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"loup submarine"}', 0), + (7139, 1, 5, 'Sweat-shirt col en V kill bill', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"kill bill"}', 0), + (7140, 1, 5, 'Sweat-shirt col en V deep purple', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"deep purple"}', 0), + (7141, 1, 5, 'Sweat-shirt col en V lava', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"lava"}', 0), + (7142, 2, 5, 'Sweat-shirt col en V blackpink', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blackpink"}', 0), + (7143, 2, 5, 'Sweat-shirt col en V superstar', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"superstar"}', 0), + (7144, 2, 5, 'Sweat-shirt col en V italie', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"italie"}', 0), + (7145, 2, 5, 'Sweat-shirt col en V martien', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"martien"}', 0), + (7146, 2, 5, 'Sweat-shirt col en V points bleus', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"points bleus"}', 0), + (7147, 2, 5, 'Sweat-shirt col en V rayures vertes', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rayures vertes"}', 0), + (7148, 2, 5, 'Sweat-shirt col en V éclairs roses', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"éclairs roses"}', 0), + (7149, 2, 5, 'Sweat-shirt col en V loups cyan', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"loups cyan"}', 0), + (7150, 2, 5, 'Sweat-shirt col en V horizon', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"horizon"}', 0), + (7151, 2, 5, 'Sweat-shirt col en V 89 peinture', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"89 peinture"}', 0), + (7152, 2, 5, 'Sweat-shirt col en V rouge gorge', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rouge gorge"}', 0), + (7153, 2, 5, 'Sweat-shirt col en V rouge katana', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rouge katana"}', 0), + (7154, 2, 5, 'Sweat-shirt col en V loup submarine', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"loup submarine"}', 0), + (7155, 2, 5, 'Sweat-shirt col en V kill bill', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"kill bill"}', 0), + (7156, 2, 5, 'Sweat-shirt col en V deep purple', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"deep purple"}', 0), + (7157, 2, 5, 'Sweat-shirt col en V lava', 50, '{"components":{"11":{"Drawable":149,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"lava"}', 0), + (7158, 1, 12, 'Blouson sportif rouge', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge"}', 0), + (7159, 1, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (7160, 1, 12, 'Blouson sportif blanc america', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc america"}', 0), + (7161, 1, 12, 'Blouson sportif bleu argentina', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu argentina"}', 0), + (7162, 1, 12, 'Blouson sportif sunshine', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sunshine"}', 0), + (7163, 1, 12, 'Blouson sportif crépuscule', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"crépuscule"}', 0), + (7164, 1, 12, 'Blouson sportif vert forêt', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"vert forêt"}', 0), + (7165, 1, 12, 'Blouson sportif sable', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sable"}', 0), + (7166, 1, 12, 'Blouson sportif rouge logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge logo"}', 0), + (7167, 1, 12, 'Blouson sportif crépuscule logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"crépuscule logo"}', 0), + (7168, 1, 12, 'Blouson sportif noir logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir logo"}', 0), + (7169, 1, 12, 'Blouson sportif bleu logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu logo"}', 0), + (7170, 1, 12, 'Blouson sportif sable logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sable logo"}', 0), + (7171, 1, 12, 'Blouson sportif america logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"america logo"}', 0), + (7172, 1, 12, 'Blouson sportif sunshine logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sunshine logo"}', 0), + (7173, 1, 12, 'Blouson sportif forêt logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"forêt logo"}', 0), + (7174, 1, 12, 'Blouson sportif tigre logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"tigre logo"}', 0), + (7175, 1, 12, 'Blouson sportif Rebel logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Rebel logo"}', 0), + (7176, 1, 12, 'Blouson sportif horse logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"horse logo"}', 0), + (7177, 1, 12, 'Blouson sportif moutarde logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"moutarde logo"}', 0), + (7178, 1, 12, 'Blouson sportif Vice logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Vice logo"}', 0), + (7179, 1, 12, 'Blouson sportif Rock logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Rock logo"}', 0), + (7180, 1, 12, 'Blouson sportif vert-blanc', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"vert-blanc"}', 0), + (7181, 1, 12, 'Blouson sportif orange-blanc', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"orange-blanc"}', 0), + (7182, 1, 12, 'Blouson sportif violet-blanc', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"violet-blanc"}', 0), + (7183, 2, 12, 'Blouson sportif rouge', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge"}', 0), + (7184, 2, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (7185, 2, 12, 'Blouson sportif blanc america', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc america"}', 0), + (7186, 2, 12, 'Blouson sportif bleu argentina', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu argentina"}', 0), + (7187, 2, 12, 'Blouson sportif sunshine', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sunshine"}', 0), + (7188, 2, 12, 'Blouson sportif crépuscule', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"crépuscule"}', 0), + (7189, 2, 12, 'Blouson sportif vert forêt', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"vert forêt"}', 0), + (7190, 2, 12, 'Blouson sportif sable', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sable"}', 0), + (7191, 2, 12, 'Blouson sportif rouge logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge logo"}', 0), + (7192, 2, 12, 'Blouson sportif crépuscule logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"crépuscule logo"}', 0), + (7193, 2, 12, 'Blouson sportif noir logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir logo"}', 0), + (7194, 2, 12, 'Blouson sportif bleu logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu logo"}', 0), + (7195, 2, 12, 'Blouson sportif sable logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sable logo"}', 0), + (7196, 2, 12, 'Blouson sportif america logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"america logo"}', 0), + (7197, 2, 12, 'Blouson sportif sunshine logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"sunshine logo"}', 0), + (7198, 2, 12, 'Blouson sportif forêt logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"forêt logo"}', 0), + (7199, 2, 12, 'Blouson sportif tigre logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"tigre logo"}', 0), + (7200, 2, 12, 'Blouson sportif Rebel logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Rebel logo"}', 0), + (7201, 2, 12, 'Blouson sportif horse logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"horse logo"}', 0), + (7202, 2, 12, 'Blouson sportif moutarde logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"moutarde logo"}', 0), + (7203, 2, 12, 'Blouson sportif Vice logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Vice logo"}', 0), + (7204, 2, 12, 'Blouson sportif Rock logo', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Rock logo"}', 0), + (7205, 2, 12, 'Blouson sportif vert-blanc', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"vert-blanc"}', 0), + (7206, 2, 12, 'Blouson sportif orange-blanc', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"orange-blanc"}', 0), + (7207, 2, 12, 'Blouson sportif violet-blanc', 50, '{"components":{"11":{"Drawable":150,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"violet-blanc"}', 0), + (7208, 1, 12, 'Veste de course marron', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"marron"}', 0), + (7209, 1, 12, 'Veste de course rouge', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"rouge"}', 0), + (7210, 1, 12, 'Veste de course gris', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"gris"}', 0), + (7211, 1, 12, 'Veste de course vert foncé', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vert foncé"}', 0), + (7212, 1, 12, 'Veste de course blanc', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"blanc"}', 0), + (7213, 1, 12, 'Veste de course crème', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"crème"}', 0), + (7214, 1, 12, 'Veste de course noir', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"noir"}', 0), + (7215, 1, 12, 'Veste de course sable', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"sable"}', 0), + (7216, 2, 12, 'Veste de course marron', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"marron"}', 0), + (7217, 2, 12, 'Veste de course rouge', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"rouge"}', 0), + (7218, 2, 12, 'Veste de course gris', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"gris"}', 0), + (7219, 2, 12, 'Veste de course vert foncé', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vert foncé"}', 0), + (7220, 2, 12, 'Veste de course blanc', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"blanc"}', 0), + (7221, 2, 12, 'Veste de course crème', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"crème"}', 0), + (7222, 2, 12, 'Veste de course noir', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"noir"}', 0), + (7223, 2, 12, 'Veste de course sable', 50, '{"components":{"11":{"Drawable":151,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"sable"}', 0), + (7224, 1, 10, 'Veste majorette america jaune', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america jaune"}', 0), + (7225, 1, 10, 'Veste majorette america grise', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america grise"}', 0), + (7226, 1, 10, 'Veste majorette unie jaune', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie jaune"}', 0), + (7227, 1, 10, 'Veste majorette unie grise', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie grise"}', 0), + (7228, 2, 10, 'Veste majorette america jaune', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america jaune"}', 0), + (7229, 2, 10, 'Veste majorette america grise', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"america grise"}', 0), + (7230, 2, 10, 'Veste majorette unie jaune', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie jaune"}', 0), + (7231, 2, 10, 'Veste majorette unie grise', 50, '{"components":{"11":{"Drawable":152,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste majorette","colorLabel":"unie grise"}', 0), + (7232, 1, 12, 'Veste baroudeur ouverte patchée brun', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée brun"}', 0), + (7233, 1, 12, 'Veste baroudeur ouverte patchée noir', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée noir"}', 0), + (7234, 1, 12, 'Veste baroudeur ouverte patchée gris', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée gris"}', 0), + (7235, 1, 12, 'Veste baroudeur ouverte patchée jean', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée jean"}', 0), + (7236, 1, 12, 'Veste baroudeur ouverte patchée camel', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée camel"}', 0), + (7237, 1, 12, 'Veste baroudeur ouverte patchée rouge', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée rouge"}', 0), + (7238, 2, 12, 'Veste baroudeur ouverte patchée brun', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée brun"}', 0), + (7239, 2, 12, 'Veste baroudeur ouverte patchée noir', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée noir"}', 0), + (7240, 2, 12, 'Veste baroudeur ouverte patchée gris', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée gris"}', 0), + (7241, 2, 12, 'Veste baroudeur ouverte patchée jean', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée jean"}', 0), + (7242, 2, 12, 'Veste baroudeur ouverte patchée camel', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée camel"}', 0), + (7243, 2, 12, 'Veste baroudeur ouverte patchée rouge', 50, '{"components":{"11":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"patchée rouge"}', 0), + (7244, 1, 11, 'Cuir ouvert sans manche à bouton noir', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"noir"}', 0), + (7245, 1, 11, 'Cuir ouvert sans manche à bouton noir usé', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"noir usé"}', 0), + (7246, 1, 11, 'Cuir ouvert sans manche à bouton sable', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"sable"}', 0), + (7247, 1, 11, 'Cuir ouvert sans manche à bouton rouge', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"rouge"}', 0), + (7248, 2, 11, 'Cuir ouvert sans manche à bouton noir', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"noir"}', 0), + (7249, 2, 11, 'Cuir ouvert sans manche à bouton noir usé', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"noir usé"}', 0), + (7250, 2, 11, 'Cuir ouvert sans manche à bouton sable', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"sable"}', 0), + (7251, 2, 11, 'Cuir ouvert sans manche à bouton rouge', 50, '{"components":{"11":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à bouton","colorLabel":"rouge"}', 0), + (7252, 1, 11, 'Gilet sans manche renforcé noir', 50, '{"components":{"11":{"Drawable":155,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir"}', 0), + (7253, 1, 11, 'Gilet sans manche renforcé noir usé', 50, '{"components":{"11":{"Drawable":155,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir usé"}', 0), + (7254, 1, 11, 'Gilet sans manche renforcé rouge et blanc', 50, '{"components":{"11":{"Drawable":155,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"rouge et blanc"}', 0), + (7255, 2, 11, 'Gilet sans manche renforcé noir', 50, '{"components":{"11":{"Drawable":155,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir"}', 0), + (7256, 2, 11, 'Gilet sans manche renforcé noir usé', 50, '{"components":{"11":{"Drawable":155,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir usé"}', 0), + (7257, 2, 11, 'Gilet sans manche renforcé rouge et blanc', 50, '{"components":{"11":{"Drawable":155,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"rouge et blanc"}', 0), + (7258, 1, 11, 'Veste en cuir longue sans manche noir', 50, '{"components":{"11":{"Drawable":156,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"noir"}', 0), + (7259, 1, 11, 'Veste en cuir longue sans manche noir usé', 50, '{"components":{"11":{"Drawable":156,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"noir usé"}', 0), + (7260, 2, 11, 'Veste en cuir longue sans manche noir', 50, '{"components":{"11":{"Drawable":156,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"noir"}', 0), + (7261, 2, 11, 'Veste en cuir longue sans manche noir usé', 50, '{"components":{"11":{"Drawable":156,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"noir usé"}', 0), + (7262, 1, 11, 'Cuir ouvert sans manche à zip noir', 50, '{"components":{"11":{"Drawable":157,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"noir"}', 0), + (7263, 1, 11, 'Cuir ouvert sans manche à zip brun', 50, '{"components":{"11":{"Drawable":157,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"brun"}', 0), + (7264, 2, 11, 'Cuir ouvert sans manche à zip noir', 50, '{"components":{"11":{"Drawable":157,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"noir"}', 0), + (7265, 2, 11, 'Cuir ouvert sans manche à zip brun', 50, '{"components":{"11":{"Drawable":157,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"brun"}', 0), + (7266, 1, 4, 'Perfecto en cuir noir usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"noir usé"}', 0), + (7267, 1, 4, 'Perfecto en cuir rouge usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"rouge usé"}', 0), + (7268, 1, 4, 'Perfecto en cuir brun usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"brun usé"}', 0), + (7269, 1, 4, 'Perfecto en cuir noir', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"noir"}', 0), + (7270, 2, 4, 'Perfecto en cuir noir usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"noir usé"}', 0), + (7271, 2, 4, 'Perfecto en cuir rouge usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"rouge usé"}', 0), + (7272, 2, 4, 'Perfecto en cuir brun usé', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"brun usé"}', 0), + (7273, 2, 4, 'Perfecto en cuir noir', 50, '{"components":{"11":{"Drawable":158,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"noir"}', 0), + (7274, 1, 11, 'Perfecto en cuir sans manche noir usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"noir usé"}', 0), + (7275, 1, 11, 'Perfecto en cuir sans manche rouge usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"rouge usé"}', 0), + (7276, 1, 11, 'Perfecto en cuir sans manche brun usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"brun usé"}', 0), + (7277, 1, 11, 'Perfecto en cuir sans manche noir', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"noir"}', 0), + (7278, 2, 11, 'Perfecto en cuir sans manche noir usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"noir usé"}', 0), + (7279, 2, 11, 'Perfecto en cuir sans manche rouge usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"rouge usé"}', 0), + (7280, 2, 11, 'Perfecto en cuir sans manche brun usé', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"brun usé"}', 0), + (7281, 2, 11, 'Perfecto en cuir sans manche noir', 50, '{"components":{"11":{"Drawable":159,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"noir"}', 0), + (7282, 3, 12, 'Veste en cuir ouverte à bouton noir', 50, '{"components":{"11":{"Drawable":160,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir ouverte à bouton","colorLabel":"noir"}', 0), + (7283, 1, 2, 'T-shirt baseball noir ligné', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"noir ligné"}', 0), + (7284, 1, 2, 'T-shirt baseball noir uni', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"noir uni"}', 0), + (7285, 1, 2, 'T-shirt baseball gris et noir', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris et noir"}', 0), + (7286, 2, 2, 'T-shirt baseball noir ligné', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"noir ligné"}', 0), + (7287, 2, 2, 'T-shirt baseball noir uni', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"noir uni"}', 0), + (7288, 2, 2, 'T-shirt baseball gris et noir', 50, '{"components":{"11":{"Drawable":161,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt baseball","colorLabel":"gris et noir"}', 0), + (7289, 1, 11, 'Veste moto crépuscule', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"crépuscule"}', 0), + (7290, 1, 11, 'Veste moto noir', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"noir"}', 0), + (7291, 1, 11, 'Veste moto camouflage', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"camouflage"}', 0), + (7292, 1, 11, 'Veste moto aqua', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"aqua"}', 0), + (7293, 1, 11, 'Veste moto rouge gorge', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"rouge gorge"}', 0), + (7294, 1, 11, 'Veste moto forêt', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"forêt"}', 0), + (7295, 1, 11, 'Veste moto kill bill', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"kill bill"}', 0), + (7296, 2, 11, 'Veste moto crépuscule', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"crépuscule"}', 0), + (7297, 2, 11, 'Veste moto noir', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"noir"}', 0), + (7298, 2, 11, 'Veste moto camouflage', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"camouflage"}', 0), + (7299, 2, 11, 'Veste moto aqua', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"aqua"}', 0), + (7300, 2, 11, 'Veste moto rouge gorge', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"rouge gorge"}', 0), + (7301, 2, 11, 'Veste moto forêt', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"forêt"}', 0), + (7302, 2, 11, 'Veste moto kill bill', 50, '{"components":{"11":{"Drawable":162,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto","colorLabel":"kill bill"}', 0), + (7303, 3, 12, 'Cuir ouvert à zip noir', 50, '{"components":{"11":{"Drawable":163,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert à zip","colorLabel":"noir"}', 0), + (7304, 3, 12, 'Cuir ouvert à zip rouge', 50, '{"components":{"11":{"Drawable":163,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert à zip","colorLabel":"rouge"}', 0), + (7305, 3, 12, 'Cuir ouvert à zip brun', 50, '{"components":{"11":{"Drawable":163,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert à zip","colorLabel":"brun"}', 0), + (7306, 3, 12, 'Cuir ouvert à zip noir usé', 50, '{"components":{"11":{"Drawable":163,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert à zip","colorLabel":"noir usé"}', 0), + (7307, 3, 12, 'Cuir ouvert à zip rouge usé', 50, '{"components":{"11":{"Drawable":163,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert à zip","colorLabel":"rouge usé"}', 0), + (7308, 3, 12, 'Cuir ouvert à zip brun usé', 50, '{"components":{"11":{"Drawable":163,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert à zip","colorLabel":"brun usé"}', 0), + (7309, 3, 4, 'Doudoune chaude ouverte rouge clair', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"rouge clair"}', 0), + (7310, 3, 4, 'Doudoune chaude ouverte rouge foncé', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"rouge foncé"}', 0), + (7311, 3, 4, 'Doudoune chaude ouverte bleu foncé', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"bleu foncé"}', 0), + (7312, 3, 4, 'Doudoune chaude ouverte noir', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"noir"}', 0), + (7313, 3, 4, 'Doudoune chaude ouverte vert foncé', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"vert foncé"}', 0), + (7314, 3, 4, 'Doudoune chaude ouverte jaune', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"jaune"}', 0), + (7315, 3, 4, 'Doudoune chaude ouverte marron', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"marron"}', 0), + (7316, 3, 4, 'Doudoune chaude ouverte gris foncé', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"gris foncé"}', 0), + (7317, 3, 4, 'Doudoune chaude ouverte rose', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"rose"}', 0), + (7318, 3, 4, 'Doudoune chaude ouverte lime', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"lime"}', 0), + (7319, 3, 4, 'Doudoune chaude ouverte fuchsia', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"fuchsia"}', 0), + (7320, 3, 4, 'Doudoune chaude ouverte crème', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"crème"}', 0), + (7321, 3, 4, 'Doudoune chaude ouverte orange', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"orange"}', 0), + (7322, 3, 4, 'Doudoune chaude ouverte cyan', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"cyan"}', 0), + (7323, 3, 4, 'Doudoune chaude ouverte blanc', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"blanc"}', 0), + (7324, 3, 4, 'Doudoune chaude ouverte vert pomme', 50, '{"components":{"11":{"Drawable":164,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"vert pomme"}', 0), + (7325, 3, 4, 'Blouson simili cuir brun', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson simili cuir","colorLabel":"brun"}', 0), + (7326, 3, 4, 'Blouson simili cuir noir', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson simili cuir","colorLabel":"noir"}', 0), + (7327, 3, 4, 'Blouson simili cuir gris', 50, '{"components":{"11":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson simili cuir","colorLabel":"gris"}', 0), + (7328, 1, 12, 'Veste en jean ouverte aqua', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"aqua"}', 0), + (7329, 1, 12, 'Veste en jean ouverte submarine', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"submarine"}', 0), + (7330, 1, 12, 'Veste en jean ouverte light blue', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"light blue"}', 0), + (7331, 1, 12, 'Veste en jean ouverte noir usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"noir usé"}', 0), + (7332, 2, 12, 'Veste en jean ouverte aqua', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"aqua"}', 0), + (7333, 2, 12, 'Veste en jean ouverte submarine', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"submarine"}', 0), + (7334, 2, 12, 'Veste en jean ouverte light blue', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"light blue"}', 0), + (7335, 2, 12, 'Veste en jean ouverte noir usé', 50, '{"components":{"11":{"Drawable":166,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"noir usé"}', 0), + (7336, 1, 11, 'Veste en jean ouverte sans manche aqua', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"aqua"}', 0), + (7337, 1, 11, 'Veste en jean ouverte sans manche submarine', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"submarine"}', 0), + (7338, 1, 11, 'Veste en jean ouverte sans manche light blue', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"light blue"}', 0), + (7339, 1, 11, 'Veste en jean ouverte sans manche noir usé', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"noir usé"}', 0), + (7340, 2, 11, 'Veste en jean ouverte sans manche aqua', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"aqua"}', 0), + (7341, 2, 11, 'Veste en jean ouverte sans manche submarine', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"submarine"}', 0), + (7342, 2, 11, 'Veste en jean ouverte sans manche light blue', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"light blue"}', 0), + (7343, 2, 11, 'Veste en jean ouverte sans manche noir usé', 50, '{"components":{"11":{"Drawable":167,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"noir usé"}', 0), + (7344, 1, 13, 'Urban crop-top débardeur noir', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"noir"}', 0), + (7345, 1, 13, 'Urban crop-top débardeur gris', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"gris"}', 0), + (7346, 1, 13, 'Urban crop-top débardeur rouge', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"rouge"}', 0), + (7347, 1, 13, 'Urban crop-top débardeur crème', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"crème"}', 0), + (7348, 1, 13, 'Urban crop-top débardeur beige', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"beige"}', 0), + (7349, 1, 13, 'Urban crop-top débardeur camo vert', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo vert"}', 0), + (7350, 2, 13, 'Urban crop-top débardeur noir', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"noir"}', 0), + (7351, 2, 13, 'Urban crop-top débardeur gris', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"gris"}', 0), + (7352, 2, 13, 'Urban crop-top débardeur rouge', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"rouge"}', 0), + (7353, 2, 13, 'Urban crop-top débardeur crème', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"crème"}', 0), + (7354, 2, 13, 'Urban crop-top débardeur beige', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"beige"}', 0), + (7355, 2, 13, 'Urban crop-top débardeur camo vert', 50, '{"components":{"11":{"Drawable":168,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo vert"}', 0), + (7356, 1, 13, 'Urban crop-top t-shirt noir', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"noir"}', 0), + (7357, 1, 13, 'Urban crop-top t-shirt gris', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"gris"}', 0), + (7358, 1, 13, 'Urban crop-top t-shirt rouge', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"rouge"}', 0), + (7359, 1, 13, 'Urban crop-top t-shirt crème', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"crème"}', 0), + (7360, 1, 13, 'Urban crop-top t-shirt beige', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"beige"}', 0), + (7361, 1, 13, 'Urban crop-top t-shirt camo vert', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo vert"}', 0), + (7362, 2, 13, 'Urban crop-top t-shirt noir', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"noir"}', 0), + (7363, 2, 13, 'Urban crop-top t-shirt gris', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"gris"}', 0), + (7364, 2, 13, 'Urban crop-top t-shirt rouge', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"rouge"}', 0), + (7365, 2, 13, 'Urban crop-top t-shirt crème', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"crème"}', 0), + (7366, 2, 13, 'Urban crop-top t-shirt beige', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"beige"}', 0), + (7367, 2, 13, 'Urban crop-top t-shirt camo vert', 50, '{"components":{"11":{"Drawable":169,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo vert"}', 0), + (7368, 1, 13, 'Urban crop-top dos nu noir', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"noir"}', 0), + (7369, 1, 13, 'Urban crop-top dos nu gris', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"gris"}', 0), + (7370, 1, 13, 'Urban crop-top dos nu rouge', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"rouge"}', 0), + (7371, 1, 13, 'Urban crop-top dos nu crème', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"crème"}', 0), + (7372, 1, 13, 'Urban crop-top dos nu beige', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"beige"}', 0), + (7373, 1, 13, 'Urban crop-top dos nu camo vert', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo vert"}', 0), + (7374, 2, 13, 'Urban crop-top dos nu noir', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"noir"}', 0), + (7375, 2, 13, 'Urban crop-top dos nu gris', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"gris"}', 0), + (7376, 2, 13, 'Urban crop-top dos nu rouge', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"rouge"}', 0), + (7377, 2, 13, 'Urban crop-top dos nu crème', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"crème"}', 0), + (7378, 2, 13, 'Urban crop-top dos nu beige', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"beige"}', 0), + (7379, 2, 13, 'Urban crop-top dos nu camo vert', 50, '{"components":{"11":{"Drawable":170,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo vert"}', 0), + (7380, 1, 2, 'Chemise nouée crop-top jean foncé', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean foncé"}', 0), + (7381, 1, 2, 'Chemise nouée crop-top jean clair', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean clair"}', 0), + (7382, 1, 2, 'Chemise nouée crop-top jean noir', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean noir"}', 0), + (7383, 1, 2, 'Chemise nouée crop-top jean gris', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean gris"}', 0), + (7384, 1, 2, 'Chemise nouée crop-top carreaux rouges', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux rouges"}', 0), + (7385, 1, 2, 'Chemise nouée crop-top carreaux gris', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux gris"}', 0), + (7386, 1, 2, 'Chemise nouée crop-top carreaux violets', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux violets"}', 0), + (7387, 1, 2, 'Chemise nouée crop-top carreaux verts', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux verts"}', 0), + (7388, 2, 2, 'Chemise nouée crop-top jean foncé', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean foncé"}', 0), + (7389, 2, 2, 'Chemise nouée crop-top jean clair', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean clair"}', 0), + (7390, 2, 2, 'Chemise nouée crop-top jean noir', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean noir"}', 0), + (7391, 2, 2, 'Chemise nouée crop-top jean gris', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"jean gris"}', 0), + (7392, 2, 2, 'Chemise nouée crop-top carreaux rouges', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux rouges"}', 0), + (7393, 2, 2, 'Chemise nouée crop-top carreaux gris', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux gris"}', 0), + (7394, 2, 2, 'Chemise nouée crop-top carreaux violets', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux violets"}', 0), + (7395, 2, 2, 'Chemise nouée crop-top carreaux verts', 50, '{"components":{"11":{"Drawable":171,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise nouée crop-top","colorLabel":"carreaux verts"}', 0), + (7396, 3, 5, 'Hoodie oversize noir', 50, '{"components":{"11":{"Drawable":172,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir"}', 0), + (7397, 3, 5, 'Hoodie oversize blanc', 50, '{"components":{"11":{"Drawable":172,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc"}', 0), + (7398, 3, 11, 'Débardeur dos nu en cuir noir', 50, '{"components":{"11":{"Drawable":173,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur dos nu en cuir","colorLabel":"noir"}', 0), + (7399, 1, 12, 'Veste en jean ouverte patchée aqua', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée aqua"}', 0), + (7400, 1, 12, 'Veste en jean ouverte patchée submarine', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée submarine"}', 0), + (7401, 1, 12, 'Veste en jean ouverte patchée light blue', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée light blue"}', 0), + (7402, 1, 12, 'Veste en jean ouverte patchée noir usé', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée noir usé"}', 0), + (7403, 2, 12, 'Veste en jean ouverte patchée aqua', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée aqua"}', 0), + (7404, 2, 12, 'Veste en jean ouverte patchée submarine', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée submarine"}', 0), + (7405, 2, 12, 'Veste en jean ouverte patchée light blue', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée light blue"}', 0), + (7406, 2, 12, 'Veste en jean ouverte patchée noir usé', 50, '{"components":{"11":{"Drawable":174,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte","colorLabel":"patchée noir usé"}', 0), + (7407, 1, 11, 'Veste en jean ouverte sans manche patchée aqua', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée aqua"}', 0), + (7408, 1, 11, 'Veste en jean ouverte sans manche patchée submarine', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée submarine"}', 0), + (7409, 1, 11, 'Veste en jean ouverte sans manche patchée light blue', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée light blue"}', 0), + (7410, 1, 11, 'Veste en jean ouverte sans manche patchée noir usé', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée noir usé"}', 0), + (7411, 2, 11, 'Veste en jean ouverte sans manche patchée aqua', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée aqua"}', 0), + (7412, 2, 11, 'Veste en jean ouverte sans manche patchée submarine', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée submarine"}', 0), + (7413, 2, 11, 'Veste en jean ouverte sans manche patchée light blue', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée light blue"}', 0), + (7414, 2, 11, 'Veste en jean ouverte sans manche patchée noir usé', 50, '{"components":{"11":{"Drawable":175,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"patchée noir usé"}', 0), + (7415, 1, 4, 'Perfecto en cuir patché noir usé', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché noir usé"}', 0), + (7416, 1, 4, 'Perfecto en cuir patché rouge usé', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché rouge usé"}', 0), + (7417, 1, 4, 'Perfecto en cuir patché brun usé', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché brun usé"}', 0), + (7418, 1, 4, 'Perfecto en cuir patché noir', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché noir"}', 0), + (7419, 2, 4, 'Perfecto en cuir patché noir usé', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché noir usé"}', 0), + (7420, 2, 4, 'Perfecto en cuir patché rouge usé', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché rouge usé"}', 0), + (7421, 2, 4, 'Perfecto en cuir patché brun usé', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché brun usé"}', 0), + (7422, 2, 4, 'Perfecto en cuir patché noir', 50, '{"components":{"11":{"Drawable":176,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"patché noir"}', 0), + (7423, 1, 11, 'Perfecto en cuir sans manche patché noir usé', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché noir usé"}', 0), + (7424, 1, 11, 'Perfecto en cuir sans manche patché rouge usé', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché rouge usé"}', 0), + (7425, 1, 11, 'Perfecto en cuir sans manche patché brun usé', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché brun usé"}', 0), + (7426, 1, 11, 'Perfecto en cuir sans manche patché noir', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché noir"}', 0), + (7427, 2, 11, 'Perfecto en cuir sans manche patché noir usé', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché noir usé"}', 0), + (7428, 2, 11, 'Perfecto en cuir sans manche patché rouge usé', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché rouge usé"}', 0), + (7429, 2, 11, 'Perfecto en cuir sans manche patché brun usé', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché brun usé"}', 0), + (7430, 2, 11, 'Perfecto en cuir sans manche patché noir', 50, '{"components":{"11":{"Drawable":177,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"patché noir"}', 0), + (7431, 1, 11, 'Veste en cuir longue sans manche patchée noir', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"patchée noir"}', 0), + (7432, 2, 11, 'Veste en cuir longue sans manche patchée noir', 50, '{"components":{"11":{"Drawable":178,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"patchée noir"}', 0), + (7433, 1, 11, 'Veste moto sans manche crépuscule', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"crépuscule"}', 0), + (7434, 1, 11, 'Veste moto sans manche noir', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"noir"}', 0), + (7435, 1, 11, 'Veste moto sans manche camouflage', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"camouflage"}', 0), + (7436, 1, 11, 'Veste moto sans manche aqua', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"aqua"}', 0), + (7437, 1, 11, 'Veste moto sans manche rouge gorge', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"rouge gorge"}', 0), + (7438, 1, 11, 'Veste moto sans manche forêt', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"forêt"}', 0), + (7439, 1, 11, 'Veste moto sans manche kill bill', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"kill bill"}', 0), + (7440, 2, 11, 'Veste moto sans manche crépuscule', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"crépuscule"}', 0), + (7441, 2, 11, 'Veste moto sans manche noir', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"noir"}', 0), + (7442, 2, 11, 'Veste moto sans manche camouflage', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"camouflage"}', 0), + (7443, 2, 11, 'Veste moto sans manche aqua', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"aqua"}', 0), + (7444, 2, 11, 'Veste moto sans manche rouge gorge', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"rouge gorge"}', 0), + (7445, 2, 11, 'Veste moto sans manche forêt', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"forêt"}', 0), + (7446, 2, 11, 'Veste moto sans manche kill bill', 50, '{"components":{"11":{"Drawable":179,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sans manche","colorLabel":"kill bill"}', 0), + (7447, 3, 10, 'Combinaison néon Daft-punk jaune', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"jaune"}', 0), + (7448, 3, 10, 'Combinaison néon Daft-punk vert', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"vert"}', 0), + (7449, 3, 10, 'Combinaison néon Daft-punk orange', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"orange"}', 0), + (7450, 3, 10, 'Combinaison néon Daft-punk bleu foncé', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"bleu foncé"}', 0), + (7451, 3, 10, 'Combinaison néon Daft-punk rose', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"rose"}', 0), + (7452, 3, 10, 'Combinaison néon Daft-punk rouge', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"rouge"}', 0), + (7453, 3, 10, 'Combinaison néon Daft-punk bleu clair', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"bleu clair"}', 0), + (7454, 3, 10, 'Combinaison néon Daft-punk gris', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"gris"}', 0), + (7455, 3, 10, 'Combinaison néon Daft-punk crème', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"crème"}', 0), + (7456, 3, 10, 'Combinaison néon Daft-punk blanc', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"blanc"}', 0), + (7457, 3, 10, 'Combinaison néon Daft-punk noir', 50, '{"components":{"11":{"Drawable":180,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison néon Daft-punk","colorLabel":"noir"}', 0), + (7458, 3, 6, 'Veste de costume fermée beige-chocolat', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"beige-chocolat"}', 0), + (7459, 3, 6, 'Veste de costume fermée rouge-bleu', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"rouge-bleu"}', 0), + (7460, 3, 6, 'Veste de costume fermée bleu-orange', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"bleu-orange"}', 0), + (7461, 3, 6, 'Veste de costume fermée cyan-marron', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"cyan-marron"}', 0), + (7462, 3, 6, 'Veste de costume fermée noir-blanc', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"noir-blanc"}', 0), + (7463, 3, 6, 'Veste de costume fermée blanc-rouge', 50, '{"components":{"11":{"Drawable":185,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"blanc-rouge"}', 0), + (7464, 1, 4, 'Anorak à capuche fermé gris', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris"}', 0), + (7465, 1, 4, 'Anorak à capuche fermé vert', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert"}', 0), + (7466, 1, 4, 'Anorak à capuche fermé gris patché', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris patché"}', 0), + (7467, 1, 4, 'Anorak à capuche fermé vert patché', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert patché"}', 0), + (7468, 2, 4, 'Anorak à capuche fermé gris', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris"}', 0), + (7469, 2, 4, 'Anorak à capuche fermé vert', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert"}', 0), + (7470, 2, 4, 'Anorak à capuche fermé gris patché', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"gris patché"}', 0), + (7471, 2, 4, 'Anorak à capuche fermé vert patché', 50, '{"components":{"11":{"Drawable":186,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert patché"}', 0), + (7472, 1, 4, 'Anorak à capuche ouvert gris', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris"}', 0), + (7473, 1, 4, 'Anorak à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert"}', 0), + (7474, 1, 4, 'Anorak à capuche ouvert gris patché', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris patché"}', 0), + (7475, 1, 4, 'Anorak à capuche ouvert vert patché', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert patché"}', 0), + (7476, 2, 4, 'Anorak à capuche ouvert gris', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris"}', 0), + (7477, 2, 4, 'Anorak à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert"}', 0), + (7478, 2, 4, 'Anorak à capuche ouvert gris patché', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"gris patché"}', 0), + (7479, 2, 4, 'Anorak à capuche ouvert vert patché', 50, '{"components":{"11":{"Drawable":187,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert patché"}', 0), + (7480, 3, 4, 'Manteau noir', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"noir"}', 0), + (7481, 3, 4, 'Manteau anthracite', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"anthracite"}', 0), + (7482, 3, 4, 'Manteau gris foncé', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"gris foncé"}', 0), + (7483, 3, 4, 'Manteau gris clair', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"gris clair"}', 0), + (7484, 3, 4, 'Manteau blanc', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"blanc"}', 0), + (7485, 3, 4, 'Manteau rouge', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"rouge"}', 0), + (7486, 3, 4, 'Manteau pourpre', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"pourpre"}', 0), + (7487, 3, 4, 'Manteau beige', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"beige"}', 0), + (7488, 3, 4, 'Manteau sable', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"sable"}', 0), + (7489, 3, 4, 'Manteau vert lime', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"vert lime"}', 0), + (7490, 3, 4, 'Manteau dégradé', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"dégradé"}', 0), + (7491, 3, 4, 'Manteau marron', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"marron"}', 0), + (7492, 3, 4, 'Manteau olive', 50, '{"components":{"11":{"Drawable":189,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau","colorLabel":"olive"}', 0), + (7493, 1, 4, 'Anorak à capuche fermé abricot', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"abricot"}', 0), + (7494, 1, 4, 'Anorak à capuche fermé rouge', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"rouge"}', 0), + (7495, 1, 4, 'Anorak à capuche fermé jaune', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"jaune"}', 0), + (7496, 1, 4, 'Anorak à capuche fermé vert clair', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert clair"}', 0), + (7497, 1, 4, 'Anorak à capuche fermé turquoise', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"turquoise"}', 0), + (7498, 1, 4, 'Anorak à capuche fermé orange', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"orange"}', 0), + (7499, 1, 4, 'Anorak à capuche fermé motifs gris', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs gris"}', 0), + (7500, 1, 4, 'Anorak à capuche fermé motifs vert', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs vert"}', 0), + (7501, 1, 4, 'Anorak à capuche fermé motifs perle', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs perle"}', 0), + (7502, 1, 4, 'Anorak à capuche fermé motifs sable', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs sable"}', 0), + (7503, 1, 4, 'Anorak à capuche fermé motifs bleu', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs bleu"}', 0), + (7504, 2, 4, 'Anorak à capuche fermé abricot', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"abricot"}', 0), + (7505, 2, 4, 'Anorak à capuche fermé rouge', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"rouge"}', 0), + (7506, 2, 4, 'Anorak à capuche fermé jaune', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"jaune"}', 0), + (7507, 2, 4, 'Anorak à capuche fermé vert clair', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert clair"}', 0), + (7508, 2, 4, 'Anorak à capuche fermé turquoise', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"turquoise"}', 0), + (7509, 2, 4, 'Anorak à capuche fermé orange', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"orange"}', 0), + (7510, 2, 4, 'Anorak à capuche fermé motifs gris', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs gris"}', 0), + (7511, 2, 4, 'Anorak à capuche fermé motifs vert', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs vert"}', 0), + (7512, 2, 4, 'Anorak à capuche fermé motifs perle', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs perle"}', 0), + (7513, 2, 4, 'Anorak à capuche fermé motifs sable', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs sable"}', 0), + (7514, 2, 4, 'Anorak à capuche fermé motifs bleu', 50, '{"components":{"11":{"Drawable":190,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs bleu"}', 0), + (7515, 1, 4, 'Anorak à capuche ouvert abricot', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"abricot"}', 0), + (7516, 1, 4, 'Anorak à capuche ouvert rouge', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"rouge"}', 0), + (7517, 1, 4, 'Anorak à capuche ouvert jaune', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"jaune"}', 0), + (7518, 1, 4, 'Anorak à capuche ouvert vert clair', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert clair"}', 0), + (7519, 1, 4, 'Anorak à capuche ouvert turquoise', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"turquoise"}', 0), + (7520, 1, 4, 'Anorak à capuche ouvert orange', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"orange"}', 0), + (7521, 1, 4, 'Anorak à capuche ouvert motifs gris', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs gris"}', 0), + (7522, 1, 4, 'Anorak à capuche ouvert motifs vert', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs vert"}', 0), + (7523, 1, 4, 'Anorak à capuche ouvert motifs perle', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs perle"}', 0), + (7524, 1, 4, 'Anorak à capuche ouvert motifs sable', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs sable"}', 0), + (7525, 1, 4, 'Anorak à capuche ouvert motifs bleu', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs bleu"}', 0), + (7526, 2, 4, 'Anorak à capuche ouvert abricot', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"abricot"}', 0), + (7527, 2, 4, 'Anorak à capuche ouvert rouge', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"rouge"}', 0), + (7528, 2, 4, 'Anorak à capuche ouvert jaune', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"jaune"}', 0), + (7529, 2, 4, 'Anorak à capuche ouvert vert clair', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert clair"}', 0), + (7530, 2, 4, 'Anorak à capuche ouvert turquoise', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"turquoise"}', 0), + (7531, 2, 4, 'Anorak à capuche ouvert orange', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"orange"}', 0), + (7532, 2, 4, 'Anorak à capuche ouvert motifs gris', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs gris"}', 0), + (7533, 2, 4, 'Anorak à capuche ouvert motifs vert', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs vert"}', 0), + (7534, 2, 4, 'Anorak à capuche ouvert motifs perle', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs perle"}', 0), + (7535, 2, 4, 'Anorak à capuche ouvert motifs sable', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs sable"}', 0), + (7536, 2, 4, 'Anorak à capuche ouvert motifs bleu', 50, '{"components":{"11":{"Drawable":191,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs bleu"}', 0), + (7537, 1, 9, 'Pull manches 3/4 motifs noirs', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs noirs"}', 0), + (7538, 1, 9, 'Pull manches 3/4 motifs rouges', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs rouges"}', 0), + (7539, 1, 9, 'Pull manches 3/4 motifs turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs turquoise"}', 0), + (7540, 1, 9, 'Pull manches 3/4 motifs jaune', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs jaune"}', 0), + (7541, 1, 9, 'Pull manches 3/4 camo turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"camo turquoise"}', 0), + (7542, 1, 9, 'Pull manches 3/4 camo jaune', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"camo jaune"}', 0), + (7543, 1, 9, 'Pull manches 3/4 logo orange', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo orange"}', 0), + (7544, 1, 9, 'Pull manches 3/4 logo rouge', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo rouge"}', 0), + (7545, 1, 9, 'Pull manches 3/4 logo jaune', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo jaune"}', 0), + (7546, 1, 9, 'Pull manches 3/4 logo rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo rose"}', 0), + (7547, 1, 9, 'Pull manches 3/4 logo lime', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo lime"}', 0), + (7548, 1, 9, 'Pull manches 3/4 logo violet', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo violet"}', 0), + (7549, 1, 9, 'Pull manches 3/4 logo turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo turquoise"}', 0), + (7550, 1, 9, 'Pull manches 3/4 logo vert', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo vert"}', 0), + (7551, 1, 9, 'Pull manches 3/4 Guffy noir', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy noir"}', 0), + (7552, 1, 9, 'Pull manches 3/4 Guffy rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy rose"}', 0), + (7553, 1, 9, 'Pull manches 3/4 léopard turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"léopard turquoise"}', 0), + (7554, 1, 9, 'Pull manches 3/4 léopard rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"léopard rose"}', 0), + (7555, 1, 9, 'Pull manches 3/4 Guffy blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy blanc"}', 0), + (7556, 1, 9, 'Pull manches 3/4 Guffy noir-corail', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy noir-corail"}', 0), + (7557, 1, 9, 'Pull manches 3/4 losange blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losange blanc"}', 0), + (7558, 1, 9, 'Pull manches 3/4 M blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"M blanc"}', 0), + (7559, 1, 9, 'Pull manches 3/4 logo blanc-bleu', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo blanc-bleu"}', 0), + (7560, 1, 9, 'Pull manches 3/4 logo blanc-rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo blanc-rose"}', 0), + (7561, 1, 9, 'Pull manches 3/4 losange noir', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losange noir"}', 0), + (7562, 2, 9, 'Pull manches 3/4 motifs noirs', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs noirs"}', 0), + (7563, 2, 9, 'Pull manches 3/4 motifs rouges', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs rouges"}', 0), + (7564, 2, 9, 'Pull manches 3/4 motifs turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs turquoise"}', 0), + (7565, 2, 9, 'Pull manches 3/4 motifs jaune', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs jaune"}', 0), + (7566, 2, 9, 'Pull manches 3/4 camo turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"camo turquoise"}', 0), + (7567, 2, 9, 'Pull manches 3/4 camo jaune', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"camo jaune"}', 0), + (7568, 2, 9, 'Pull manches 3/4 logo orange', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo orange"}', 0), + (7569, 2, 9, 'Pull manches 3/4 logo rouge', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo rouge"}', 0), + (7570, 2, 9, 'Pull manches 3/4 logo jaune', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo jaune"}', 0), + (7571, 2, 9, 'Pull manches 3/4 logo rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo rose"}', 0), + (7572, 2, 9, 'Pull manches 3/4 logo lime', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo lime"}', 0), + (7573, 2, 9, 'Pull manches 3/4 logo violet', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo violet"}', 0), + (7574, 2, 9, 'Pull manches 3/4 logo turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo turquoise"}', 0), + (7575, 2, 9, 'Pull manches 3/4 logo vert', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo vert"}', 0), + (7576, 2, 9, 'Pull manches 3/4 Guffy noir', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy noir"}', 0), + (7577, 2, 9, 'Pull manches 3/4 Guffy rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy rose"}', 0), + (7578, 2, 9, 'Pull manches 3/4 léopard turquoise', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"léopard turquoise"}', 0), + (7579, 2, 9, 'Pull manches 3/4 léopard rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"léopard rose"}', 0), + (7580, 2, 9, 'Pull manches 3/4 Guffy blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy blanc"}', 0), + (7581, 2, 9, 'Pull manches 3/4 Guffy noir-corail', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Guffy noir-corail"}', 0), + (7582, 2, 9, 'Pull manches 3/4 losange blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losange blanc"}', 0), + (7583, 2, 9, 'Pull manches 3/4 M blanc', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"M blanc"}', 0), + (7584, 2, 9, 'Pull manches 3/4 logo blanc-bleu', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo blanc-bleu"}', 0), + (7585, 2, 9, 'Pull manches 3/4 logo blanc-rose', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"logo blanc-rose"}', 0), + (7586, 2, 9, 'Pull manches 3/4 losange noir', 50, '{"components":{"11":{"Drawable":192,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"losange noir"}', 0), + (7587, 3, 4, 'Doudoune chaude ouverte camo vert', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo vert"}', 0), + (7588, 3, 4, 'Doudoune chaude ouverte camo gris', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo gris"}', 0), + (7589, 3, 4, 'Doudoune chaude ouverte camo rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo rose"}', 0), + (7590, 3, 4, 'Doudoune chaude ouverte camo blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo blanc"}', 0), + (7591, 3, 4, 'Doudoune chaude ouverte camo beige', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo beige"}', 0), + (7592, 3, 4, 'Doudoune chaude ouverte léopard gris', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard gris"}', 0), + (7593, 3, 4, 'Doudoune chaude ouverte léopard turquoise', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard turquoise"}', 0), + (7594, 3, 4, 'Doudoune chaude ouverte Bigness noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Bigness noir"}', 0), + (7595, 3, 4, 'Doudoune chaude ouverte Bigness jaune', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Bigness jaune"}', 0), + (7596, 3, 4, 'Doudoune chaude ouverte Bigness rouge', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Bigness rouge"}', 0), + (7597, 3, 4, 'Doudoune chaude ouverte uni rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"uni rose"}', 0), + (7598, 3, 4, 'Doudoune chaude ouverte vichy rose', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"vichy rose"}', 0), + (7599, 3, 4, 'Doudoune chaude ouverte motifs orange', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"motifs orange"}', 0), + (7600, 3, 4, 'Doudoune chaude ouverte motifs ciel', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"motifs ciel"}', 0), + (7601, 3, 4, 'Doudoune chaude ouverte zèbre blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"zèbre blanc"}', 0), + (7602, 3, 4, 'Doudoune chaude ouverte zèbre rouge', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"zèbre rouge"}', 0), + (7603, 3, 4, 'Doudoune chaude ouverte flocons noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"flocons noir"}', 0), + (7604, 3, 4, 'Doudoune chaude ouverte flocons corail', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"flocons corail"}', 0), + (7605, 3, 4, 'Doudoune chaude ouverte flocons bordeaux', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"flocons bordeaux"}', 0), + (7606, 3, 4, 'Doudoune chaude ouverte flocons marine', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"flocons marine"}', 0), + (7607, 3, 4, 'Doudoune chaude ouverte Guffy corail-noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Guffy corail-noir"}', 0), + (7608, 3, 4, 'Doudoune chaude ouverte Guffy blanc-noir', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Guffy blanc-noir"}', 0), + (7609, 3, 4, 'Doudoune chaude ouverte tropical corail', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"tropical corail"}', 0), + (7610, 3, 4, 'Doudoune chaude ouverte tropical turquoise', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"tropical turquoise"}', 0), + (7611, 3, 4, 'Doudoune chaude ouverte logo Guffy blanc', 50, '{"components":{"11":{"Drawable":193,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"logo Guffy blanc"}', 0), + (7612, 3, 4, 'Trench coat ouvert gris', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"gris"}', 0), + (7613, 3, 4, 'Trench coat ouvert camo vert', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"camo vert"}', 0), + (7614, 3, 4, 'Trench coat ouvert camo sable', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"camo sable"}', 0), + (7615, 3, 4, 'Trench coat ouvert camo anthracite', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"camo anthracite"}', 0), + (7616, 3, 4, 'Trench coat ouvert motifs olive', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"motifs olive"}', 0), + (7617, 3, 4, 'Trench coat ouvert noir', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"noir"}', 0), + (7618, 3, 4, 'Trench coat ouvert carreaux rouge', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"carreaux rouge"}', 0), + (7619, 3, 4, 'Trench coat ouvert carreaux marron', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"carreaux marron"}', 0), + (7620, 3, 4, 'Trench coat ouvert carreaux vert', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"carreaux vert"}', 0), + (7621, 3, 4, 'Trench coat ouvert carreaux anthracite', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"carreaux anthracite"}', 0), + (7622, 3, 4, 'Trench coat ouvert rouge', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"rouge"}', 0), + (7623, 3, 4, 'Trench coat ouvert bordeaux', 50, '{"components":{"11":{"Drawable":194,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Trench coat ouvert","colorLabel":"bordeaux"}', 0), + (7624, 1, 13, 'Urban crop-top t-shirt Guffy noir', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy noir"}', 0), + (7625, 1, 13, 'Urban crop-top t-shirt corail', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"corail"}', 0), + (7626, 1, 13, 'Urban crop-top t-shirt camo vert', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo vert"}', 0), + (7627, 1, 13, 'Urban crop-top t-shirt rouge M', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"rouge M"}', 0), + (7628, 1, 13, 'Urban crop-top t-shirt MG blanc-rouge', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG blanc-rouge"}', 0), + (7629, 1, 13, 'Urban crop-top t-shirt Bigness multicolore', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Bigness multicolore"}', 0), + (7630, 1, 13, 'Urban crop-top t-shirt MG noir-rose', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG noir-rose"}', 0), + (7631, 1, 13, 'Urban crop-top t-shirt Guffy noir-rouge', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy noir-rouge"}', 0), + (7632, 1, 13, 'Urban crop-top t-shirt bleu', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"bleu"}', 0), + (7633, 1, 13, 'Urban crop-top t-shirt camo gris', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo gris"}', 0), + (7634, 1, 13, 'Urban crop-top t-shirt blanc losange', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"blanc losange"}', 0), + (7635, 1, 13, 'Urban crop-top t-shirt Guffy ciel', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy ciel"}', 0), + (7636, 1, 13, 'Urban crop-top t-shirt Bigness blanc', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Bigness blanc"}', 0), + (7637, 1, 13, 'Urban crop-top t-shirt Bigness camo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Bigness camo"}', 0), + (7638, 1, 13, 'Urban crop-top t-shirt Guffy tropical', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy tropical"}', 0), + (7639, 1, 13, 'Urban crop-top t-shirt MG noir-blanc', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG noir-blanc"}', 0), + (7640, 1, 13, 'Urban crop-top t-shirt MG corail', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG corail"}', 0), + (7641, 1, 13, 'Urban crop-top t-shirt Guffy noir-turquoise', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy noir-turquoise"}', 0), + (7642, 1, 13, 'Urban crop-top t-shirt jaune logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"jaune logo"}', 0), + (7643, 1, 13, 'Urban crop-top t-shirt vert squash', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"vert squash"}', 0), + (7644, 1, 13, 'Urban crop-top t-shirt orange logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"orange logo"}', 0), + (7645, 1, 13, 'Urban crop-top t-shirt rose logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"rose logo"}', 0), + (7646, 1, 13, 'Urban crop-top t-shirt vert logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"vert logo"}', 0), + (7647, 1, 13, 'Urban crop-top t-shirt lime logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"lime logo"}', 0), + (7648, 1, 13, 'Urban crop-top t-shirt turquoise motifs', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"turquoise motifs"}', 0), + (7649, 2, 13, 'Urban crop-top t-shirt Guffy noir', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy noir"}', 0), + (7650, 2, 13, 'Urban crop-top t-shirt corail', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"corail"}', 0), + (7651, 2, 13, 'Urban crop-top t-shirt camo vert', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo vert"}', 0), + (7652, 2, 13, 'Urban crop-top t-shirt rouge M', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"rouge M"}', 0), + (7653, 2, 13, 'Urban crop-top t-shirt MG blanc-rouge', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG blanc-rouge"}', 0), + (7654, 2, 13, 'Urban crop-top t-shirt Bigness multicolore', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Bigness multicolore"}', 0), + (7655, 2, 13, 'Urban crop-top t-shirt MG noir-rose', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG noir-rose"}', 0), + (7656, 2, 13, 'Urban crop-top t-shirt Guffy noir-rouge', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy noir-rouge"}', 0), + (7657, 2, 13, 'Urban crop-top t-shirt bleu', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"bleu"}', 0), + (7658, 2, 13, 'Urban crop-top t-shirt camo gris', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo gris"}', 0), + (7659, 2, 13, 'Urban crop-top t-shirt blanc losange', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"blanc losange"}', 0), + (7660, 2, 13, 'Urban crop-top t-shirt Guffy ciel', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy ciel"}', 0), + (7661, 2, 13, 'Urban crop-top t-shirt Bigness blanc', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Bigness blanc"}', 0), + (7662, 2, 13, 'Urban crop-top t-shirt Bigness camo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Bigness camo"}', 0), + (7663, 2, 13, 'Urban crop-top t-shirt Guffy tropical', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy tropical"}', 0), + (7664, 2, 13, 'Urban crop-top t-shirt MG noir-blanc', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG noir-blanc"}', 0), + (7665, 2, 13, 'Urban crop-top t-shirt MG corail', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"MG corail"}', 0), + (7666, 2, 13, 'Urban crop-top t-shirt Guffy noir-turquoise', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"Guffy noir-turquoise"}', 0), + (7667, 2, 13, 'Urban crop-top t-shirt jaune logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"jaune logo"}', 0), + (7668, 2, 13, 'Urban crop-top t-shirt vert squash', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"vert squash"}', 0), + (7669, 2, 13, 'Urban crop-top t-shirt orange logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"orange logo"}', 0), + (7670, 2, 13, 'Urban crop-top t-shirt rose logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"rose logo"}', 0), + (7671, 2, 13, 'Urban crop-top t-shirt vert logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"vert logo"}', 0), + (7672, 2, 13, 'Urban crop-top t-shirt lime logo', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"lime logo"}', 0), + (7673, 2, 13, 'Urban crop-top t-shirt turquoise motifs', 50, '{"components":{"11":{"Drawable":195,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"turquoise motifs"}', 0), + (7674, 1, 9, 'Pull de Noël mère noël motifs', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"mère noël motifs"}', 0), + (7675, 1, 9, 'Pull de Noël lutin motifs', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"lutin motifs"}', 0), + (7676, 1, 9, 'Pull de Noël pudding motifs', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"pudding motifs"}', 0), + (7677, 2, 9, 'Pull de Noël mère noël motifs', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"mère noël motifs"}', 0), + (7678, 2, 9, 'Pull de Noël lutin motifs', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"lutin motifs"}', 0), + (7679, 2, 9, 'Pull de Noël pudding motifs', 50, '{"components":{"11":{"Drawable":196,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull de Noël","colorLabel":"pudding motifs"}', 0), + (7680, 1, 9, 'Pull manches 3/4 d\'hiver gris et jaune', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"gris et jaune"}', 0), + (7681, 1, 9, 'Pull manches 3/4 d\'hiver noir et jaune', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"noir et jaune"}', 0), + (7682, 1, 9, 'Pull manches 3/4 d\'hiver yéti', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"yéti"}', 0), + (7683, 1, 9, 'Pull manches 3/4 d\'hiver yéti et snowman', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"yéti et snowman"}', 0), + (7684, 1, 9, 'Pull manches 3/4 d\'hiver renne beige', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"renne beige"}', 0), + (7685, 1, 9, 'Pull manches 3/4 d\'hiver renne rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"renne rouge"}', 0), + (7686, 1, 9, 'Pull manches 3/4 d\'hiver naughty vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"naughty vert"}', 0), + (7687, 1, 9, 'Pull manches 3/4 d\'hiver naughty rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"naughty rouge"}', 0), + (7688, 1, 9, 'Pull manches 3/4 d\'hiver holidays bleu', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"holidays bleu"}', 0), + (7689, 1, 9, 'Pull manches 3/4 d\'hiver holiday sapin', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"holiday sapin"}', 0), + (7690, 1, 9, 'Pull manches 3/4 d\'hiver love fist rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"love fist rouge"}', 0), + (7691, 1, 9, 'Pull manches 3/4 d\'hiver love fist noir', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"love fist noir"}', 0), + (7692, 1, 9, 'Pull manches 3/4 d\'hiver sapin rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"sapin rouge"}', 0), + (7693, 1, 9, 'Pull manches 3/4 d\'hiver sapin vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"sapin vert"}', 0), + (7694, 1, 9, 'Pull manches 3/4 d\'hiver NRV cat rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"NRV cat rouge"}', 0), + (7695, 1, 9, 'Pull manches 3/4 d\'hiver NRV cat vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"NRV cat vert"}', 0), + (7696, 2, 9, 'Pull manches 3/4 d\'hiver gris et jaune', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"gris et jaune"}', 0), + (7697, 2, 9, 'Pull manches 3/4 d\'hiver noir et jaune', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"noir et jaune"}', 0), + (7698, 2, 9, 'Pull manches 3/4 d\'hiver yéti', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"yéti"}', 0), + (7699, 2, 9, 'Pull manches 3/4 d\'hiver yéti et snowman', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"yéti et snowman"}', 0), + (7700, 2, 9, 'Pull manches 3/4 d\'hiver renne beige', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"renne beige"}', 0), + (7701, 2, 9, 'Pull manches 3/4 d\'hiver renne rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"renne rouge"}', 0), + (7702, 2, 9, 'Pull manches 3/4 d\'hiver naughty vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"naughty vert"}', 0), + (7703, 2, 9, 'Pull manches 3/4 d\'hiver naughty rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"naughty rouge"}', 0), + (7704, 2, 9, 'Pull manches 3/4 d\'hiver holidays bleu', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"holidays bleu"}', 0), + (7705, 2, 9, 'Pull manches 3/4 d\'hiver holiday sapin', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"holiday sapin"}', 0), + (7706, 2, 9, 'Pull manches 3/4 d\'hiver love fist rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"love fist rouge"}', 0), + (7707, 2, 9, 'Pull manches 3/4 d\'hiver love fist noir', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"love fist noir"}', 0), + (7708, 2, 9, 'Pull manches 3/4 d\'hiver sapin rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"sapin rouge"}', 0), + (7709, 2, 9, 'Pull manches 3/4 d\'hiver sapin vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"sapin vert"}', 0), + (7710, 2, 9, 'Pull manches 3/4 d\'hiver NRV cat rouge', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"NRV cat rouge"}', 0), + (7711, 2, 9, 'Pull manches 3/4 d\'hiver NRV cat vert', 50, '{"components":{"11":{"Drawable":198,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"NRV cat vert"}', 0), + (7712, 1, 9, 'Gilet chaud d\'hiver bleu sapin', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu sapin"}', 0), + (7713, 1, 9, 'Gilet chaud d\'hiver rouge renne', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"rouge renne"}', 0), + (7714, 1, 9, 'Gilet chaud d\'hiver gris caribou', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"gris caribou"}', 0), + (7715, 1, 9, 'Gilet chaud d\'hiver vert noël', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"vert noël"}', 0), + (7716, 1, 9, 'Gilet chaud d\'hiver noir sapin', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"noir sapin"}', 0), + (7717, 1, 9, 'Gilet chaud d\'hiver bleu-rouge xmas', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu-rouge xmas"}', 0), + (7718, 1, 9, 'Gilet chaud d\'hiver carreaux rouge', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux rouge"}', 0), + (7719, 1, 9, 'Gilet chaud d\'hiver carreaux vert', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux vert"}', 0), + (7720, 2, 9, 'Gilet chaud d\'hiver bleu sapin', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu sapin"}', 0), + (7721, 2, 9, 'Gilet chaud d\'hiver rouge renne', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"rouge renne"}', 0), + (7722, 2, 9, 'Gilet chaud d\'hiver gris caribou', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"gris caribou"}', 0), + (7723, 2, 9, 'Gilet chaud d\'hiver vert noël', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"vert noël"}', 0), + (7724, 2, 9, 'Gilet chaud d\'hiver noir sapin', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"noir sapin"}', 0), + (7725, 2, 9, 'Gilet chaud d\'hiver bleu-rouge xmas', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"bleu-rouge xmas"}', 0), + (7726, 2, 9, 'Gilet chaud d\'hiver carreaux rouge', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux rouge"}', 0), + (7727, 2, 9, 'Gilet chaud d\'hiver carreaux vert', 50, '{"components":{"11":{"Drawable":200,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud d\'hiver","colorLabel":"carreaux vert"}', 0), + (7728, 1, 10, 'Combinaison couvrante indigène vert', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène vert"}', 0), + (7729, 1, 10, 'Combinaison couvrante indigène bleu', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène bleu"}', 0), + (7730, 1, 10, 'Combinaison couvrante indigène rose', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène rose"}', 0), + (7731, 2, 10, 'Combinaison couvrante indigène vert', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène vert"}', 0), + (7732, 2, 10, 'Combinaison couvrante indigène bleu', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène bleu"}', 0), + (7733, 2, 10, 'Combinaison couvrante indigène rose', 50, '{"components":{"11":{"Drawable":203,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"indigène rose"}', 0), + (7734, 3, 5, 'Hoodie sans manche capuche tête noir', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"noir"}', 0), + (7735, 3, 5, 'Hoodie sans manche capuche tête anthracite', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"anthracite"}', 0), + (7736, 3, 5, 'Hoodie sans manche capuche tête gris', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"gris"}', 0), + (7737, 3, 5, 'Hoodie sans manche capuche tête perle', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"perle"}', 0), + (7738, 3, 5, 'Hoodie sans manche capuche tête vert foncé', 50, '{"components":{"11":{"Drawable":204,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"vert foncé"}', 0), + (7739, 1, 5, 'Hoodie capuche tête jaune-orange', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"jaune-orange"}', 0), + (7740, 1, 5, 'Hoodie capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir-rose"}', 0), + (7741, 1, 5, 'Hoodie capuche tête noir logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir logo"}', 0), + (7742, 1, 5, 'Hoodie capuche tête vert logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"vert logo"}', 0), + (7743, 1, 5, 'Hoodie capuche tête clown logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"clown logo"}', 0), + (7744, 1, 5, 'Hoodie capuche tête bleu foncé', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"bleu foncé"}', 0), + (7745, 1, 5, 'Hoodie capuche tête léopard beige', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"léopard beige"}', 0), + (7746, 1, 5, 'Hoodie capuche tête léopard rouge-blanc', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"léopard rouge-blanc"}', 0), + (7747, 1, 5, 'Hoodie capuche tête léopard rose', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"léopard rose"}', 0), + (7748, 1, 5, 'Hoodie capuche tête multicolore', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"multicolore"}', 0), + (7749, 1, 5, 'Hoodie capuche tête camo vert', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo vert"}', 0), + (7750, 1, 5, 'Hoodie capuche tête gris', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"gris"}', 0), + (7751, 1, 5, 'Hoodie capuche tête camo rouge', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo rouge"}', 0), + (7752, 1, 5, 'Hoodie capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo bleu"}', 0), + (7753, 1, 5, 'Hoodie capuche tête anthracite', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"anthracite"}', 0), + (7754, 1, 5, 'Hoodie capuche tête camo marron-bleu', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo marron-bleu"}', 0), + (7755, 1, 5, 'Hoodie capuche tête Guffy gris-noir', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"Guffy gris-noir"}', 0), + (7756, 1, 5, 'Hoodie capuche tête patchwork rouge', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"patchwork rouge"}', 0), + (7757, 1, 5, 'Hoodie capuche tête points blanc', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"points blanc"}', 0), + (7758, 1, 5, 'Hoodie capuche tête points orange', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"points orange"}', 0), + (7759, 1, 5, 'Hoodie capuche tête anthracite', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"anthracite"}', 0), + (7760, 1, 5, 'Hoodie capuche tête camo violet', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo violet"}', 0), + (7761, 1, 5, 'Hoodie capuche tête gris rayures', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"gris rayures"}', 0), + (7762, 1, 5, 'Hoodie capuche tête sable logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"sable logo"}', 0), + (7763, 1, 5, 'Hoodie capuche tête noir losange', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir losange"}', 0), + (7764, 2, 5, 'Hoodie capuche tête jaune-orange', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"jaune-orange"}', 0), + (7765, 2, 5, 'Hoodie capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir-rose"}', 0), + (7766, 2, 5, 'Hoodie capuche tête noir logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir logo"}', 0), + (7767, 2, 5, 'Hoodie capuche tête vert logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"vert logo"}', 0), + (7768, 2, 5, 'Hoodie capuche tête clown logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"clown logo"}', 0), + (7769, 2, 5, 'Hoodie capuche tête bleu foncé', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"bleu foncé"}', 0), + (7770, 2, 5, 'Hoodie capuche tête léopard beige', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"léopard beige"}', 0), + (7771, 2, 5, 'Hoodie capuche tête léopard rouge-blanc', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"léopard rouge-blanc"}', 0), + (7772, 2, 5, 'Hoodie capuche tête léopard rose', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"léopard rose"}', 0), + (7773, 2, 5, 'Hoodie capuche tête multicolore', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"multicolore"}', 0), + (7774, 2, 5, 'Hoodie capuche tête camo vert', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo vert"}', 0), + (7775, 2, 5, 'Hoodie capuche tête gris', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"gris"}', 0), + (7776, 2, 5, 'Hoodie capuche tête camo rouge', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo rouge"}', 0), + (7777, 2, 5, 'Hoodie capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo bleu"}', 0), + (7778, 2, 5, 'Hoodie capuche tête anthracite', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"anthracite"}', 0), + (7779, 2, 5, 'Hoodie capuche tête camo marron-bleu', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo marron-bleu"}', 0), + (7780, 2, 5, 'Hoodie capuche tête Guffy gris-noir', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"Guffy gris-noir"}', 0), + (7781, 2, 5, 'Hoodie capuche tête patchwork rouge', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"patchwork rouge"}', 0), + (7782, 2, 5, 'Hoodie capuche tête points blanc', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"points blanc"}', 0), + (7783, 2, 5, 'Hoodie capuche tête points orange', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"points orange"}', 0), + (7784, 2, 5, 'Hoodie capuche tête anthracite', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"anthracite"}', 0), + (7785, 2, 5, 'Hoodie capuche tête camo violet', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"camo violet"}', 0), + (7786, 2, 5, 'Hoodie capuche tête gris rayures', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"gris rayures"}', 0), + (7787, 2, 5, 'Hoodie capuche tête sable logo', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"sable logo"}', 0), + (7788, 2, 5, 'Hoodie capuche tête noir losange', 50, '{"components":{"11":{"Drawable":205,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir losange"}', 0), + (7789, 3, 4, 'Manteau capuche tête noir', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"noir"}', 0), + (7790, 3, 4, 'Manteau capuche tête anthracite', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"anthracite"}', 0), + (7791, 3, 4, 'Manteau capuche tête gris foncé', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"gris foncé"}', 0), + (7792, 3, 4, 'Manteau capuche tête gris clair', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"gris clair"}', 0), + (7793, 3, 4, 'Manteau capuche tête blanc', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"blanc"}', 0), + (7794, 3, 4, 'Manteau capuche tête rouge', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"rouge"}', 0), + (7795, 3, 4, 'Manteau capuche tête pourpre', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"pourpre"}', 0), + (7796, 3, 4, 'Manteau capuche tête beige', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"beige"}', 0), + (7797, 3, 4, 'Manteau capuche tête sable', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"sable"}', 0), + (7798, 3, 4, 'Manteau capuche tête vert lime', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"vert lime"}', 0), + (7799, 3, 4, 'Manteau capuche tête dégradé', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"dégradé"}', 0), + (7800, 3, 4, 'Manteau capuche tête marron', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"marron"}', 0), + (7801, 3, 4, 'Manteau capuche tête olive', 50, '{"components":{"11":{"Drawable":206,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Manteau capuche tête","colorLabel":"olive"}', 0), + (7802, 3, 5, 'Hoodie sans manche noir', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"noir"}', 0), + (7803, 3, 5, 'Hoodie sans manche anthracite', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"anthracite"}', 0), + (7804, 3, 5, 'Hoodie sans manche gris', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"gris"}', 0), + (7805, 3, 5, 'Hoodie sans manche perle', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"perle"}', 0), + (7806, 3, 5, 'Hoodie sans manche vert foncé', 50, '{"components":{"11":{"Drawable":207,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"vert foncé"}', 0), + (7807, 1, 2, 'T-shirt retroussé rentré camo vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo vert"}', 0), + (7808, 1, 2, 'T-shirt retroussé rentré zèbre noir', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"zèbre noir"}', 0), + (7809, 1, 2, 'T-shirt retroussé rentré zèbre bleu-lime', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"zèbre bleu-lime"}', 0), + (7810, 1, 2, 'T-shirt retroussé rentré léopart jaune', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"léopart jaune"}', 0), + (7811, 1, 2, 'T-shirt retroussé rentré blanc postal', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"blanc postal"}', 0), + (7812, 1, 2, 'T-shirt retroussé rentré blanc losange', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"blanc losange"}', 0), + (7813, 1, 2, 'T-shirt retroussé rentré rayures fines rose-bleu-jaunes', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures fines rose-bleu-jaunes"}', 0), + (7814, 1, 2, 'T-shirt retroussé rentré rayures larges bleu-vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures larges bleu-vert"}', 0), + (7815, 1, 2, 'T-shirt retroussé rentré rayures larges rouge-jaune', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures larges rouge-jaune"}', 0), + (7816, 1, 2, 'T-shirt retroussé rentré rayures fines rouge-bleu-blanc', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures fines rouge-bleu-blanc"}', 0), + (7817, 1, 2, 'T-shirt retroussé rentré rayures larges jaune-blanc', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures larges jaune-blanc"}', 0), + (7818, 1, 2, 'T-shirt retroussé rentré turquoise motif', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"turquoise motif"}', 0), + (7819, 1, 2, 'T-shirt retroussé rentré bleu-blanc', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"bleu-blanc"}', 0), + (7820, 1, 2, 'T-shirt retroussé rentré Guffy délavé', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"Guffy délavé"}', 0), + (7821, 1, 2, 'T-shirt retroussé rentré rose-jaune', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rose-jaune"}', 0), + (7822, 1, 2, 'T-shirt retroussé rentré Bigness ciel', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"Bigness ciel"}', 0), + (7823, 1, 2, 'T-shirt retroussé rentré feu', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"feu"}', 0), + (7824, 2, 2, 'T-shirt retroussé rentré camo vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo vert"}', 0), + (7825, 2, 2, 'T-shirt retroussé rentré zèbre noir', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"zèbre noir"}', 0), + (7826, 2, 2, 'T-shirt retroussé rentré zèbre bleu-lime', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"zèbre bleu-lime"}', 0), + (7827, 2, 2, 'T-shirt retroussé rentré léopart jaune', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"léopart jaune"}', 0), + (7828, 2, 2, 'T-shirt retroussé rentré blanc postal', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"blanc postal"}', 0), + (7829, 2, 2, 'T-shirt retroussé rentré blanc losange', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"blanc losange"}', 0), + (7830, 2, 2, 'T-shirt retroussé rentré rayures fines rose-bleu-jaunes', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures fines rose-bleu-jaunes"}', 0), + (7831, 2, 2, 'T-shirt retroussé rentré rayures larges bleu-vert', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures larges bleu-vert"}', 0), + (7832, 2, 2, 'T-shirt retroussé rentré rayures larges rouge-jaune', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures larges rouge-jaune"}', 0), + (7833, 2, 2, 'T-shirt retroussé rentré rayures fines rouge-bleu-blanc', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures fines rouge-bleu-blanc"}', 0), + (7834, 2, 2, 'T-shirt retroussé rentré rayures larges jaune-blanc', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rayures larges jaune-blanc"}', 0), + (7835, 2, 2, 'T-shirt retroussé rentré turquoise motif', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"turquoise motif"}', 0), + (7836, 2, 2, 'T-shirt retroussé rentré bleu-blanc', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"bleu-blanc"}', 0), + (7837, 2, 2, 'T-shirt retroussé rentré Guffy délavé', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"Guffy délavé"}', 0), + (7838, 2, 2, 'T-shirt retroussé rentré rose-jaune', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"rose-jaune"}', 0), + (7839, 2, 2, 'T-shirt retroussé rentré Bigness ciel', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"Bigness ciel"}', 0), + (7840, 2, 2, 'T-shirt retroussé rentré feu', 50, '{"components":{"11":{"Drawable":208,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"feu"}', 0), + (7841, 1, 2, 'T-shirt retroussé sorti camo vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo vert"}', 0), + (7842, 1, 2, 'T-shirt retroussé sorti zèbre noir', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"zèbre noir"}', 0), + (7843, 1, 2, 'T-shirt retroussé sorti zèbre bleu-lime', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"zèbre bleu-lime"}', 0), + (7844, 1, 2, 'T-shirt retroussé sorti léopart jaune', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"léopart jaune"}', 0), + (7845, 1, 2, 'T-shirt retroussé sorti blanc postal', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"blanc postal"}', 0), + (7846, 1, 2, 'T-shirt retroussé sorti blanc losange', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"blanc losange"}', 0), + (7847, 1, 2, 'T-shirt retroussé sorti rayures fines rose-bleu-jaunes', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures fines rose-bleu-jaunes"}', 0), + (7848, 1, 2, 'T-shirt retroussé sorti rayures larges bleu-vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures larges bleu-vert"}', 0), + (7849, 1, 2, 'T-shirt retroussé sorti rayures larges rouge-jaune', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures larges rouge-jaune"}', 0), + (7850, 1, 2, 'T-shirt retroussé sorti rayures fines rouge-bleu-blanc', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures fines rouge-bleu-blanc"}', 0), + (7851, 1, 2, 'T-shirt retroussé sorti rayures larges jaune-blanc', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures larges jaune-blanc"}', 0), + (7852, 1, 2, 'T-shirt retroussé sorti turquoise motif', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"turquoise motif"}', 0), + (7853, 1, 2, 'T-shirt retroussé sorti bleu-blanc', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"bleu-blanc"}', 0), + (7854, 1, 2, 'T-shirt retroussé sorti Guffy délavé', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"Guffy délavé"}', 0), + (7855, 1, 2, 'T-shirt retroussé sorti rose-jaune', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rose-jaune"}', 0), + (7856, 1, 2, 'T-shirt retroussé sorti Bigness ciel', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"Bigness ciel"}', 0), + (7857, 1, 2, 'T-shirt retroussé sorti feu', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"feu"}', 0), + (7858, 2, 2, 'T-shirt retroussé sorti camo vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo vert"}', 0), + (7859, 2, 2, 'T-shirt retroussé sorti zèbre noir', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"zèbre noir"}', 0), + (7860, 2, 2, 'T-shirt retroussé sorti zèbre bleu-lime', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"zèbre bleu-lime"}', 0), + (7861, 2, 2, 'T-shirt retroussé sorti léopart jaune', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"léopart jaune"}', 0), + (7862, 2, 2, 'T-shirt retroussé sorti blanc postal', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"blanc postal"}', 0), + (7863, 2, 2, 'T-shirt retroussé sorti blanc losange', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"blanc losange"}', 0), + (7864, 2, 2, 'T-shirt retroussé sorti rayures fines rose-bleu-jaunes', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures fines rose-bleu-jaunes"}', 0), + (7865, 2, 2, 'T-shirt retroussé sorti rayures larges bleu-vert', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures larges bleu-vert"}', 0), + (7866, 2, 2, 'T-shirt retroussé sorti rayures larges rouge-jaune', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures larges rouge-jaune"}', 0), + (7867, 2, 2, 'T-shirt retroussé sorti rayures fines rouge-bleu-blanc', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures fines rouge-bleu-blanc"}', 0), + (7868, 2, 2, 'T-shirt retroussé sorti rayures larges jaune-blanc', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rayures larges jaune-blanc"}', 0), + (7869, 2, 2, 'T-shirt retroussé sorti turquoise motif', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"turquoise motif"}', 0), + (7870, 2, 2, 'T-shirt retroussé sorti bleu-blanc', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"bleu-blanc"}', 0), + (7871, 2, 2, 'T-shirt retroussé sorti Guffy délavé', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"Guffy délavé"}', 0), + (7872, 2, 2, 'T-shirt retroussé sorti rose-jaune', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"rose-jaune"}', 0), + (7873, 2, 2, 'T-shirt retroussé sorti Bigness ciel', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"Bigness ciel"}', 0), + (7874, 2, 2, 'T-shirt retroussé sorti feu', 50, '{"components":{"11":{"Drawable":209,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"feu"}', 0), + (7875, 1, 5, 'Hoodie sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel bleu"}', 0), + (7876, 1, 5, 'Hoodie sans manche pixel sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel sable"}', 0), + (7877, 1, 5, 'Hoodie sans manche pixel vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel vert"}', 0), + (7878, 1, 5, 'Hoodie sans manche pixel beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel beige"}', 0), + (7879, 1, 5, 'Hoodie sans manche pixel crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel crème"}', 0), + (7880, 1, 5, 'Hoodie sans manche camo beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo beige"}', 0), + (7881, 1, 5, 'Hoodie sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo brun-vert"}', 0), + (7882, 1, 5, 'Hoodie sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"carreaux fin vert"}', 0), + (7883, 1, 5, 'Hoodie sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel forêt"}', 0), + (7884, 1, 5, 'Hoodie sans manche camo sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo sable"}', 0), + (7885, 1, 5, 'Hoodie sans manche camo bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo bleu"}', 0), + (7886, 1, 5, 'Hoodie sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"géométrique vert"}', 0), + (7887, 1, 5, 'Hoodie sans manche camo olive', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo olive"}', 0), + (7888, 1, 5, 'Hoodie sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs kaki"}', 0), + (7889, 1, 5, 'Hoodie sans manche camo crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo crème"}', 0), + (7890, 1, 5, 'Hoodie sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs vert-beige"}', 0), + (7891, 1, 5, 'Hoodie sans manche tâches kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"tâches kaki"}', 0), + (7892, 1, 5, 'Hoodie sans manche camo kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo kaki"}', 0), + (7893, 1, 5, 'Hoodie sans manche uni kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"uni kaki"}', 0), + (7894, 1, 5, 'Hoodie sans manche uni jaune', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"uni jaune"}', 0), + (7895, 1, 5, 'Hoodie sans manche camo vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo vert"}', 0), + (7896, 1, 5, 'Hoodie sans manche camo orange', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo orange"}', 0), + (7897, 1, 5, 'Hoodie sans manche camo violet', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo violet"}', 0), + (7898, 1, 5, 'Hoodie sans manche camo rose', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo rose"}', 0), + (7899, 2, 5, 'Hoodie sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel bleu"}', 0), + (7900, 2, 5, 'Hoodie sans manche pixel sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel sable"}', 0), + (7901, 2, 5, 'Hoodie sans manche pixel vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel vert"}', 0), + (7902, 2, 5, 'Hoodie sans manche pixel beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel beige"}', 0), + (7903, 2, 5, 'Hoodie sans manche pixel crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel crème"}', 0), + (7904, 2, 5, 'Hoodie sans manche camo beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo beige"}', 0), + (7905, 2, 5, 'Hoodie sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo brun-vert"}', 0), + (7906, 2, 5, 'Hoodie sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"carreaux fin vert"}', 0), + (7907, 2, 5, 'Hoodie sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"pixel forêt"}', 0), + (7908, 2, 5, 'Hoodie sans manche camo sable', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo sable"}', 0), + (7909, 2, 5, 'Hoodie sans manche camo bleu', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo bleu"}', 0), + (7910, 2, 5, 'Hoodie sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"géométrique vert"}', 0), + (7911, 2, 5, 'Hoodie sans manche camo olive', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo olive"}', 0), + (7912, 2, 5, 'Hoodie sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs kaki"}', 0), + (7913, 2, 5, 'Hoodie sans manche camo crème', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo crème"}', 0), + (7914, 2, 5, 'Hoodie sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"motifs vert-beige"}', 0), + (7915, 2, 5, 'Hoodie sans manche tâches kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"tâches kaki"}', 0), + (7916, 2, 5, 'Hoodie sans manche camo kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo kaki"}', 0), + (7917, 2, 5, 'Hoodie sans manche uni kaki', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"uni kaki"}', 0), + (7918, 2, 5, 'Hoodie sans manche uni jaune', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"uni jaune"}', 0), + (7919, 2, 5, 'Hoodie sans manche camo vert', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo vert"}', 0), + (7920, 2, 5, 'Hoodie sans manche camo orange', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo orange"}', 0), + (7921, 2, 5, 'Hoodie sans manche camo violet', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo violet"}', 0), + (7922, 2, 5, 'Hoodie sans manche camo rose', 50, '{"components":{"11":{"Drawable":210,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche","colorLabel":"camo rose"}', 0), + (7923, 1, 5, 'Hoodie sans manche capuche tête pixel bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel bleu"}', 0), + (7924, 1, 5, 'Hoodie sans manche capuche tête pixel sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel sable"}', 0), + (7925, 1, 5, 'Hoodie sans manche capuche tête pixel vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel vert"}', 0), + (7926, 1, 5, 'Hoodie sans manche capuche tête pixel beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel beige"}', 0), + (7927, 1, 5, 'Hoodie sans manche capuche tête pixel crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel crème"}', 0), + (7928, 1, 5, 'Hoodie sans manche capuche tête camo beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo beige"}', 0), + (7929, 1, 5, 'Hoodie sans manche capuche tête camo brun-vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo brun-vert"}', 0), + (7930, 1, 5, 'Hoodie sans manche capuche tête carreaux fin vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"carreaux fin vert"}', 0), + (7931, 1, 5, 'Hoodie sans manche capuche tête pixel forêt', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel forêt"}', 0), + (7932, 1, 5, 'Hoodie sans manche capuche tête camo sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo sable"}', 0), + (7933, 1, 5, 'Hoodie sans manche capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo bleu"}', 0), + (7934, 1, 5, 'Hoodie sans manche capuche tête géométrique vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"géométrique vert"}', 0), + (7935, 1, 5, 'Hoodie sans manche capuche tête camo olive', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo olive"}', 0), + (7936, 1, 5, 'Hoodie sans manche capuche tête motifs kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs kaki"}', 0), + (7937, 1, 5, 'Hoodie sans manche capuche tête camo crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo crème"}', 0), + (7938, 1, 5, 'Hoodie sans manche capuche tête motifs vert-beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs vert-beige"}', 0), + (7939, 1, 5, 'Hoodie sans manche capuche tête tâches kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"tâches kaki"}', 0), + (7940, 1, 5, 'Hoodie sans manche capuche tête camo kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo kaki"}', 0), + (7941, 1, 5, 'Hoodie sans manche capuche tête uni kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"uni kaki"}', 0), + (7942, 1, 5, 'Hoodie sans manche capuche tête uni jaune', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"uni jaune"}', 0), + (7943, 1, 5, 'Hoodie sans manche capuche tête camo vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo vert"}', 0), + (7944, 1, 5, 'Hoodie sans manche capuche tête camo orange', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo orange"}', 0), + (7945, 1, 5, 'Hoodie sans manche capuche tête camo violet', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo violet"}', 0), + (7946, 1, 5, 'Hoodie sans manche capuche tête camo rose', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo rose"}', 0), + (7947, 2, 5, 'Hoodie sans manche capuche tête pixel bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel bleu"}', 0), + (7948, 2, 5, 'Hoodie sans manche capuche tête pixel sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel sable"}', 0), + (7949, 2, 5, 'Hoodie sans manche capuche tête pixel vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel vert"}', 0), + (7950, 2, 5, 'Hoodie sans manche capuche tête pixel beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel beige"}', 0), + (7951, 2, 5, 'Hoodie sans manche capuche tête pixel crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel crème"}', 0), + (7952, 2, 5, 'Hoodie sans manche capuche tête camo beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo beige"}', 0), + (7953, 2, 5, 'Hoodie sans manche capuche tête camo brun-vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo brun-vert"}', 0), + (7954, 2, 5, 'Hoodie sans manche capuche tête carreaux fin vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"carreaux fin vert"}', 0), + (7955, 2, 5, 'Hoodie sans manche capuche tête pixel forêt', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"pixel forêt"}', 0), + (7956, 2, 5, 'Hoodie sans manche capuche tête camo sable', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo sable"}', 0), + (7957, 2, 5, 'Hoodie sans manche capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo bleu"}', 0), + (7958, 2, 5, 'Hoodie sans manche capuche tête géométrique vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"géométrique vert"}', 0), + (7959, 2, 5, 'Hoodie sans manche capuche tête camo olive', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo olive"}', 0), + (7960, 2, 5, 'Hoodie sans manche capuche tête motifs kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs kaki"}', 0), + (7961, 2, 5, 'Hoodie sans manche capuche tête camo crème', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo crème"}', 0), + (7962, 2, 5, 'Hoodie sans manche capuche tête motifs vert-beige', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"motifs vert-beige"}', 0), + (7963, 2, 5, 'Hoodie sans manche capuche tête tâches kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"tâches kaki"}', 0), + (7964, 2, 5, 'Hoodie sans manche capuche tête camo kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo kaki"}', 0), + (7965, 2, 5, 'Hoodie sans manche capuche tête uni kaki', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"uni kaki"}', 0), + (7966, 2, 5, 'Hoodie sans manche capuche tête uni jaune', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"uni jaune"}', 0), + (7967, 2, 5, 'Hoodie sans manche capuche tête camo vert', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo vert"}', 0), + (7968, 2, 5, 'Hoodie sans manche capuche tête camo orange', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo orange"}', 0), + (7969, 2, 5, 'Hoodie sans manche capuche tête camo violet', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo violet"}', 0), + (7970, 2, 5, 'Hoodie sans manche capuche tête camo rose', 50, '{"components":{"11":{"Drawable":211,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie sans manche capuche tête","colorLabel":"camo rose"}', 0), + (7971, 1, 2, 'T-shirt sorti pixel bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel bleu"}', 0), + (7972, 1, 2, 'T-shirt sorti pixel sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel sable"}', 0), + (7973, 1, 2, 'T-shirt sorti pixel vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel vert"}', 0), + (7974, 1, 2, 'T-shirt sorti pixel beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel beige"}', 0), + (7975, 1, 2, 'T-shirt sorti pixel crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel crème"}', 0), + (7976, 1, 2, 'T-shirt sorti camo beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo beige"}', 0), + (7977, 1, 2, 'T-shirt sorti camo brun-vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo brun-vert"}', 0), + (7978, 1, 2, 'T-shirt sorti carreaux fin vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"carreaux fin vert"}', 0), + (7979, 1, 2, 'T-shirt sorti pixel forêt', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel forêt"}', 0), + (7980, 1, 2, 'T-shirt sorti camo sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo sable"}', 0), + (7981, 1, 2, 'T-shirt sorti camo bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo bleu"}', 0), + (7982, 1, 2, 'T-shirt sorti géométrique vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"géométrique vert"}', 0), + (7983, 1, 2, 'T-shirt sorti camo olive', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo olive"}', 0), + (7984, 1, 2, 'T-shirt sorti motifs kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"motifs kaki"}', 0), + (7985, 1, 2, 'T-shirt sorti camo crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo crème"}', 0), + (7986, 1, 2, 'T-shirt sorti motifs vert-beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"motifs vert-beige"}', 0), + (7987, 1, 2, 'T-shirt sorti tâches kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"tâches kaki"}', 0), + (7988, 1, 2, 'T-shirt sorti camo kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo kaki"}', 0), + (7989, 1, 2, 'T-shirt sorti uni kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni kaki"}', 0), + (7990, 1, 2, 'T-shirt sorti uni jaune', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni jaune"}', 0), + (7991, 1, 2, 'T-shirt sorti camo vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo vert"}', 0), + (7992, 1, 2, 'T-shirt sorti camo orange', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo orange"}', 0), + (7993, 1, 2, 'T-shirt sorti camo violet', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo violet"}', 0), + (7994, 1, 2, 'T-shirt sorti camo rose', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo rose"}', 0), + (7995, 2, 2, 'T-shirt sorti pixel bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel bleu"}', 0), + (7996, 2, 2, 'T-shirt sorti pixel sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel sable"}', 0), + (7997, 2, 2, 'T-shirt sorti pixel vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel vert"}', 0), + (7998, 2, 2, 'T-shirt sorti pixel beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel beige"}', 0), + (7999, 2, 2, 'T-shirt sorti pixel crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel crème"}', 0), + (8000, 2, 2, 'T-shirt sorti camo beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo beige"}', 0), + (8001, 2, 2, 'T-shirt sorti camo brun-vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo brun-vert"}', 0), + (8002, 2, 2, 'T-shirt sorti carreaux fin vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"carreaux fin vert"}', 0), + (8003, 2, 2, 'T-shirt sorti pixel forêt', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pixel forêt"}', 0), + (8004, 2, 2, 'T-shirt sorti camo sable', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo sable"}', 0), + (8005, 2, 2, 'T-shirt sorti camo bleu', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo bleu"}', 0), + (8006, 2, 2, 'T-shirt sorti géométrique vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"géométrique vert"}', 0), + (8007, 2, 2, 'T-shirt sorti camo olive', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo olive"}', 0), + (8008, 2, 2, 'T-shirt sorti motifs kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"motifs kaki"}', 0), + (8009, 2, 2, 'T-shirt sorti camo crème', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo crème"}', 0), + (8010, 2, 2, 'T-shirt sorti motifs vert-beige', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"motifs vert-beige"}', 0), + (8011, 2, 2, 'T-shirt sorti tâches kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"tâches kaki"}', 0), + (8012, 2, 2, 'T-shirt sorti camo kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo kaki"}', 0), + (8013, 2, 2, 'T-shirt sorti uni kaki', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni kaki"}', 0), + (8014, 2, 2, 'T-shirt sorti uni jaune', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni jaune"}', 0), + (8015, 2, 2, 'T-shirt sorti camo vert', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo vert"}', 0), + (8016, 2, 2, 'T-shirt sorti camo orange', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo orange"}', 0), + (8017, 2, 2, 'T-shirt sorti camo violet', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo violet"}', 0), + (8018, 2, 2, 'T-shirt sorti camo rose', 50, '{"components":{"11":{"Drawable":212,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"camo rose"}', 0), + (8019, 1, 4, 'Anorak sans capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel bleu"}', 0), + (8020, 1, 4, 'Anorak sans capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel sable"}', 0), + (8021, 1, 4, 'Anorak sans capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel vert"}', 0), + (8022, 1, 4, 'Anorak sans capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel beige"}', 0), + (8023, 1, 4, 'Anorak sans capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel crème"}', 0), + (8024, 1, 4, 'Anorak sans capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige"}', 0), + (8025, 1, 4, 'Anorak sans capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (8026, 1, 4, 'Anorak sans capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (8027, 1, 4, 'Anorak sans capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel forêt"}', 0), + (8028, 1, 4, 'Anorak sans capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo sable"}', 0), + (8029, 1, 4, 'Anorak sans capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu"}', 0), + (8030, 1, 4, 'Anorak sans capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"géométrique vert"}', 0), + (8031, 1, 4, 'Anorak sans capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo olive"}', 0), + (8032, 1, 4, 'Anorak sans capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs kaki"}', 0), + (8033, 1, 4, 'Anorak sans capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo crème"}', 0), + (8034, 1, 4, 'Anorak sans capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs rose"}', 0), + (8035, 1, 4, 'Anorak sans capuche fermé tâches kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"tâches kaki"}', 0), + (8036, 1, 4, 'Anorak sans capuche fermé camo kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo kaki"}', 0), + (8037, 1, 4, 'Anorak sans capuche fermé uni kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"uni kaki"}', 0), + (8038, 1, 4, 'Anorak sans capuche fermé uni jaune', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"uni jaune"}', 0), + (8039, 1, 4, 'Anorak sans capuche fermé camo vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo vert"}', 0), + (8040, 1, 4, 'Anorak sans capuche fermé camo orange', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo orange"}', 0), + (8041, 1, 4, 'Anorak sans capuche fermé camo violet', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo violet"}', 0), + (8042, 1, 4, 'Anorak sans capuche fermé camo rose', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo rose"}', 0), + (8043, 2, 4, 'Anorak sans capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel bleu"}', 0), + (8044, 2, 4, 'Anorak sans capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel sable"}', 0), + (8045, 2, 4, 'Anorak sans capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel vert"}', 0), + (8046, 2, 4, 'Anorak sans capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel beige"}', 0), + (8047, 2, 4, 'Anorak sans capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel crème"}', 0), + (8048, 2, 4, 'Anorak sans capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige"}', 0), + (8049, 2, 4, 'Anorak sans capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (8050, 2, 4, 'Anorak sans capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (8051, 2, 4, 'Anorak sans capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"pixel forêt"}', 0), + (8052, 2, 4, 'Anorak sans capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo sable"}', 0), + (8053, 2, 4, 'Anorak sans capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu"}', 0), + (8054, 2, 4, 'Anorak sans capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"géométrique vert"}', 0), + (8055, 2, 4, 'Anorak sans capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo olive"}', 0), + (8056, 2, 4, 'Anorak sans capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs kaki"}', 0), + (8057, 2, 4, 'Anorak sans capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo crème"}', 0), + (8058, 2, 4, 'Anorak sans capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs rose"}', 0), + (8059, 2, 4, 'Anorak sans capuche fermé tâches kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"tâches kaki"}', 0), + (8060, 2, 4, 'Anorak sans capuche fermé camo kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo kaki"}', 0), + (8061, 2, 4, 'Anorak sans capuche fermé uni kaki', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"uni kaki"}', 0), + (8062, 2, 4, 'Anorak sans capuche fermé uni jaune', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"uni jaune"}', 0), + (8063, 2, 4, 'Anorak sans capuche fermé camo vert', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo vert"}', 0), + (8064, 2, 4, 'Anorak sans capuche fermé camo orange', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo orange"}', 0), + (8065, 2, 4, 'Anorak sans capuche fermé camo violet', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo violet"}', 0), + (8066, 2, 4, 'Anorak sans capuche fermé camo rose', 50, '{"components":{"11":{"Drawable":213,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo rose"}', 0), + (8067, 1, 4, 'Anorak à capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel bleu"}', 0), + (8068, 1, 4, 'Anorak à capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel sable"}', 0), + (8069, 1, 4, 'Anorak à capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel vert"}', 0), + (8070, 1, 4, 'Anorak à capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel beige"}', 0), + (8071, 1, 4, 'Anorak à capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel crème"}', 0), + (8072, 1, 4, 'Anorak à capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige"}', 0), + (8073, 1, 4, 'Anorak à capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (8074, 1, 4, 'Anorak à capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (8075, 1, 4, 'Anorak à capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel forêt"}', 0), + (8076, 1, 4, 'Anorak à capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo sable"}', 0), + (8077, 1, 4, 'Anorak à capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu"}', 0), + (8078, 1, 4, 'Anorak à capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"géométrique vert"}', 0), + (8079, 1, 4, 'Anorak à capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo olive"}', 0), + (8080, 1, 4, 'Anorak à capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs kaki"}', 0), + (8081, 1, 4, 'Anorak à capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo crème"}', 0), + (8082, 1, 4, 'Anorak à capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs rose"}', 0), + (8083, 1, 4, 'Anorak à capuche fermé tâches kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"tâches kaki"}', 0), + (8084, 1, 4, 'Anorak à capuche fermé camo kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo kaki"}', 0), + (8085, 1, 4, 'Anorak à capuche fermé uni kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"uni kaki"}', 0), + (8086, 1, 4, 'Anorak à capuche fermé uni jaune', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"uni jaune"}', 0), + (8087, 1, 4, 'Anorak à capuche fermé camo vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert"}', 0), + (8088, 1, 4, 'Anorak à capuche fermé camo orange', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo orange"}', 0), + (8089, 1, 4, 'Anorak à capuche fermé camo violet', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo violet"}', 0), + (8090, 1, 4, 'Anorak à capuche fermé camo rose', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo rose"}', 0), + (8091, 2, 4, 'Anorak à capuche fermé pixel bleu', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel bleu"}', 0), + (8092, 2, 4, 'Anorak à capuche fermé pixel sable', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel sable"}', 0), + (8093, 2, 4, 'Anorak à capuche fermé pixel vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel vert"}', 0), + (8094, 2, 4, 'Anorak à capuche fermé pixel beige', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel beige"}', 0), + (8095, 2, 4, 'Anorak à capuche fermé pixel crème', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel crème"}', 0), + (8096, 2, 4, 'Anorak à capuche fermé camo beige', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige"}', 0), + (8097, 2, 4, 'Anorak à capuche fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu-vert"}', 0), + (8098, 2, 4, 'Anorak à capuche fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"carreaux fin vert"}', 0), + (8099, 2, 4, 'Anorak à capuche fermé pixel forêt', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"pixel forêt"}', 0), + (8100, 2, 4, 'Anorak à capuche fermé camo sable', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo sable"}', 0), + (8101, 2, 4, 'Anorak à capuche fermé camo bleu', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo bleu"}', 0), + (8102, 2, 4, 'Anorak à capuche fermé géométrique vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"géométrique vert"}', 0), + (8103, 2, 4, 'Anorak à capuche fermé camo olive', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo olive"}', 0), + (8104, 2, 4, 'Anorak à capuche fermé motifs kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs kaki"}', 0), + (8105, 2, 4, 'Anorak à capuche fermé camo crème', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo crème"}', 0), + (8106, 2, 4, 'Anorak à capuche fermé motifs rose', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"motifs rose"}', 0), + (8107, 2, 4, 'Anorak à capuche fermé tâches kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"tâches kaki"}', 0), + (8108, 2, 4, 'Anorak à capuche fermé camo kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo kaki"}', 0), + (8109, 2, 4, 'Anorak à capuche fermé uni kaki', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"uni kaki"}', 0), + (8110, 2, 4, 'Anorak à capuche fermé uni jaune', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"uni jaune"}', 0), + (8111, 2, 4, 'Anorak à capuche fermé camo vert', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert"}', 0), + (8112, 2, 4, 'Anorak à capuche fermé camo orange', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo orange"}', 0), + (8113, 2, 4, 'Anorak à capuche fermé camo violet', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo violet"}', 0), + (8114, 2, 4, 'Anorak à capuche fermé camo rose', 50, '{"components":{"11":{"Drawable":214,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo rose"}', 0), + (8115, 1, 4, 'Anorak à capuche tête fermé pixel bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel bleu"}', 0), + (8116, 1, 4, 'Anorak à capuche tête fermé pixel sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel sable"}', 0), + (8117, 1, 4, 'Anorak à capuche tête fermé pixel vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel vert"}', 0), + (8118, 1, 4, 'Anorak à capuche tête fermé pixel beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel beige"}', 0), + (8119, 1, 4, 'Anorak à capuche tête fermé pixel crème', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel crème"}', 0), + (8120, 1, 4, 'Anorak à capuche tête fermé camo beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige"}', 0), + (8121, 1, 4, 'Anorak à capuche tête fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu-vert"}', 0), + (8122, 1, 4, 'Anorak à capuche tête fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux fin vert"}', 0), + (8123, 1, 4, 'Anorak à capuche tête fermé pixel forêt', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel forêt"}', 0), + (8124, 1, 4, 'Anorak à capuche tête fermé camo sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo sable"}', 0), + (8125, 1, 4, 'Anorak à capuche tête fermé camo bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu"}', 0), + (8126, 1, 4, 'Anorak à capuche tête fermé géométrique vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"géométrique vert"}', 0), + (8127, 1, 4, 'Anorak à capuche tête fermé camo olive', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo olive"}', 0), + (8128, 1, 4, 'Anorak à capuche tête fermé motifs kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs kaki"}', 0), + (8129, 1, 4, 'Anorak à capuche tête fermé camo crème', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo crème"}', 0), + (8130, 1, 4, 'Anorak à capuche tête fermé motifs rose', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs rose"}', 0), + (8131, 1, 4, 'Anorak à capuche tête fermé tâches kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"tâches kaki"}', 0), + (8132, 1, 4, 'Anorak à capuche tête fermé camo kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo kaki"}', 0), + (8133, 1, 4, 'Anorak à capuche tête fermé uni kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"uni kaki"}', 0), + (8134, 1, 4, 'Anorak à capuche tête fermé uni jaune', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"uni jaune"}', 0), + (8135, 1, 4, 'Anorak à capuche tête fermé camo vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo vert"}', 0), + (8136, 1, 4, 'Anorak à capuche tête fermé camo orange', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo orange"}', 0), + (8137, 1, 4, 'Anorak à capuche tête fermé camo violet', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo violet"}', 0), + (8138, 1, 4, 'Anorak à capuche tête fermé camo rose', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo rose"}', 0), + (8139, 2, 4, 'Anorak à capuche tête fermé pixel bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel bleu"}', 0), + (8140, 2, 4, 'Anorak à capuche tête fermé pixel sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel sable"}', 0), + (8141, 2, 4, 'Anorak à capuche tête fermé pixel vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel vert"}', 0), + (8142, 2, 4, 'Anorak à capuche tête fermé pixel beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel beige"}', 10); +INSERT INTO `shop_content` (`id`, `shop_id`, `category_id`, `label`, `price`, `data`, `stock`) VALUES + (8143, 2, 4, 'Anorak à capuche tête fermé pixel crème', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel crème"}', 0), + (8144, 2, 4, 'Anorak à capuche tête fermé camo beige', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige"}', 0), + (8145, 2, 4, 'Anorak à capuche tête fermé camo bleu-vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu-vert"}', 0), + (8146, 2, 4, 'Anorak à capuche tête fermé carreaux fin vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux fin vert"}', 0), + (8147, 2, 4, 'Anorak à capuche tête fermé pixel forêt', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"pixel forêt"}', 0), + (8148, 2, 4, 'Anorak à capuche tête fermé camo sable', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo sable"}', 0), + (8149, 2, 4, 'Anorak à capuche tête fermé camo bleu', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu"}', 0), + (8150, 2, 4, 'Anorak à capuche tête fermé géométrique vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"géométrique vert"}', 0), + (8151, 2, 4, 'Anorak à capuche tête fermé camo olive', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo olive"}', 0), + (8152, 2, 4, 'Anorak à capuche tête fermé motifs kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs kaki"}', 0), + (8153, 2, 4, 'Anorak à capuche tête fermé camo crème', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo crème"}', 0), + (8154, 2, 4, 'Anorak à capuche tête fermé motifs rose', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs rose"}', 0), + (8155, 2, 4, 'Anorak à capuche tête fermé tâches kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"tâches kaki"}', 0), + (8156, 2, 4, 'Anorak à capuche tête fermé camo kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo kaki"}', 0), + (8157, 2, 4, 'Anorak à capuche tête fermé uni kaki', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"uni kaki"}', 0), + (8158, 2, 4, 'Anorak à capuche tête fermé uni jaune', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"uni jaune"}', 0), + (8159, 2, 4, 'Anorak à capuche tête fermé camo vert', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo vert"}', 0), + (8160, 2, 4, 'Anorak à capuche tête fermé camo orange', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo orange"}', 0), + (8161, 2, 4, 'Anorak à capuche tête fermé camo violet', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo violet"}', 0), + (8162, 2, 4, 'Anorak à capuche tête fermé camo rose', 50, '{"components":{"11":{"Drawable":215,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo rose"}', 0), + (8163, 1, 4, 'Anorak à capuche ouvert pixel bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel bleu"}', 0), + (8164, 1, 4, 'Anorak à capuche ouvert pixel sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel sable"}', 0), + (8165, 1, 4, 'Anorak à capuche ouvert pixel vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel vert"}', 0), + (8166, 1, 4, 'Anorak à capuche ouvert pixel beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel beige"}', 0), + (8167, 1, 4, 'Anorak à capuche ouvert pixel crème', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel crème"}', 0), + (8168, 1, 4, 'Anorak à capuche ouvert camo beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige"}', 0), + (8169, 1, 4, 'Anorak à capuche ouvert camo bleu-vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu-vert"}', 0), + (8170, 1, 4, 'Anorak à capuche ouvert carreaux fin vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"carreaux fin vert"}', 0), + (8171, 1, 4, 'Anorak à capuche ouvert pixel forêt', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel forêt"}', 0), + (8172, 1, 4, 'Anorak à capuche ouvert camo sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo sable"}', 0), + (8173, 1, 4, 'Anorak à capuche ouvert camo bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu"}', 0), + (8174, 1, 4, 'Anorak à capuche ouvert géométrique vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"géométrique vert"}', 0), + (8175, 1, 4, 'Anorak à capuche ouvert camo olive', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo olive"}', 0), + (8176, 1, 4, 'Anorak à capuche ouvert motifs kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs kaki"}', 0), + (8177, 1, 4, 'Anorak à capuche ouvert camo crème', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo crème"}', 0), + (8178, 1, 4, 'Anorak à capuche ouvert motifs rose', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs rose"}', 0), + (8179, 1, 4, 'Anorak à capuche ouvert tâches kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"tâches kaki"}', 0), + (8180, 1, 4, 'Anorak à capuche ouvert camo kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo kaki"}', 0), + (8181, 1, 4, 'Anorak à capuche ouvert uni kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"uni kaki"}', 0), + (8182, 1, 4, 'Anorak à capuche ouvert uni jaune', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"uni jaune"}', 0), + (8183, 1, 4, 'Anorak à capuche ouvert camo vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert"}', 0), + (8184, 1, 4, 'Anorak à capuche ouvert camo orange', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo orange"}', 0), + (8185, 1, 4, 'Anorak à capuche ouvert camo violet', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo violet"}', 0), + (8186, 1, 4, 'Anorak à capuche ouvert camo rose', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo rose"}', 0), + (8187, 2, 4, 'Anorak à capuche ouvert pixel bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel bleu"}', 0), + (8188, 2, 4, 'Anorak à capuche ouvert pixel sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel sable"}', 0), + (8189, 2, 4, 'Anorak à capuche ouvert pixel vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel vert"}', 0), + (8190, 2, 4, 'Anorak à capuche ouvert pixel beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel beige"}', 0), + (8191, 2, 4, 'Anorak à capuche ouvert pixel crème', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel crème"}', 0), + (8192, 2, 4, 'Anorak à capuche ouvert camo beige', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige"}', 0), + (8193, 2, 4, 'Anorak à capuche ouvert camo bleu-vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu-vert"}', 0), + (8194, 2, 4, 'Anorak à capuche ouvert carreaux fin vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"carreaux fin vert"}', 0), + (8195, 2, 4, 'Anorak à capuche ouvert pixel forêt', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"pixel forêt"}', 0), + (8196, 2, 4, 'Anorak à capuche ouvert camo sable', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo sable"}', 0), + (8197, 2, 4, 'Anorak à capuche ouvert camo bleu', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo bleu"}', 0), + (8198, 2, 4, 'Anorak à capuche ouvert géométrique vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"géométrique vert"}', 0), + (8199, 2, 4, 'Anorak à capuche ouvert camo olive', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo olive"}', 0), + (8200, 2, 4, 'Anorak à capuche ouvert motifs kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs kaki"}', 0), + (8201, 2, 4, 'Anorak à capuche ouvert camo crème', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo crème"}', 0), + (8202, 2, 4, 'Anorak à capuche ouvert motifs rose', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"motifs rose"}', 0), + (8203, 2, 4, 'Anorak à capuche ouvert tâches kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"tâches kaki"}', 0), + (8204, 2, 4, 'Anorak à capuche ouvert camo kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo kaki"}', 0), + (8205, 2, 4, 'Anorak à capuche ouvert uni kaki', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"uni kaki"}', 0), + (8206, 2, 4, 'Anorak à capuche ouvert uni jaune', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"uni jaune"}', 0), + (8207, 2, 4, 'Anorak à capuche ouvert camo vert', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert"}', 0), + (8208, 2, 4, 'Anorak à capuche ouvert camo orange', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo orange"}', 0), + (8209, 2, 4, 'Anorak à capuche ouvert camo violet', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo violet"}', 0), + (8210, 2, 4, 'Anorak à capuche ouvert camo rose', 50, '{"components":{"11":{"Drawable":216,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo rose"}', 0), + (8211, 1, 11, 'Veste en jean ouverte sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel bleu"}', 0), + (8212, 1, 11, 'Veste en jean ouverte sans manche pixel sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel sable"}', 0), + (8213, 1, 11, 'Veste en jean ouverte sans manche pixel vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel vert"}', 0), + (8214, 1, 11, 'Veste en jean ouverte sans manche pixel beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel beige"}', 0), + (8215, 1, 11, 'Veste en jean ouverte sans manche pixel crème', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel crème"}', 0), + (8216, 1, 11, 'Veste en jean ouverte sans manche camo beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo beige"}', 0), + (8217, 1, 11, 'Veste en jean ouverte sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo brun-vert"}', 0), + (8218, 1, 11, 'Veste en jean ouverte sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"carreaux fin vert"}', 0), + (8219, 1, 11, 'Veste en jean ouverte sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel forêt"}', 0), + (8220, 1, 11, 'Veste en jean ouverte sans manche camo sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo sable"}', 0), + (8221, 1, 11, 'Veste en jean ouverte sans manche camo bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo bleu"}', 0), + (8222, 1, 11, 'Veste en jean ouverte sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"géométrique vert"}', 0), + (8223, 1, 11, 'Veste en jean ouverte sans manche camo olive', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo olive"}', 0), + (8224, 1, 11, 'Veste en jean ouverte sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"motifs kaki"}', 0), + (8225, 1, 11, 'Veste en jean ouverte sans manche camo corail', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo corail"}', 0), + (8226, 1, 11, 'Veste en jean ouverte sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"motifs vert-beige"}', 0), + (8227, 1, 11, 'Veste en jean ouverte sans manche tâches kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"tâches kaki"}', 0), + (8228, 1, 11, 'Veste en jean ouverte sans manche camo kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo kaki"}', 0), + (8229, 1, 11, 'Veste en jean ouverte sans manche uni kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"uni kaki"}', 0), + (8230, 1, 11, 'Veste en jean ouverte sans manche uni jaune', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"uni jaune"}', 0), + (8231, 1, 11, 'Veste en jean ouverte sans manche camo vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo vert"}', 0), + (8232, 1, 11, 'Veste en jean ouverte sans manche camo orange', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo orange"}', 0), + (8233, 1, 11, 'Veste en jean ouverte sans manche camo violet', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo violet"}', 0), + (8234, 1, 11, 'Veste en jean ouverte sans manche camo rose', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo rose"}', 0), + (8235, 2, 11, 'Veste en jean ouverte sans manche pixel bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel bleu"}', 0), + (8236, 2, 11, 'Veste en jean ouverte sans manche pixel sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel sable"}', 0), + (8237, 2, 11, 'Veste en jean ouverte sans manche pixel vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel vert"}', 0), + (8238, 2, 11, 'Veste en jean ouverte sans manche pixel beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel beige"}', 0), + (8239, 2, 11, 'Veste en jean ouverte sans manche pixel crème', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel crème"}', 0), + (8240, 2, 11, 'Veste en jean ouverte sans manche camo beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo beige"}', 0), + (8241, 2, 11, 'Veste en jean ouverte sans manche camo brun-vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo brun-vert"}', 0), + (8242, 2, 11, 'Veste en jean ouverte sans manche carreaux fin vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"carreaux fin vert"}', 0), + (8243, 2, 11, 'Veste en jean ouverte sans manche pixel forêt', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"pixel forêt"}', 0), + (8244, 2, 11, 'Veste en jean ouverte sans manche camo sable', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo sable"}', 0), + (8245, 2, 11, 'Veste en jean ouverte sans manche camo bleu', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo bleu"}', 0), + (8246, 2, 11, 'Veste en jean ouverte sans manche géométrique vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"géométrique vert"}', 0), + (8247, 2, 11, 'Veste en jean ouverte sans manche camo olive', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo olive"}', 0), + (8248, 2, 11, 'Veste en jean ouverte sans manche motifs kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"motifs kaki"}', 0), + (8249, 2, 11, 'Veste en jean ouverte sans manche camo corail', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo corail"}', 0), + (8250, 2, 11, 'Veste en jean ouverte sans manche motifs vert-beige', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"motifs vert-beige"}', 0), + (8251, 2, 11, 'Veste en jean ouverte sans manche tâches kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"tâches kaki"}', 0), + (8252, 2, 11, 'Veste en jean ouverte sans manche camo kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo kaki"}', 0), + (8253, 2, 11, 'Veste en jean ouverte sans manche uni kaki', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"uni kaki"}', 0), + (8254, 2, 11, 'Veste en jean ouverte sans manche uni jaune', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"uni jaune"}', 0), + (8255, 2, 11, 'Veste en jean ouverte sans manche camo vert', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo vert"}', 0), + (8256, 2, 11, 'Veste en jean ouverte sans manche camo orange', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo orange"}', 0), + (8257, 2, 11, 'Veste en jean ouverte sans manche camo violet', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo violet"}', 0), + (8258, 2, 11, 'Veste en jean ouverte sans manche camo rose', 50, '{"components":{"11":{"Drawable":220,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en jean ouverte sans manche","colorLabel":"camo rose"}', 0), + (8259, 1, 13, 'Urban crop-top débardeur pixel bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel bleu"}', 0), + (8260, 1, 13, 'Urban crop-top débardeur pixel sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel sable"}', 0), + (8261, 1, 13, 'Urban crop-top débardeur pixel vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel vert"}', 0), + (8262, 1, 13, 'Urban crop-top débardeur pixel beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel beige"}', 0), + (8263, 1, 13, 'Urban crop-top débardeur pixel crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel crème"}', 0), + (8264, 1, 13, 'Urban crop-top débardeur camo beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo beige"}', 0), + (8265, 1, 13, 'Urban crop-top débardeur camo brun-vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo brun-vert"}', 0), + (8266, 1, 13, 'Urban crop-top débardeur carreaux fin vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"carreaux fin vert"}', 0), + (8267, 1, 13, 'Urban crop-top débardeur pixel forêt', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel forêt"}', 0), + (8268, 1, 13, 'Urban crop-top débardeur camo sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo sable"}', 0), + (8269, 1, 13, 'Urban crop-top débardeur camo bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo bleu"}', 0), + (8270, 1, 13, 'Urban crop-top débardeur géométrique vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"géométrique vert"}', 0), + (8271, 1, 13, 'Urban crop-top débardeur camo olive', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo olive"}', 0), + (8272, 1, 13, 'Urban crop-top débardeur motifs kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"motifs kaki"}', 0), + (8273, 1, 13, 'Urban crop-top débardeur camo crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo crème"}', 0), + (8274, 1, 13, 'Urban crop-top débardeur motifs vert-beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"motifs vert-beige"}', 0), + (8275, 1, 13, 'Urban crop-top débardeur tâches kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"tâches kaki"}', 0), + (8276, 1, 13, 'Urban crop-top débardeur camo kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo kaki"}', 0), + (8277, 1, 13, 'Urban crop-top débardeur uni kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"uni kaki"}', 0), + (8278, 1, 13, 'Urban crop-top débardeur uni jaune', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"uni jaune"}', 0), + (8279, 1, 13, 'Urban crop-top débardeur camo vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo vert"}', 0), + (8280, 1, 13, 'Urban crop-top débardeur camo orange', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo orange"}', 0), + (8281, 1, 13, 'Urban crop-top débardeur camo violet', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo violet"}', 0), + (8282, 1, 13, 'Urban crop-top débardeur camo rose', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo rose"}', 0), + (8283, 2, 13, 'Urban crop-top débardeur pixel bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel bleu"}', 0), + (8284, 2, 13, 'Urban crop-top débardeur pixel sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel sable"}', 0), + (8285, 2, 13, 'Urban crop-top débardeur pixel vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel vert"}', 0), + (8286, 2, 13, 'Urban crop-top débardeur pixel beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel beige"}', 0), + (8287, 2, 13, 'Urban crop-top débardeur pixel crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel crème"}', 0), + (8288, 2, 13, 'Urban crop-top débardeur camo beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo beige"}', 0), + (8289, 2, 13, 'Urban crop-top débardeur camo brun-vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo brun-vert"}', 0), + (8290, 2, 13, 'Urban crop-top débardeur carreaux fin vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"carreaux fin vert"}', 0), + (8291, 2, 13, 'Urban crop-top débardeur pixel forêt', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"pixel forêt"}', 0), + (8292, 2, 13, 'Urban crop-top débardeur camo sable', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo sable"}', 0), + (8293, 2, 13, 'Urban crop-top débardeur camo bleu', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo bleu"}', 0), + (8294, 2, 13, 'Urban crop-top débardeur géométrique vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"géométrique vert"}', 0), + (8295, 2, 13, 'Urban crop-top débardeur camo olive', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo olive"}', 0), + (8296, 2, 13, 'Urban crop-top débardeur motifs kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"motifs kaki"}', 0), + (8297, 2, 13, 'Urban crop-top débardeur camo crème', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo crème"}', 0), + (8298, 2, 13, 'Urban crop-top débardeur motifs vert-beige', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"motifs vert-beige"}', 0), + (8299, 2, 13, 'Urban crop-top débardeur tâches kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"tâches kaki"}', 0), + (8300, 2, 13, 'Urban crop-top débardeur camo kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo kaki"}', 0), + (8301, 2, 13, 'Urban crop-top débardeur uni kaki', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"uni kaki"}', 0), + (8302, 2, 13, 'Urban crop-top débardeur uni jaune', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"uni jaune"}', 0), + (8303, 2, 13, 'Urban crop-top débardeur camo vert', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo vert"}', 0), + (8304, 2, 13, 'Urban crop-top débardeur camo orange', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo orange"}', 0), + (8305, 2, 13, 'Urban crop-top débardeur camo violet', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo violet"}', 0), + (8306, 2, 13, 'Urban crop-top débardeur camo rose', 50, '{"components":{"11":{"Drawable":221,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top débardeur","colorLabel":"camo rose"}', 0), + (8307, 1, 13, 'Urban crop-top t-shirt pixel bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel bleu"}', 0), + (8308, 1, 13, 'Urban crop-top t-shirt pixel sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel sable"}', 0), + (8309, 1, 13, 'Urban crop-top t-shirt pixel vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel vert"}', 0), + (8310, 1, 13, 'Urban crop-top t-shirt pixel beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel beige"}', 0), + (8311, 1, 13, 'Urban crop-top t-shirt pixel crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel crème"}', 0), + (8312, 1, 13, 'Urban crop-top t-shirt camo beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo beige"}', 0), + (8313, 1, 13, 'Urban crop-top t-shirt camo brun-vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo brun-vert"}', 0), + (8314, 1, 13, 'Urban crop-top t-shirt carreaux fin vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"carreaux fin vert"}', 0), + (8315, 1, 13, 'Urban crop-top t-shirt pixel forêt', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel forêt"}', 0), + (8316, 1, 13, 'Urban crop-top t-shirt camo sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo sable"}', 0), + (8317, 1, 13, 'Urban crop-top t-shirt camo bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo bleu"}', 0), + (8318, 1, 13, 'Urban crop-top t-shirt géométrique vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"géométrique vert"}', 0), + (8319, 1, 13, 'Urban crop-top t-shirt camo olive', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo olive"}', 0), + (8320, 1, 13, 'Urban crop-top t-shirt motifs kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"motifs kaki"}', 0), + (8321, 1, 13, 'Urban crop-top t-shirt camo crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo crème"}', 0), + (8322, 1, 13, 'Urban crop-top t-shirt motifs vert-beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"motifs vert-beige"}', 0), + (8323, 1, 13, 'Urban crop-top t-shirt tâches kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"tâches kaki"}', 0), + (8324, 1, 13, 'Urban crop-top t-shirt camo kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo kaki"}', 0), + (8325, 1, 13, 'Urban crop-top t-shirt uni kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"uni kaki"}', 0), + (8326, 1, 13, 'Urban crop-top t-shirt uni jaune', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"uni jaune"}', 0), + (8327, 1, 13, 'Urban crop-top t-shirt camo vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo vert"}', 0), + (8328, 1, 13, 'Urban crop-top t-shirt camo orange', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo orange"}', 0), + (8329, 1, 13, 'Urban crop-top t-shirt camo violet', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo violet"}', 0), + (8330, 1, 13, 'Urban crop-top t-shirt camo rose', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo rose"}', 0), + (8331, 2, 13, 'Urban crop-top t-shirt pixel bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel bleu"}', 0), + (8332, 2, 13, 'Urban crop-top t-shirt pixel sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel sable"}', 0), + (8333, 2, 13, 'Urban crop-top t-shirt pixel vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel vert"}', 0), + (8334, 2, 13, 'Urban crop-top t-shirt pixel beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel beige"}', 0), + (8335, 2, 13, 'Urban crop-top t-shirt pixel crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel crème"}', 0), + (8336, 2, 13, 'Urban crop-top t-shirt camo beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo beige"}', 0), + (8337, 2, 13, 'Urban crop-top t-shirt camo brun-vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo brun-vert"}', 0), + (8338, 2, 13, 'Urban crop-top t-shirt carreaux fin vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"carreaux fin vert"}', 0), + (8339, 2, 13, 'Urban crop-top t-shirt pixel forêt', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"pixel forêt"}', 0), + (8340, 2, 13, 'Urban crop-top t-shirt camo sable', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo sable"}', 0), + (8341, 2, 13, 'Urban crop-top t-shirt camo bleu', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo bleu"}', 0), + (8342, 2, 13, 'Urban crop-top t-shirt géométrique vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"géométrique vert"}', 0), + (8343, 2, 13, 'Urban crop-top t-shirt camo olive', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo olive"}', 0), + (8344, 2, 13, 'Urban crop-top t-shirt motifs kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"motifs kaki"}', 0), + (8345, 2, 13, 'Urban crop-top t-shirt camo crème', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo crème"}', 0), + (8346, 2, 13, 'Urban crop-top t-shirt motifs vert-beige', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"motifs vert-beige"}', 0), + (8347, 2, 13, 'Urban crop-top t-shirt tâches kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"tâches kaki"}', 0), + (8348, 2, 13, 'Urban crop-top t-shirt camo kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo kaki"}', 0), + (8349, 2, 13, 'Urban crop-top t-shirt uni kaki', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"uni kaki"}', 0), + (8350, 2, 13, 'Urban crop-top t-shirt uni jaune', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"uni jaune"}', 0), + (8351, 2, 13, 'Urban crop-top t-shirt camo vert', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo vert"}', 0), + (8352, 2, 13, 'Urban crop-top t-shirt camo orange', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo orange"}', 0), + (8353, 2, 13, 'Urban crop-top t-shirt camo violet', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo violet"}', 0), + (8354, 2, 13, 'Urban crop-top t-shirt camo rose', 50, '{"components":{"11":{"Drawable":222,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top t-shirt","colorLabel":"camo rose"}', 0), + (8355, 1, 13, 'Urban crop-top dos nu pixel bleu', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel bleu"}', 0), + (8356, 1, 13, 'Urban crop-top dos nu pixel sable', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel sable"}', 0), + (8357, 1, 13, 'Urban crop-top dos nu pixel vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel vert"}', 0), + (8358, 1, 13, 'Urban crop-top dos nu pixel beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel beige"}', 0), + (8359, 1, 13, 'Urban crop-top dos nu pixel crème', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel crème"}', 0), + (8360, 1, 13, 'Urban crop-top dos nu camo beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo beige"}', 0), + (8361, 1, 13, 'Urban crop-top dos nu camo brun-vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo brun-vert"}', 0), + (8362, 1, 13, 'Urban crop-top dos nu carreaux fin vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"carreaux fin vert"}', 0), + (8363, 1, 13, 'Urban crop-top dos nu pixel forêt', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel forêt"}', 0), + (8364, 1, 13, 'Urban crop-top dos nu camo sable', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo sable"}', 0), + (8365, 1, 13, 'Urban crop-top dos nu camo bleu', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo bleu"}', 0), + (8366, 1, 13, 'Urban crop-top dos nu géométrique vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"géométrique vert"}', 0), + (8367, 1, 13, 'Urban crop-top dos nu camo olive', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo olive"}', 0), + (8368, 1, 13, 'Urban crop-top dos nu motifs kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"motifs kaki"}', 0), + (8369, 1, 13, 'Urban crop-top dos nu camo crème', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo crème"}', 0), + (8370, 1, 13, 'Urban crop-top dos nu motifs vert-beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"motifs vert-beige"}', 0), + (8371, 1, 13, 'Urban crop-top dos nu tâches kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"tâches kaki"}', 0), + (8372, 1, 13, 'Urban crop-top dos nu camo kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo kaki"}', 0), + (8373, 1, 13, 'Urban crop-top dos nu uni kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"uni kaki"}', 0), + (8374, 1, 13, 'Urban crop-top dos nu uni jaune', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"uni jaune"}', 0), + (8375, 1, 13, 'Urban crop-top dos nu camo vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo vert"}', 0), + (8376, 1, 13, 'Urban crop-top dos nu camo orange', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo orange"}', 0), + (8377, 1, 13, 'Urban crop-top dos nu camo violet', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo violet"}', 0), + (8378, 1, 13, 'Urban crop-top dos nu camo rose', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo rose"}', 0), + (8379, 2, 13, 'Urban crop-top dos nu pixel bleu', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel bleu"}', 0), + (8380, 2, 13, 'Urban crop-top dos nu pixel sable', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel sable"}', 0), + (8381, 2, 13, 'Urban crop-top dos nu pixel vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel vert"}', 0), + (8382, 2, 13, 'Urban crop-top dos nu pixel beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel beige"}', 0), + (8383, 2, 13, 'Urban crop-top dos nu pixel crème', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel crème"}', 0), + (8384, 2, 13, 'Urban crop-top dos nu camo beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo beige"}', 0), + (8385, 2, 13, 'Urban crop-top dos nu camo brun-vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo brun-vert"}', 0), + (8386, 2, 13, 'Urban crop-top dos nu carreaux fin vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"carreaux fin vert"}', 0), + (8387, 2, 13, 'Urban crop-top dos nu pixel forêt', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"pixel forêt"}', 0), + (8388, 2, 13, 'Urban crop-top dos nu camo sable', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo sable"}', 0), + (8389, 2, 13, 'Urban crop-top dos nu camo bleu', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo bleu"}', 0), + (8390, 2, 13, 'Urban crop-top dos nu géométrique vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"géométrique vert"}', 0), + (8391, 2, 13, 'Urban crop-top dos nu camo olive', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo olive"}', 0), + (8392, 2, 13, 'Urban crop-top dos nu motifs kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"motifs kaki"}', 0), + (8393, 2, 13, 'Urban crop-top dos nu camo crème', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo crème"}', 0), + (8394, 2, 13, 'Urban crop-top dos nu motifs vert-beige', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"motifs vert-beige"}', 0), + (8395, 2, 13, 'Urban crop-top dos nu tâches kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"tâches kaki"}', 0), + (8396, 2, 13, 'Urban crop-top dos nu camo kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo kaki"}', 0), + (8397, 2, 13, 'Urban crop-top dos nu uni kaki', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"uni kaki"}', 0), + (8398, 2, 13, 'Urban crop-top dos nu uni jaune', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"uni jaune"}', 0), + (8399, 2, 13, 'Urban crop-top dos nu camo vert', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo vert"}', 0), + (8400, 2, 13, 'Urban crop-top dos nu camo orange', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo orange"}', 0), + (8401, 2, 13, 'Urban crop-top dos nu camo violet', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo violet"}', 0), + (8402, 2, 13, 'Urban crop-top dos nu camo rose', 50, '{"components":{"11":{"Drawable":223,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Urban crop-top dos nu","colorLabel":"camo rose"}', 0), + (8403, 1, 2, 'T-shirt rentré pixel bleu', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel bleu"}', 0), + (8404, 1, 2, 'T-shirt rentré pixel sable', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel sable"}', 0), + (8405, 1, 2, 'T-shirt rentré pixel vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel vert"}', 0), + (8406, 1, 2, 'T-shirt rentré pixel beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel beige"}', 0), + (8407, 1, 2, 'T-shirt rentré pixel crème', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel crème"}', 0), + (8408, 1, 2, 'T-shirt rentré camo beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo beige"}', 0), + (8409, 1, 2, 'T-shirt rentré camo brun-vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo brun-vert"}', 0), + (8410, 1, 2, 'T-shirt rentré carreaux fin vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"carreaux fin vert"}', 0), + (8411, 1, 2, 'T-shirt rentré pixel forêt', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel forêt"}', 0), + (8412, 1, 2, 'T-shirt rentré camo sable', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo sable"}', 0), + (8413, 1, 2, 'T-shirt rentré camo bleu', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo bleu"}', 0), + (8414, 1, 2, 'T-shirt rentré géométrique vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"géométrique vert"}', 0), + (8415, 1, 2, 'T-shirt rentré camo olive', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo olive"}', 0), + (8416, 1, 2, 'T-shirt rentré motifs kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"motifs kaki"}', 0), + (8417, 1, 2, 'T-shirt rentré camo crème', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo crème"}', 0), + (8418, 1, 2, 'T-shirt rentré motifs vert-beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"motifs vert-beige"}', 0), + (8419, 1, 2, 'T-shirt rentré tâches kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"tâches kaki"}', 0), + (8420, 1, 2, 'T-shirt rentré camo kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo kaki"}', 0), + (8421, 1, 2, 'T-shirt rentré uni kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"uni kaki"}', 0), + (8422, 1, 2, 'T-shirt rentré uni jaune', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"uni jaune"}', 0), + (8423, 1, 2, 'T-shirt rentré camo vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo vert"}', 0), + (8424, 1, 2, 'T-shirt rentré camo orange', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo orange"}', 0), + (8425, 1, 2, 'T-shirt rentré camo violet', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo violet"}', 0), + (8426, 1, 2, 'T-shirt rentré camo rose', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo rose"}', 0), + (8427, 2, 2, 'T-shirt rentré pixel bleu', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel bleu"}', 0), + (8428, 2, 2, 'T-shirt rentré pixel sable', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel sable"}', 0), + (8429, 2, 2, 'T-shirt rentré pixel vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel vert"}', 0), + (8430, 2, 2, 'T-shirt rentré pixel beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel beige"}', 0), + (8431, 2, 2, 'T-shirt rentré pixel crème', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel crème"}', 0), + (8432, 2, 2, 'T-shirt rentré camo beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo beige"}', 0), + (8433, 2, 2, 'T-shirt rentré camo brun-vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo brun-vert"}', 0), + (8434, 2, 2, 'T-shirt rentré carreaux fin vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"carreaux fin vert"}', 0), + (8435, 2, 2, 'T-shirt rentré pixel forêt', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"pixel forêt"}', 0), + (8436, 2, 2, 'T-shirt rentré camo sable', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo sable"}', 0), + (8437, 2, 2, 'T-shirt rentré camo bleu', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo bleu"}', 0), + (8438, 2, 2, 'T-shirt rentré géométrique vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"géométrique vert"}', 0), + (8439, 2, 2, 'T-shirt rentré camo olive', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo olive"}', 0), + (8440, 2, 2, 'T-shirt rentré motifs kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"motifs kaki"}', 0), + (8441, 2, 2, 'T-shirt rentré camo crème', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo crème"}', 0), + (8442, 2, 2, 'T-shirt rentré motifs vert-beige', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"motifs vert-beige"}', 0), + (8443, 2, 2, 'T-shirt rentré tâches kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"tâches kaki"}', 0), + (8444, 2, 2, 'T-shirt rentré camo kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo kaki"}', 0), + (8445, 2, 2, 'T-shirt rentré uni kaki', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"uni kaki"}', 0), + (8446, 2, 2, 'T-shirt rentré uni jaune', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"uni jaune"}', 0), + (8447, 2, 2, 'T-shirt rentré camo vert', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo vert"}', 0), + (8448, 2, 2, 'T-shirt rentré camo orange', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo orange"}', 0), + (8449, 2, 2, 'T-shirt rentré camo violet', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo violet"}', 0), + (8450, 2, 2, 'T-shirt rentré camo rose', 50, '{"components":{"11":{"Drawable":224,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"camo rose"}', 0), + (8451, 1, 2, 'T-shirt retroussé sorti pixel bleu', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel bleu"}', 0), + (8452, 1, 2, 'T-shirt retroussé sorti pixel sable', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel sable"}', 0), + (8453, 1, 2, 'T-shirt retroussé sorti pixel vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel vert"}', 0), + (8454, 1, 2, 'T-shirt retroussé sorti pixel beige', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel beige"}', 0), + (8455, 1, 2, 'T-shirt retroussé sorti pixel crème', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel crème"}', 0), + (8456, 1, 2, 'T-shirt retroussé sorti camo beige', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo beige"}', 0), + (8457, 1, 2, 'T-shirt retroussé sorti camo brun-vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo brun-vert"}', 0), + (8458, 1, 2, 'T-shirt retroussé sorti carreaux fin vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"carreaux fin vert"}', 0), + (8459, 1, 2, 'T-shirt retroussé sorti pixel forêt', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel forêt"}', 0), + (8460, 1, 2, 'T-shirt retroussé sorti camo sable', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo sable"}', 0), + (8461, 1, 2, 'T-shirt retroussé sorti camo bleu', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo bleu"}', 0), + (8462, 1, 2, 'T-shirt retroussé sorti géométrique vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"géométrique vert"}', 0), + (8463, 1, 2, 'T-shirt retroussé sorti camo olive', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo olive"}', 0), + (8464, 1, 2, 'T-shirt retroussé sorti motifs kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"motifs kaki"}', 0), + (8465, 1, 2, 'T-shirt retroussé sorti camo crème', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo crème"}', 0), + (8466, 1, 2, 'T-shirt retroussé sorti motifs vert-beige', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"motifs vert-beige"}', 0), + (8467, 1, 2, 'T-shirt retroussé sorti tâches kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"tâches kaki"}', 0), + (8468, 1, 2, 'T-shirt retroussé sorti camo kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo kaki"}', 0), + (8469, 1, 2, 'T-shirt retroussé sorti uni kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"uni kaki"}', 0), + (8470, 1, 2, 'T-shirt retroussé sorti uni jaune', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"uni jaune"}', 0), + (8471, 1, 2, 'T-shirt retroussé sorti camo vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo vert"}', 0), + (8472, 1, 2, 'T-shirt retroussé sorti camo orange', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo orange"}', 0), + (8473, 1, 2, 'T-shirt retroussé sorti camo violet', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo violet"}', 0), + (8474, 1, 2, 'T-shirt retroussé sorti camo rose', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo rose"}', 0), + (8475, 2, 2, 'T-shirt retroussé sorti pixel bleu', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel bleu"}', 0), + (8476, 2, 2, 'T-shirt retroussé sorti pixel sable', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel sable"}', 0), + (8477, 2, 2, 'T-shirt retroussé sorti pixel vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel vert"}', 0), + (8478, 2, 2, 'T-shirt retroussé sorti pixel beige', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel beige"}', 0), + (8479, 2, 2, 'T-shirt retroussé sorti pixel crème', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel crème"}', 0), + (8480, 2, 2, 'T-shirt retroussé sorti camo beige', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo beige"}', 0), + (8481, 2, 2, 'T-shirt retroussé sorti camo brun-vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo brun-vert"}', 0), + (8482, 2, 2, 'T-shirt retroussé sorti carreaux fin vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"carreaux fin vert"}', 0), + (8483, 2, 2, 'T-shirt retroussé sorti pixel forêt', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"pixel forêt"}', 0), + (8484, 2, 2, 'T-shirt retroussé sorti camo sable', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo sable"}', 0), + (8485, 2, 2, 'T-shirt retroussé sorti camo bleu', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo bleu"}', 0), + (8486, 2, 2, 'T-shirt retroussé sorti géométrique vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"géométrique vert"}', 0), + (8487, 2, 2, 'T-shirt retroussé sorti camo olive', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo olive"}', 0), + (8488, 2, 2, 'T-shirt retroussé sorti motifs kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"motifs kaki"}', 0), + (8489, 2, 2, 'T-shirt retroussé sorti camo crème', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo crème"}', 0), + (8490, 2, 2, 'T-shirt retroussé sorti motifs vert-beige', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"motifs vert-beige"}', 0), + (8491, 2, 2, 'T-shirt retroussé sorti tâches kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"tâches kaki"}', 0), + (8492, 2, 2, 'T-shirt retroussé sorti camo kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo kaki"}', 0), + (8493, 2, 2, 'T-shirt retroussé sorti uni kaki', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"uni kaki"}', 0), + (8494, 2, 2, 'T-shirt retroussé sorti uni jaune', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"uni jaune"}', 0), + (8495, 2, 2, 'T-shirt retroussé sorti camo vert', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo vert"}', 0), + (8496, 2, 2, 'T-shirt retroussé sorti camo orange', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo orange"}', 0), + (8497, 2, 2, 'T-shirt retroussé sorti camo violet', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo violet"}', 0), + (8498, 2, 2, 'T-shirt retroussé sorti camo rose', 50, '{"components":{"11":{"Drawable":225,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"camo rose"}', 0), + (8499, 1, 2, 'T-shirt retroussé rentré pixel bleu', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel bleu"}', 0), + (8500, 1, 2, 'T-shirt retroussé rentré pixel sable', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel sable"}', 0), + (8501, 1, 2, 'T-shirt retroussé rentré pixel vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel vert"}', 0), + (8502, 1, 2, 'T-shirt retroussé rentré pixel beige', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel beige"}', 0), + (8503, 1, 2, 'T-shirt retroussé rentré pixel crème', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel crème"}', 0), + (8504, 1, 2, 'T-shirt retroussé rentré camo beige', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo beige"}', 0), + (8505, 1, 2, 'T-shirt retroussé rentré camo brun-vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo brun-vert"}', 0), + (8506, 1, 2, 'T-shirt retroussé rentré carreaux fin vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"carreaux fin vert"}', 0), + (8507, 1, 2, 'T-shirt retroussé rentré pixel forêt', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel forêt"}', 0), + (8508, 1, 2, 'T-shirt retroussé rentré camo sable', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo sable"}', 0), + (8509, 1, 2, 'T-shirt retroussé rentré camo bleu', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo bleu"}', 0), + (8510, 1, 2, 'T-shirt retroussé rentré géométrique vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"géométrique vert"}', 0), + (8511, 1, 2, 'T-shirt retroussé rentré camo olive', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo olive"}', 0), + (8512, 1, 2, 'T-shirt retroussé rentré motifs kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"motifs kaki"}', 0), + (8513, 1, 2, 'T-shirt retroussé rentré camo crème', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo crème"}', 0), + (8514, 1, 2, 'T-shirt retroussé rentré motifs vert-beige', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"motifs vert-beige"}', 0), + (8515, 1, 2, 'T-shirt retroussé rentré tâches kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"tâches kaki"}', 0), + (8516, 1, 2, 'T-shirt retroussé rentré camo kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo kaki"}', 0), + (8517, 1, 2, 'T-shirt retroussé rentré uni kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"uni kaki"}', 0), + (8518, 1, 2, 'T-shirt retroussé rentré uni jaune', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"uni jaune"}', 0), + (8519, 1, 2, 'T-shirt retroussé rentré camo vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo vert"}', 0), + (8520, 1, 2, 'T-shirt retroussé rentré camo orange', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo orange"}', 0), + (8521, 1, 2, 'T-shirt retroussé rentré camo violet', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo violet"}', 0), + (8522, 1, 2, 'T-shirt retroussé rentré camo rose', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo rose"}', 0), + (8523, 2, 2, 'T-shirt retroussé rentré pixel bleu', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel bleu"}', 0), + (8524, 2, 2, 'T-shirt retroussé rentré pixel sable', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel sable"}', 0), + (8525, 2, 2, 'T-shirt retroussé rentré pixel vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel vert"}', 0), + (8526, 2, 2, 'T-shirt retroussé rentré pixel beige', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel beige"}', 0), + (8527, 2, 2, 'T-shirt retroussé rentré pixel crème', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel crème"}', 0), + (8528, 2, 2, 'T-shirt retroussé rentré camo beige', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo beige"}', 0), + (8529, 2, 2, 'T-shirt retroussé rentré camo brun-vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo brun-vert"}', 0), + (8530, 2, 2, 'T-shirt retroussé rentré carreaux fin vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"carreaux fin vert"}', 0), + (8531, 2, 2, 'T-shirt retroussé rentré pixel forêt', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"pixel forêt"}', 0), + (8532, 2, 2, 'T-shirt retroussé rentré camo sable', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo sable"}', 0), + (8533, 2, 2, 'T-shirt retroussé rentré camo bleu', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo bleu"}', 0), + (8534, 2, 2, 'T-shirt retroussé rentré géométrique vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"géométrique vert"}', 0), + (8535, 2, 2, 'T-shirt retroussé rentré camo olive', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo olive"}', 0), + (8536, 2, 2, 'T-shirt retroussé rentré motifs kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"motifs kaki"}', 0), + (8537, 2, 2, 'T-shirt retroussé rentré camo crème', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo crème"}', 0), + (8538, 2, 2, 'T-shirt retroussé rentré motifs vert-beige', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"motifs vert-beige"}', 0), + (8539, 2, 2, 'T-shirt retroussé rentré tâches kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"tâches kaki"}', 0), + (8540, 2, 2, 'T-shirt retroussé rentré camo kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo kaki"}', 0), + (8541, 2, 2, 'T-shirt retroussé rentré uni kaki', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"uni kaki"}', 0), + (8542, 2, 2, 'T-shirt retroussé rentré uni jaune', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"uni jaune"}', 0), + (8543, 2, 2, 'T-shirt retroussé rentré camo vert', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo vert"}', 0), + (8544, 2, 2, 'T-shirt retroussé rentré camo orange', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo orange"}', 0), + (8545, 2, 2, 'T-shirt retroussé rentré camo violet', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo violet"}', 0), + (8546, 2, 2, 'T-shirt retroussé rentré camo rose', 50, '{"components":{"11":{"Drawable":226,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"camo rose"}', 0), + (8547, 1, 4, 'Anorak sans capuche fermé anthracite', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"anthracite"}', 0), + (8548, 1, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (8549, 1, 4, 'Anorak sans capuche fermé abricot', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"abricot"}', 0), + (8550, 1, 4, 'Anorak sans capuche fermé rouge', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"rouge"}', 0), + (8551, 1, 4, 'Anorak sans capuche fermé jaune', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"jaune"}', 0), + (8552, 1, 4, 'Anorak sans capuche fermé lime', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lime"}', 0), + (8553, 1, 4, 'Anorak sans capuche fermé turquoise', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"turquoise"}', 0), + (8554, 1, 4, 'Anorak sans capuche fermé orange', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"orange"}', 0), + (8555, 1, 4, 'Anorak sans capuche fermé motifs gris', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs gris"}', 0), + (8556, 1, 4, 'Anorak sans capuche fermé motifs forêt', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs forêt"}', 0), + (8557, 1, 4, 'Anorak sans capuche fermé carreaux gris', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux gris"}', 0), + (8558, 1, 4, 'Anorak sans capuche fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-vert"}', 0), + (8559, 1, 4, 'Anorak sans capuche fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu foncé"}', 0), + (8560, 1, 4, 'Anorak sans capuche fermé gris logo', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"gris logo"}', 0), + (8561, 1, 4, 'Anorak sans capuche fermé vert logo', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert logo"}', 0), + (8562, 2, 4, 'Anorak sans capuche fermé anthracite', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"anthracite"}', 0), + (8563, 2, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (8564, 2, 4, 'Anorak sans capuche fermé abricot', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"abricot"}', 0), + (8565, 2, 4, 'Anorak sans capuche fermé rouge', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"rouge"}', 0), + (8566, 2, 4, 'Anorak sans capuche fermé jaune', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"jaune"}', 0), + (8567, 2, 4, 'Anorak sans capuche fermé lime', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lime"}', 0), + (8568, 2, 4, 'Anorak sans capuche fermé turquoise', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"turquoise"}', 0), + (8569, 2, 4, 'Anorak sans capuche fermé orange', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"orange"}', 0), + (8570, 2, 4, 'Anorak sans capuche fermé motifs gris', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs gris"}', 0), + (8571, 2, 4, 'Anorak sans capuche fermé motifs forêt', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"motifs forêt"}', 0), + (8572, 2, 4, 'Anorak sans capuche fermé carreaux gris', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"carreaux gris"}', 0), + (8573, 2, 4, 'Anorak sans capuche fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-vert"}', 0), + (8574, 2, 4, 'Anorak sans capuche fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo bleu foncé"}', 0), + (8575, 2, 4, 'Anorak sans capuche fermé gris logo', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"gris logo"}', 0), + (8576, 2, 4, 'Anorak sans capuche fermé vert logo', 50, '{"components":{"11":{"Drawable":227,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert logo"}', 0), + (8577, 1, 4, 'Anorak à capuche tête fermé anthracite', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"anthracite"}', 0), + (8578, 1, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (8579, 1, 4, 'Anorak à capuche tête fermé abricot', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"abricot"}', 0), + (8580, 1, 4, 'Anorak à capuche tête fermé rouge', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"rouge"}', 0), + (8581, 1, 4, 'Anorak à capuche tête fermé jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"jaune"}', 0), + (8582, 1, 4, 'Anorak à capuche tête fermé lime', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lime"}', 0), + (8583, 1, 4, 'Anorak à capuche tête fermé turquoise', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"turquoise"}', 0), + (8584, 1, 4, 'Anorak à capuche tête fermé orange', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"orange"}', 0), + (8585, 1, 4, 'Anorak à capuche tête fermé motifs gris', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs gris"}', 0), + (8586, 1, 4, 'Anorak à capuche tête fermé motifs forêt', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs forêt"}', 0), + (8587, 1, 4, 'Anorak à capuche tête fermé carreaux gris', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux gris"}', 0), + (8588, 1, 4, 'Anorak à capuche tête fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-vert"}', 0), + (8589, 1, 4, 'Anorak à capuche tête fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu foncé"}', 0), + (8590, 1, 4, 'Anorak à capuche tête fermé gris logo', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"gris logo"}', 0), + (8591, 1, 4, 'Anorak à capuche tête fermé vert logo', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert logo"}', 0), + (8592, 2, 4, 'Anorak à capuche tête fermé anthracite', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"anthracite"}', 0), + (8593, 2, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (8594, 2, 4, 'Anorak à capuche tête fermé abricot', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"abricot"}', 0), + (8595, 2, 4, 'Anorak à capuche tête fermé rouge', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"rouge"}', 0), + (8596, 2, 4, 'Anorak à capuche tête fermé jaune', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"jaune"}', 0), + (8597, 2, 4, 'Anorak à capuche tête fermé lime', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lime"}', 0), + (8598, 2, 4, 'Anorak à capuche tête fermé turquoise', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"turquoise"}', 0), + (8599, 2, 4, 'Anorak à capuche tête fermé orange', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"orange"}', 0), + (8600, 2, 4, 'Anorak à capuche tête fermé motifs gris', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs gris"}', 0), + (8601, 2, 4, 'Anorak à capuche tête fermé motifs forêt', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"motifs forêt"}', 0), + (8602, 2, 4, 'Anorak à capuche tête fermé carreaux gris', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"carreaux gris"}', 0), + (8603, 2, 4, 'Anorak à capuche tête fermé camo brun-vert', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-vert"}', 0), + (8604, 2, 4, 'Anorak à capuche tête fermé camo bleu foncé', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo bleu foncé"}', 0), + (8605, 2, 4, 'Anorak à capuche tête fermé gris logo', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"gris logo"}', 0), + (8606, 2, 4, 'Anorak à capuche tête fermé vert logo', 50, '{"components":{"11":{"Drawable":228,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert logo"}', 0), + (8607, 1, 11, 'Veste sans manche fermée pixel bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel bleu"}', 0), + (8608, 1, 11, 'Veste sans manche fermée pixel sable', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel sable"}', 0), + (8609, 1, 11, 'Veste sans manche fermée pixel vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel vert"}', 0), + (8610, 1, 11, 'Veste sans manche fermée pixel beige', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel beige"}', 0), + (8611, 1, 11, 'Veste sans manche fermée pixel crème', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel crème"}', 0), + (8612, 1, 11, 'Veste sans manche fermée camo beige', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo beige"}', 0), + (8613, 1, 11, 'Veste sans manche fermée camo brun-vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo brun-vert"}', 0), + (8614, 1, 11, 'Veste sans manche fermée carreaux fin vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux fin vert"}', 0), + (8615, 1, 11, 'Veste sans manche fermée pixel forêt', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel forêt"}', 0), + (8616, 1, 11, 'Veste sans manche fermée camo sable', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo sable"}', 0), + (8617, 1, 11, 'Veste sans manche fermée camo bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo bleu"}', 0), + (8618, 1, 11, 'Veste sans manche fermée géométrique vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"géométrique vert"}', 0), + (8619, 1, 11, 'Veste sans manche fermée camo olive', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo olive"}', 0), + (8620, 1, 11, 'Veste sans manche fermée motifs kaki', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"motifs kaki"}', 0), + (8621, 1, 11, 'Veste sans manche fermée camo corail', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo corail"}', 0), + (8622, 1, 11, 'Veste sans manche fermée motifs vert-beige', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"motifs vert-beige"}', 0), + (8623, 1, 11, 'Veste sans manche fermée tâches kaki', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"tâches kaki"}', 0), + (8624, 1, 11, 'Veste sans manche fermée camo kaki', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo kaki"}', 0), + (8625, 1, 11, 'Veste sans manche fermée carreaux vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux vert"}', 0), + (8626, 1, 11, 'Veste sans manche fermée carreaux jaune', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux jaune"}', 0), + (8627, 1, 11, 'Veste sans manche fermée carreaux noir', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux noir"}', 0), + (8628, 1, 11, 'Veste sans manche fermée carreaux gris', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux gris"}', 0), + (8629, 1, 11, 'Veste sans manche fermée carreaux blanc', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux blanc"}', 0), + (8630, 1, 11, 'Veste sans manche fermée carreaux rouge', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux rouge"}', 0), + (8631, 1, 11, 'Veste sans manche fermée carreaux bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux bleu"}', 0), + (8632, 2, 11, 'Veste sans manche fermée pixel bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel bleu"}', 0), + (8633, 2, 11, 'Veste sans manche fermée pixel sable', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel sable"}', 0), + (8634, 2, 11, 'Veste sans manche fermée pixel vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel vert"}', 0), + (8635, 2, 11, 'Veste sans manche fermée pixel beige', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel beige"}', 0), + (8636, 2, 11, 'Veste sans manche fermée pixel crème', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel crème"}', 0), + (8637, 2, 11, 'Veste sans manche fermée camo beige', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo beige"}', 0), + (8638, 2, 11, 'Veste sans manche fermée camo brun-vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo brun-vert"}', 0), + (8639, 2, 11, 'Veste sans manche fermée carreaux fin vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux fin vert"}', 0), + (8640, 2, 11, 'Veste sans manche fermée pixel forêt', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"pixel forêt"}', 0), + (8641, 2, 11, 'Veste sans manche fermée camo sable', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo sable"}', 0), + (8642, 2, 11, 'Veste sans manche fermée camo bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo bleu"}', 0), + (8643, 2, 11, 'Veste sans manche fermée géométrique vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"géométrique vert"}', 0), + (8644, 2, 11, 'Veste sans manche fermée camo olive', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo olive"}', 0), + (8645, 2, 11, 'Veste sans manche fermée motifs kaki', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"motifs kaki"}', 0), + (8646, 2, 11, 'Veste sans manche fermée camo corail', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo corail"}', 0), + (8647, 2, 11, 'Veste sans manche fermée motifs vert-beige', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"motifs vert-beige"}', 0), + (8648, 2, 11, 'Veste sans manche fermée tâches kaki', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"tâches kaki"}', 0), + (8649, 2, 11, 'Veste sans manche fermée camo kaki', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"camo kaki"}', 0), + (8650, 2, 11, 'Veste sans manche fermée carreaux vert', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux vert"}', 0), + (8651, 2, 11, 'Veste sans manche fermée carreaux jaune', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux jaune"}', 0), + (8652, 2, 11, 'Veste sans manche fermée carreaux noir', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux noir"}', 0), + (8653, 2, 11, 'Veste sans manche fermée carreaux gris', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux gris"}', 0), + (8654, 2, 11, 'Veste sans manche fermée carreaux blanc', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux blanc"}', 0), + (8655, 2, 11, 'Veste sans manche fermée carreaux rouge', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux rouge"}', 0), + (8656, 2, 11, 'Veste sans manche fermée carreaux bleu', 50, '{"components":{"11":{"Drawable":229,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste sans manche fermée","colorLabel":"carreaux bleu"}', 0), + (8657, 1, 9, 'Polaire pixel bleu', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel bleu"}', 0), + (8658, 1, 9, 'Polaire pixel sable', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel sable"}', 0), + (8659, 1, 9, 'Polaire pixel vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel vert"}', 0), + (8660, 1, 9, 'Polaire pixel beige', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel beige"}', 0), + (8661, 1, 9, 'Polaire pixel crème', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel crème"}', 0), + (8662, 1, 9, 'Polaire camo beige', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo beige"}', 0), + (8663, 1, 9, 'Polaire camo brun-vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo brun-vert"}', 0), + (8664, 1, 9, 'Polaire carreaux fin vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"carreaux fin vert"}', 0), + (8665, 1, 9, 'Polaire pixel forêt', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel forêt"}', 0), + (8666, 1, 9, 'Polaire camo sable', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo sable"}', 0), + (8667, 1, 9, 'Polaire camo bleu', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo bleu"}', 0), + (8668, 1, 9, 'Polaire géométrique vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"géométrique vert"}', 0), + (8669, 1, 9, 'Polaire camo olive', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo olive"}', 0), + (8670, 1, 9, 'Polaire motifs kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs kaki"}', 0), + (8671, 1, 9, 'Polaire camo crème', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo crème"}', 0), + (8672, 1, 9, 'Polaire motifs vert-beige', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs vert-beige"}', 0), + (8673, 1, 9, 'Polaire tâches kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"tâches kaki"}', 0), + (8674, 1, 9, 'Polaire camo kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo kaki"}', 0), + (8675, 1, 9, 'Polaire uni vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni vert"}', 0), + (8676, 1, 9, 'Polaire uni jaune', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni jaune"}', 0), + (8677, 1, 9, 'Polaire uni noir', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni noir"}', 0), + (8678, 1, 9, 'Polaire uni gris', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni gris"}', 0), + (8679, 1, 9, 'Polaire uni blanc', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni blanc"}', 0), + (8680, 1, 9, 'Polaire uni marron', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni marron"}', 0), + (8681, 1, 9, 'Polaire uni kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni kaki"}', 0), + (8682, 2, 9, 'Polaire pixel bleu', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel bleu"}', 0), + (8683, 2, 9, 'Polaire pixel sable', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel sable"}', 0), + (8684, 2, 9, 'Polaire pixel vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel vert"}', 0), + (8685, 2, 9, 'Polaire pixel beige', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel beige"}', 0), + (8686, 2, 9, 'Polaire pixel crème', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel crème"}', 0), + (8687, 2, 9, 'Polaire camo beige', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo beige"}', 0), + (8688, 2, 9, 'Polaire camo brun-vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo brun-vert"}', 0), + (8689, 2, 9, 'Polaire carreaux fin vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"carreaux fin vert"}', 0), + (8690, 2, 9, 'Polaire pixel forêt', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"pixel forêt"}', 0), + (8691, 2, 9, 'Polaire camo sable', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo sable"}', 0), + (8692, 2, 9, 'Polaire camo bleu', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo bleu"}', 0), + (8693, 2, 9, 'Polaire géométrique vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"géométrique vert"}', 0), + (8694, 2, 9, 'Polaire camo olive', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo olive"}', 0), + (8695, 2, 9, 'Polaire motifs kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs kaki"}', 0), + (8696, 2, 9, 'Polaire camo crème', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo crème"}', 0), + (8697, 2, 9, 'Polaire motifs vert-beige', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"motifs vert-beige"}', 0), + (8698, 2, 9, 'Polaire tâches kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"tâches kaki"}', 0), + (8699, 2, 9, 'Polaire camo kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"camo kaki"}', 0), + (8700, 2, 9, 'Polaire uni vert', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni vert"}', 0), + (8701, 2, 9, 'Polaire uni jaune', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni jaune"}', 0), + (8702, 2, 9, 'Polaire uni noir', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni noir"}', 0), + (8703, 2, 9, 'Polaire uni gris', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni gris"}', 0), + (8704, 2, 9, 'Polaire uni blanc', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni blanc"}', 0), + (8705, 2, 9, 'Polaire uni marron', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni marron"}', 0), + (8706, 2, 9, 'Polaire uni kaki', 50, '{"components":{"11":{"Drawable":230,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"uni kaki"}', 0), + (8707, 1, 12, 'Veste imperméable col mao sortie pixel bleu', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel bleu"}', 0), + (8708, 1, 12, 'Veste imperméable col mao sortie pixel sable', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel sable"}', 0), + (8709, 1, 12, 'Veste imperméable col mao sortie pixel vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel vert"}', 0), + (8710, 1, 12, 'Veste imperméable col mao sortie pixel beige', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel beige"}', 0), + (8711, 1, 12, 'Veste imperméable col mao sortie pixel crème', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel crème"}', 0), + (8712, 1, 12, 'Veste imperméable col mao sortie camo beige', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo beige"}', 0), + (8713, 1, 12, 'Veste imperméable col mao sortie camo brun-vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo brun-vert"}', 0), + (8714, 1, 12, 'Veste imperméable col mao sortie carreaux fin vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"carreaux fin vert"}', 0), + (8715, 1, 12, 'Veste imperméable col mao sortie pixel forêt', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel forêt"}', 0), + (8716, 1, 12, 'Veste imperméable col mao sortie camo sable', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo sable"}', 0), + (8717, 1, 12, 'Veste imperméable col mao sortie camo bleu', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo bleu"}', 0), + (8718, 1, 12, 'Veste imperméable col mao sortie géométrique vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"géométrique vert"}', 0), + (8719, 1, 12, 'Veste imperméable col mao sortie camo olive', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo olive"}', 0), + (8720, 1, 12, 'Veste imperméable col mao sortie motifs kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"motifs kaki"}', 0), + (8721, 1, 12, 'Veste imperméable col mao sortie camo crème', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo crème"}', 0), + (8722, 1, 12, 'Veste imperméable col mao sortie motifs vert-beige', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"motifs vert-beige"}', 0), + (8723, 1, 12, 'Veste imperméable col mao sortie tâches kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"tâches kaki"}', 0), + (8724, 1, 12, 'Veste imperméable col mao sortie camo kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo kaki"}', 0), + (8725, 1, 12, 'Veste imperméable col mao sortie uni vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni vert"}', 0), + (8726, 1, 12, 'Veste imperméable col mao sortie uni jaune', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni jaune"}', 0), + (8727, 1, 12, 'Veste imperméable col mao sortie uni noir', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni noir"}', 0), + (8728, 1, 12, 'Veste imperméable col mao sortie uni gris', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni gris"}', 0), + (8729, 1, 12, 'Veste imperméable col mao sortie uni blanc', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni blanc"}', 0), + (8730, 1, 12, 'Veste imperméable col mao sortie uni marron', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni marron"}', 0), + (8731, 1, 12, 'Veste imperméable col mao sortie uni kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni kaki"}', 0), + (8732, 2, 12, 'Veste imperméable col mao sortie pixel bleu', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel bleu"}', 0), + (8733, 2, 12, 'Veste imperméable col mao sortie pixel sable', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel sable"}', 0), + (8734, 2, 12, 'Veste imperméable col mao sortie pixel vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel vert"}', 0), + (8735, 2, 12, 'Veste imperméable col mao sortie pixel beige', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel beige"}', 0), + (8736, 2, 12, 'Veste imperméable col mao sortie pixel crème', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel crème"}', 0), + (8737, 2, 12, 'Veste imperméable col mao sortie camo beige', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo beige"}', 0), + (8738, 2, 12, 'Veste imperméable col mao sortie camo brun-vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo brun-vert"}', 0), + (8739, 2, 12, 'Veste imperméable col mao sortie carreaux fin vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"carreaux fin vert"}', 0), + (8740, 2, 12, 'Veste imperméable col mao sortie pixel forêt', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"pixel forêt"}', 0), + (8741, 2, 12, 'Veste imperméable col mao sortie camo sable', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo sable"}', 0), + (8742, 2, 12, 'Veste imperméable col mao sortie camo bleu', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo bleu"}', 0), + (8743, 2, 12, 'Veste imperméable col mao sortie géométrique vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"géométrique vert"}', 0), + (8744, 2, 12, 'Veste imperméable col mao sortie camo olive', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo olive"}', 0), + (8745, 2, 12, 'Veste imperméable col mao sortie motifs kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"motifs kaki"}', 0), + (8746, 2, 12, 'Veste imperméable col mao sortie camo crème', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo crème"}', 0), + (8747, 2, 12, 'Veste imperméable col mao sortie motifs vert-beige', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"motifs vert-beige"}', 0), + (8748, 2, 12, 'Veste imperméable col mao sortie tâches kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"tâches kaki"}', 0), + (8749, 2, 12, 'Veste imperméable col mao sortie camo kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"camo kaki"}', 0), + (8750, 2, 12, 'Veste imperméable col mao sortie uni vert', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni vert"}', 0), + (8751, 2, 12, 'Veste imperméable col mao sortie uni jaune', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni jaune"}', 0), + (8752, 2, 12, 'Veste imperméable col mao sortie uni noir', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni noir"}', 0), + (8753, 2, 12, 'Veste imperméable col mao sortie uni gris', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni gris"}', 0), + (8754, 2, 12, 'Veste imperméable col mao sortie uni blanc', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni blanc"}', 0), + (8755, 2, 12, 'Veste imperméable col mao sortie uni marron', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni marron"}', 0), + (8756, 2, 12, 'Veste imperméable col mao sortie uni kaki', 50, '{"components":{"11":{"Drawable":231,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"uni kaki"}', 0), + (8757, 1, 12, 'Veste imperméable col mao retroussé sortie pixel bleu', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel bleu"}', 0), + (8758, 1, 12, 'Veste imperméable col mao retroussé sortie pixel sable', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel sable"}', 0), + (8759, 1, 12, 'Veste imperméable col mao retroussé sortie pixel vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel vert"}', 0), + (8760, 1, 12, 'Veste imperméable col mao retroussé sortie pixel beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel beige"}', 0), + (8761, 1, 12, 'Veste imperméable col mao retroussé sortie pixel crème', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel crème"}', 0), + (8762, 1, 12, 'Veste imperméable col mao retroussé sortie camo beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo beige"}', 0), + (8763, 1, 12, 'Veste imperméable col mao retroussé sortie camo brun-vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo brun-vert"}', 0), + (8764, 1, 12, 'Veste imperméable col mao retroussé sortie carreaux fin vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"carreaux fin vert"}', 0), + (8765, 1, 12, 'Veste imperméable col mao retroussé sortie pixel forêt', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel forêt"}', 0), + (8766, 1, 12, 'Veste imperméable col mao retroussé sortie camo sable', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo sable"}', 0), + (8767, 1, 12, 'Veste imperméable col mao retroussé sortie camo bleu', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo bleu"}', 0), + (8768, 1, 12, 'Veste imperméable col mao retroussé sortie géométrique vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"géométrique vert"}', 0), + (8769, 1, 12, 'Veste imperméable col mao retroussé sortie camo olive', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo olive"}', 0), + (8770, 1, 12, 'Veste imperméable col mao retroussé sortie motifs kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"motifs kaki"}', 0), + (8771, 1, 12, 'Veste imperméable col mao retroussé sortie camo crème', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo crème"}', 0), + (8772, 1, 12, 'Veste imperméable col mao retroussé sortie motifs vert-beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"motifs vert-beige"}', 0), + (8773, 1, 12, 'Veste imperméable col mao retroussé sortie tâches kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"tâches kaki"}', 0), + (8774, 1, 12, 'Veste imperméable col mao retroussé sortie camo kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo kaki"}', 0), + (8775, 1, 12, 'Veste imperméable col mao retroussé sortie uni vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni vert"}', 0), + (8776, 1, 12, 'Veste imperméable col mao retroussé sortie uni jaune', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni jaune"}', 0), + (8777, 1, 12, 'Veste imperméable col mao retroussé sortie uni noir', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni noir"}', 0), + (8778, 1, 12, 'Veste imperméable col mao retroussé sortie uni gris', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni gris"}', 0), + (8779, 1, 12, 'Veste imperméable col mao retroussé sortie uni blanc', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni blanc"}', 0), + (8780, 1, 12, 'Veste imperméable col mao retroussé sortie uni marron', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni marron"}', 0), + (8781, 1, 12, 'Veste imperméable col mao retroussé sortie uni kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni kaki"}', 0), + (8782, 2, 12, 'Veste imperméable col mao retroussé sortie pixel bleu', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel bleu"}', 0), + (8783, 2, 12, 'Veste imperméable col mao retroussé sortie pixel sable', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel sable"}', 0), + (8784, 2, 12, 'Veste imperméable col mao retroussé sortie pixel vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel vert"}', 0), + (8785, 2, 12, 'Veste imperméable col mao retroussé sortie pixel beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel beige"}', 0), + (8786, 2, 12, 'Veste imperméable col mao retroussé sortie pixel crème', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel crème"}', 0), + (8787, 2, 12, 'Veste imperméable col mao retroussé sortie camo beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo beige"}', 0), + (8788, 2, 12, 'Veste imperméable col mao retroussé sortie camo brun-vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo brun-vert"}', 0), + (8789, 2, 12, 'Veste imperméable col mao retroussé sortie carreaux fin vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"carreaux fin vert"}', 0), + (8790, 2, 12, 'Veste imperméable col mao retroussé sortie pixel forêt', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"pixel forêt"}', 0), + (8791, 2, 12, 'Veste imperméable col mao retroussé sortie camo sable', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo sable"}', 0), + (8792, 2, 12, 'Veste imperméable col mao retroussé sortie camo bleu', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo bleu"}', 0), + (8793, 2, 12, 'Veste imperméable col mao retroussé sortie géométrique vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"géométrique vert"}', 0), + (8794, 2, 12, 'Veste imperméable col mao retroussé sortie camo olive', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo olive"}', 0), + (8795, 2, 12, 'Veste imperméable col mao retroussé sortie motifs kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"motifs kaki"}', 0), + (8796, 2, 12, 'Veste imperméable col mao retroussé sortie camo crème', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo crème"}', 0), + (8797, 2, 12, 'Veste imperméable col mao retroussé sortie motifs vert-beige', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"motifs vert-beige"}', 0), + (8798, 2, 12, 'Veste imperméable col mao retroussé sortie tâches kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"tâches kaki"}', 0), + (8799, 2, 12, 'Veste imperméable col mao retroussé sortie camo kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"camo kaki"}', 0), + (8800, 2, 12, 'Veste imperméable col mao retroussé sortie uni vert', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni vert"}', 0), + (8801, 2, 12, 'Veste imperméable col mao retroussé sortie uni jaune', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni jaune"}', 0), + (8802, 2, 12, 'Veste imperméable col mao retroussé sortie uni noir', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni noir"}', 0), + (8803, 2, 12, 'Veste imperméable col mao retroussé sortie uni gris', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni gris"}', 0), + (8804, 2, 12, 'Veste imperméable col mao retroussé sortie uni blanc', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni blanc"}', 0), + (8805, 2, 12, 'Veste imperméable col mao retroussé sortie uni marron', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni marron"}', 0), + (8806, 2, 12, 'Veste imperméable col mao retroussé sortie uni kaki', 50, '{"components":{"11":{"Drawable":232,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé sortie","colorLabel":"uni kaki"}', 0), + (8807, 3, 11, 'Doudoune légère sans manche noir', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"noir"}', 0), + (8808, 3, 11, 'Doudoune légère sans manche gris', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"gris"}', 0), + (8809, 3, 11, 'Doudoune légère sans manche blanc', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"blanc"}', 0), + (8810, 3, 11, 'Doudoune légère sans manche rouge', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"rouge"}', 0), + (8811, 3, 11, 'Doudoune légère sans manche orange', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"orange"}', 0), + (8812, 3, 11, 'Doudoune légère sans manche jaune', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"jaune"}', 0), + (8813, 3, 11, 'Doudoune légère sans manche lime', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"lime"}', 0), + (8814, 3, 11, 'Doudoune légère sans manche vert', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"vert"}', 0), + (8815, 3, 11, 'Doudoune légère sans manche turquoise', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"turquoise"}', 0), + (8816, 3, 11, 'Doudoune légère sans manche bleu', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"bleu"}', 0), + (8817, 3, 11, 'Doudoune légère sans manche pêche', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"pêche"}', 0), + (8818, 3, 11, 'Doudoune légère sans manche beige', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"beige"}', 0), + (8819, 3, 11, 'Doudoune légère sans manche camo vert', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo vert"}', 0), + (8820, 3, 11, 'Doudoune légère sans manche camo orange', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo orange"}', 0), + (8821, 3, 11, 'Doudoune légère sans manche camo violet', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo violet"}', 0), + (8822, 3, 11, 'Doudoune légère sans manche camo rose', 50, '{"components":{"11":{"Drawable":233,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo rose"}', 0), + (8823, 3, 12, 'Doudoune légère manches longues noir', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"noir"}', 0), + (8824, 3, 12, 'Doudoune légère manches longues gris', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"gris"}', 0), + (8825, 3, 12, 'Doudoune légère manches longues blanc', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"blanc"}', 0), + (8826, 3, 12, 'Doudoune légère manches longues rouge', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"rouge"}', 0), + (8827, 3, 12, 'Doudoune légère manches longues orange', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"orange"}', 0), + (8828, 3, 12, 'Doudoune légère manches longues jaune', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"jaune"}', 0), + (8829, 3, 12, 'Doudoune légère manches longues lime', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"lime"}', 0), + (8830, 3, 12, 'Doudoune légère manches longues vert', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"vert"}', 0), + (8831, 3, 12, 'Doudoune légère manches longues turquoise', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"turquoise"}', 0), + (8832, 3, 12, 'Doudoune légère manches longues bleu', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"bleu"}', 0), + (8833, 3, 12, 'Doudoune légère manches longues pêche', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"pêche"}', 0), + (8834, 3, 12, 'Doudoune légère manches longues beige', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"beige"}', 0), + (8835, 3, 12, 'Doudoune légère manches longues camo vert', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo vert"}', 0), + (8836, 3, 12, 'Doudoune légère manches longues camo orange', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo orange"}', 0), + (8837, 3, 12, 'Doudoune légère manches longues camo violet', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo violet"}', 0), + (8838, 3, 12, 'Doudoune légère manches longues camo rose', 50, '{"components":{"11":{"Drawable":234,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo rose"}', 0), + (8839, 1, 5, 'Sweat-shirt col rond bleu-blanc', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"bleu-blanc"}', 0), + (8840, 1, 5, 'Sweat-shirt col rond rouge-blanc', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"rouge-blanc"}', 0), + (8841, 2, 5, 'Sweat-shirt col rond bleu-blanc', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"bleu-blanc"}', 0), + (8842, 2, 5, 'Sweat-shirt col rond rouge-blanc', 50, '{"components":{"11":{"Drawable":235,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"rouge-blanc"}', 0), + (8843, 1, 2, 'T-shirt sorti noir', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir"}', 0), + (8844, 2, 2, 'T-shirt sorti noir', 50, '{"components":{"11":{"Drawable":236,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir"}', 0), + (8845, 1, 12, 'Veste moto large col mao vert-jaune', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert-jaune"}', 0), + (8846, 1, 12, 'Veste moto large col mao turquoise', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise"}', 0), + (8847, 1, 12, 'Veste moto large col mao Postal', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Postal"}', 0), + (8848, 1, 12, 'Veste moto large col mao Junk', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Junk"}', 0), + (8849, 1, 12, 'Veste moto large col mao Kronos', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Kronos"}', 0), + (8850, 1, 12, 'Veste moto large col mao Me tv', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Me tv"}', 0), + (8851, 1, 12, 'Veste moto large col mao Pendulus', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Pendulus"}', 0), + (8852, 1, 12, 'Veste moto large col mao Redwood bleu', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Redwood bleu"}', 0), + (8853, 1, 12, 'Veste moto large col mao Cola rouge', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Cola rouge"}', 0), + (8854, 1, 12, 'Veste moto large col mao CNT', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"CNT"}', 0), + (8855, 1, 12, 'Veste moto large col mao Jackal racing', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Jackal racing"}', 0), + (8856, 1, 12, 'Veste moto large col mao Shark', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Shark"}', 0), + (8857, 1, 12, 'Veste moto large col mao Sprunk', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Sprunk"}', 0), + (8858, 1, 12, 'Veste moto large col mao Tinkle', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Tinkle"}', 0), + (8859, 2, 12, 'Veste moto large col mao vert-jaune', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert-jaune"}', 0), + (8860, 2, 12, 'Veste moto large col mao turquoise', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise"}', 0), + (8861, 2, 12, 'Veste moto large col mao Postal', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Postal"}', 0), + (8862, 2, 12, 'Veste moto large col mao Junk', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Junk"}', 0), + (8863, 2, 12, 'Veste moto large col mao Kronos', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Kronos"}', 0), + (8864, 2, 12, 'Veste moto large col mao Me tv', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Me tv"}', 0), + (8865, 2, 12, 'Veste moto large col mao Pendulus', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Pendulus"}', 0), + (8866, 2, 12, 'Veste moto large col mao Redwood bleu', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Redwood bleu"}', 0), + (8867, 2, 12, 'Veste moto large col mao Cola rouge', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Cola rouge"}', 0), + (8868, 2, 12, 'Veste moto large col mao CNT', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"CNT"}', 0), + (8869, 2, 12, 'Veste moto large col mao Jackal racing', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Jackal racing"}', 0), + (8870, 2, 12, 'Veste moto large col mao Shark', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Shark"}', 0), + (8871, 2, 12, 'Veste moto large col mao Sprunk', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Sprunk"}', 0), + (8872, 2, 12, 'Veste moto large col mao Tinkle', 50, '{"components":{"11":{"Drawable":237,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Tinkle"}', 0), + (8873, 1, 10, 'Tenue parachute vert-jaune', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"vert-jaune"}', 0), + (8874, 1, 10, 'Tenue parachute abricot', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"abricot"}', 0), + (8875, 1, 10, 'Tenue parachute violet', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"violet"}', 0), + (8876, 1, 10, 'Tenue parachute rose', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"rose"}', 0), + (8877, 1, 10, 'Tenue parachute noir jaune', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"noir jaune"}', 0), + (8878, 1, 10, 'Tenue parachute blanc-noir', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"blanc-noir"}', 0), + (8879, 1, 10, 'Tenue parachute gris', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"gris"}', 0), + (8880, 1, 10, 'Tenue parachute pétrole-beige', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"pétrole-beige"}', 0), + (8881, 1, 10, 'Tenue parachute sable', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"sable"}', 0), + (8882, 1, 10, 'Tenue parachute pourpre', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"pourpre"}', 0), + (8883, 1, 10, 'Tenue parachute orange', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"orange"}', 0), + (8884, 1, 10, 'Tenue parachute jaune', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"jaune"}', 0), + (8885, 1, 10, 'Tenue parachute bleu', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"bleu"}', 0), + (8886, 1, 10, 'Tenue parachute bleu ciel', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"bleu ciel"}', 0), + (8887, 1, 10, 'Tenue parachute beige', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"beige"}', 0), + (8888, 1, 10, 'Tenue parachute crème', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"crème"}', 0), + (8889, 1, 10, 'Tenue parachute géométrique vert', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"géométrique vert"}', 0), + (8890, 1, 10, 'Tenue parachute camo kaki', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"camo kaki"}', 0), + (8891, 1, 10, 'Tenue parachute pixel beige', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"pixel beige"}', 0), + (8892, 1, 10, 'Tenue parachute anthracite', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"anthracite"}', 0), + (8893, 2, 10, 'Tenue parachute vert-jaune', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"vert-jaune"}', 0), + (8894, 2, 10, 'Tenue parachute abricot', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"abricot"}', 0), + (8895, 2, 10, 'Tenue parachute violet', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"violet"}', 0), + (8896, 2, 10, 'Tenue parachute rose', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"rose"}', 0), + (8897, 2, 10, 'Tenue parachute noir jaune', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"noir jaune"}', 0), + (8898, 2, 10, 'Tenue parachute blanc-noir', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"blanc-noir"}', 0), + (8899, 2, 10, 'Tenue parachute gris', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"gris"}', 0), + (8900, 2, 10, 'Tenue parachute pétrole-beige', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"pétrole-beige"}', 0), + (8901, 2, 10, 'Tenue parachute sable', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"sable"}', 0), + (8902, 2, 10, 'Tenue parachute pourpre', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"pourpre"}', 0), + (8903, 2, 10, 'Tenue parachute orange', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"orange"}', 0), + (8904, 2, 10, 'Tenue parachute jaune', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"jaune"}', 0), + (8905, 2, 10, 'Tenue parachute bleu', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"bleu"}', 0), + (8906, 2, 10, 'Tenue parachute bleu ciel', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"bleu ciel"}', 0), + (8907, 2, 10, 'Tenue parachute beige', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"beige"}', 0), + (8908, 2, 10, 'Tenue parachute crème', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"crème"}', 0), + (8909, 2, 10, 'Tenue parachute géométrique vert', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"géométrique vert"}', 0), + (8910, 2, 10, 'Tenue parachute camo kaki', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"camo kaki"}', 0), + (8911, 2, 10, 'Tenue parachute pixel beige', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"pixel beige"}', 0), + (8912, 2, 10, 'Tenue parachute anthracite', 50, '{"components":{"11":{"Drawable":238,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"anthracite"}', 0), + (8913, 1, 12, 'Blouson zippé fermé vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"vert"}', 0), + (8914, 1, 12, 'Blouson zippé fermé brun', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"brun"}', 0), + (8915, 1, 12, 'Blouson zippé fermé noir', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir"}', 0), + (8916, 1, 12, 'Blouson zippé fermé gris', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"gris"}', 0), + (8917, 1, 12, 'Blouson zippé fermé blanc', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc"}', 0), + (8918, 1, 12, 'Blouson zippé fermé turquoise', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"turquoise"}', 0), + (8919, 1, 12, 'Blouson zippé fermé bleu', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"bleu"}', 0), + (8920, 1, 12, 'Blouson zippé fermé rouge', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"rouge"}', 0), + (8921, 1, 12, 'Blouson zippé fermé forêt', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"forêt"}', 0), + (8922, 1, 12, 'Blouson zippé fermé orange', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"orange"}', 0), + (8923, 1, 12, 'Blouson zippé fermé violet', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"violet"}', 0), + (8924, 1, 12, 'Blouson zippé fermé rose', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"rose"}', 0), + (8925, 2, 12, 'Blouson zippé fermé vert', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"vert"}', 0), + (8926, 2, 12, 'Blouson zippé fermé brun', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"brun"}', 0), + (8927, 2, 12, 'Blouson zippé fermé noir', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"noir"}', 0), + (8928, 2, 12, 'Blouson zippé fermé gris', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"gris"}', 0), + (8929, 2, 12, 'Blouson zippé fermé blanc', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"blanc"}', 0), + (8930, 2, 12, 'Blouson zippé fermé turquoise', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"turquoise"}', 0), + (8931, 2, 12, 'Blouson zippé fermé bleu', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"bleu"}', 0), + (8932, 2, 12, 'Blouson zippé fermé rouge', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"rouge"}', 0), + (8933, 2, 12, 'Blouson zippé fermé forêt', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"forêt"}', 0), + (8934, 2, 12, 'Blouson zippé fermé orange', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"orange"}', 0), + (8935, 2, 12, 'Blouson zippé fermé violet', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"violet"}', 0), + (8936, 2, 12, 'Blouson zippé fermé rose', 50, '{"components":{"11":{"Drawable":239,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson zippé fermé","colorLabel":"rose"}', 0), + (8937, 1, 12, 'Blouson zippé ouvert vert', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"vert"}', 0), + (8938, 1, 12, 'Blouson zippé ouvert brun', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"brun"}', 0), + (8939, 1, 12, 'Blouson zippé ouvert noir', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"noir"}', 0), + (8940, 1, 12, 'Blouson zippé ouvert gris', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"gris"}', 0), + (8941, 1, 12, 'Blouson zippé ouvert blanc', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"blanc"}', 0), + (8942, 1, 12, 'Blouson zippé ouvert turquoise', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"turquoise"}', 0), + (8943, 1, 12, 'Blouson zippé ouvert bleu', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"bleu"}', 0), + (8944, 1, 12, 'Blouson zippé ouvert rouge', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"rouge"}', 0), + (8945, 1, 12, 'Blouson zippé ouvert forêt', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"forêt"}', 0), + (8946, 1, 12, 'Blouson zippé ouvert orange', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"orange"}', 0), + (8947, 1, 12, 'Blouson zippé ouvert violet', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"violet"}', 0), + (8948, 1, 12, 'Blouson zippé ouvert rose', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"rose"}', 0), + (8949, 2, 12, 'Blouson zippé ouvert vert', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"vert"}', 0), + (8950, 2, 12, 'Blouson zippé ouvert brun', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"brun"}', 0), + (8951, 2, 12, 'Blouson zippé ouvert noir', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"noir"}', 0), + (8952, 2, 12, 'Blouson zippé ouvert gris', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"gris"}', 0), + (8953, 2, 12, 'Blouson zippé ouvert blanc', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"blanc"}', 0), + (8954, 2, 12, 'Blouson zippé ouvert turquoise', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"turquoise"}', 0), + (8955, 2, 12, 'Blouson zippé ouvert bleu', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"bleu"}', 0), + (8956, 2, 12, 'Blouson zippé ouvert rouge', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"rouge"}', 0), + (8957, 2, 12, 'Blouson zippé ouvert forêt', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"forêt"}', 0), + (8958, 2, 12, 'Blouson zippé ouvert orange', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"orange"}', 0), + (8959, 2, 12, 'Blouson zippé ouvert violet', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"violet"}', 0), + (8960, 2, 12, 'Blouson zippé ouvert rose', 50, '{"components":{"11":{"Drawable":240,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Blouson zippé ouvert","colorLabel":"rose"}', 0), + (8961, 1, 10, 'Tenue parachute corail', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"corail"}', 0), + (8962, 2, 10, 'Tenue parachute corail', 50, '{"components":{"11":{"Drawable":241,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Tenue parachute","colorLabel":"corail"}', 0), + (8963, 1, 4, 'Manteau court fermé vert', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"vert"}', 0), + (8964, 1, 4, 'Manteau court fermé jaune', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"jaune"}', 0), + (8965, 1, 4, 'Manteau court fermé sable', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"sable"}', 0), + (8966, 1, 4, 'Manteau court fermé bleu', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"bleu"}', 0), + (8967, 1, 4, 'Manteau court fermé noir', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"noir"}', 0), + (8968, 1, 4, 'Manteau court fermé anthracite', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"anthracite"}', 0), + (8969, 1, 4, 'Manteau court fermé gris', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"gris"}', 0), + (8970, 1, 4, 'Manteau court fermé camo beige', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo beige"}', 0), + (8971, 1, 4, 'Manteau court fermé camo vert', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo vert"}', 0), + (8972, 1, 4, 'Manteau court fermé camo brun-beige', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo brun-beige"}', 0), + (8973, 2, 4, 'Manteau court fermé vert', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"vert"}', 0), + (8974, 2, 4, 'Manteau court fermé jaune', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"jaune"}', 0), + (8975, 2, 4, 'Manteau court fermé sable', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"sable"}', 0), + (8976, 2, 4, 'Manteau court fermé bleu', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"bleu"}', 0), + (8977, 2, 4, 'Manteau court fermé noir', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"noir"}', 0), + (8978, 2, 4, 'Manteau court fermé anthracite', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"anthracite"}', 0), + (8979, 2, 4, 'Manteau court fermé gris', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"gris"}', 0), + (8980, 2, 4, 'Manteau court fermé camo beige', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo beige"}', 0), + (8981, 2, 4, 'Manteau court fermé camo vert', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo vert"}', 0), + (8982, 2, 4, 'Manteau court fermé camo brun-beige', 50, '{"components":{"11":{"Drawable":242,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"camo brun-beige"}', 0), + (8983, 1, 4, 'Manteau court ouvert vert', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"vert"}', 0), + (8984, 1, 4, 'Manteau court ouvert jaune', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"jaune"}', 0), + (8985, 1, 4, 'Manteau court ouvert sable', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"sable"}', 0), + (8986, 1, 4, 'Manteau court ouvert bleu', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"bleu"}', 0), + (8987, 1, 4, 'Manteau court ouvert noir', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"noir"}', 0), + (8988, 1, 4, 'Manteau court ouvert anthracite', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"anthracite"}', 0), + (8989, 1, 4, 'Manteau court ouvert gris', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"gris"}', 0), + (8990, 1, 4, 'Manteau court ouvert camo beige', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"camo beige"}', 0), + (8991, 1, 4, 'Manteau court ouvert camo vert', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"camo vert"}', 0), + (8992, 1, 4, 'Manteau court ouvert camo brun-beige', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"camo brun-beige"}', 0), + (8993, 2, 4, 'Manteau court ouvert vert', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"vert"}', 0), + (8994, 2, 4, 'Manteau court ouvert jaune', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"jaune"}', 0), + (8995, 2, 4, 'Manteau court ouvert sable', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"sable"}', 0), + (8996, 2, 4, 'Manteau court ouvert bleu', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"bleu"}', 0), + (8997, 2, 4, 'Manteau court ouvert noir', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"noir"}', 0), + (8998, 2, 4, 'Manteau court ouvert anthracite', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"anthracite"}', 0), + (8999, 2, 4, 'Manteau court ouvert gris', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"gris"}', 0), + (9000, 2, 4, 'Manteau court ouvert camo beige', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"camo beige"}', 0), + (9001, 2, 4, 'Manteau court ouvert camo vert', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"camo vert"}', 0), + (9002, 2, 4, 'Manteau court ouvert camo brun-beige', 50, '{"components":{"11":{"Drawable":243,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert ","colorLabel":"camo brun-beige"}', 0), + (9003, 3, 7, 'Chemise manches 1/2 fermée noir', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"noir"}', 0), + (9004, 3, 7, 'Chemise manches 1/2 fermée anthracite', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"anthracite"}', 0), + (9005, 3, 7, 'Chemise manches 1/2 fermée gris', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"gris"}', 0), + (9006, 3, 7, 'Chemise manches 1/2 fermée perle', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"perle"}', 0), + (9007, 3, 7, 'Chemise manches 1/2 fermée blanc', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"blanc"}', 0), + (9008, 3, 7, 'Chemise manches 1/2 fermée motifs kaki', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"motifs kaki"}', 0), + (9009, 3, 7, 'Chemise manches 1/2 fermée motifs corail', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"motifs corail"}', 0), + (9010, 3, 7, 'Chemise manches 1/2 fermée tropical bleu-corail', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical bleu-corail"}', 0), + (9011, 3, 7, 'Chemise manches 1/2 fermée tropical turquoise', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical turquoise"}', 0), + (9012, 3, 7, 'Chemise manches 1/2 fermée léopard vert', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"léopard vert"}', 0), + (9013, 3, 7, 'Chemise manches 1/2 fermée léopard turquoise', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"léopard turquoise"}', 0), + (9014, 3, 7, 'Chemise manches 1/2 fermée noir motifs', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"noir motifs"}', 0), + (9015, 3, 7, 'Chemise manches 1/2 fermée blanc motifs', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"blanc motifs"}', 0), + (9016, 3, 7, 'Chemise manches 1/2 fermée lime-bleu ciel', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"lime-bleu ciel"}', 0), + (9017, 3, 7, 'Chemise manches 1/2 fermée rose-bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"rose-bleu"}', 0), + (9018, 3, 7, 'Chemise manches 1/2 fermée turquoise motifs', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"turquoise motifs"}', 0), + (9019, 3, 7, 'Chemise manches 1/2 fermée lime motifs', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"lime motifs"}', 0), + (9020, 3, 7, 'Chemise manches 1/2 fermée carreaux bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"carreaux bleu"}', 0), + (9021, 3, 7, 'Chemise manches 1/2 fermée carreaux fin bleu', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"carreaux fin bleu"}', 0), + (9022, 3, 7, 'Chemise manches 1/2 fermée carreaux rouge', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"carreaux rouge"}', 0), + (9023, 3, 7, 'Chemise manches 1/2 fermée carreaux beige', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"carreaux beige"}', 0), + (9024, 3, 7, 'Chemise manches 1/2 fermée carreaux gris', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"carreaux gris"}', 0), + (9025, 3, 7, 'Chemise manches 1/2 fermée bleu points', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bleu points"}', 0), + (9026, 3, 7, 'Chemise manches 1/2 fermée anthracite points', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"anthracite points"}', 0), + (9027, 3, 7, 'Chemise manches 1/2 fermée ciel points', 50, '{"components":{"11":{"Drawable":244,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"ciel points"}', 0), + (9028, 3, 3, 'Polo sportif sorti gris-rouge', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"gris-rouge"}', 0), + (9029, 3, 3, 'Polo sportif sorti blanc-gris', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc-gris"}', 0), + (9030, 3, 3, 'Polo sportif sorti brun-rose', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"brun-rose"}', 0), + (9031, 3, 3, 'Polo sportif sorti rose-brun', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rose-brun"}', 0), + (9032, 3, 3, 'Polo sportif sorti vert d\'eau-jaune', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"vert d\'eau-jaune"}', 0), + (9033, 3, 3, 'Polo sportif sorti rouge-vert', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rouge-vert"}', 0), + (9034, 3, 3, 'Polo sportif sorti turquoise-pétrole', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"turquoise-pétrole"}', 0), + (9035, 3, 3, 'Polo sportif sorti blanc-pétrole', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc-pétrole"}', 0), + (9036, 3, 3, 'Polo sportif sorti noir-rouge', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"noir-rouge"}', 0), + (9037, 3, 3, 'Polo sportif sorti rouge-noir', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rouge-noir"}', 0), + (9038, 3, 3, 'Polo sportif sorti bleu foncé', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu foncé"}', 0), + (9039, 3, 3, 'Polo sportif sorti jaune', 50, '{"components":{"11":{"Drawable":245,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"jaune"}', 0), + (9040, 3, 3, 'Polo sportif rentré gris-rouge', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"gris-rouge"}', 0), + (9041, 3, 3, 'Polo sportif rentré blanc-gris', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"blanc-gris"}', 0), + (9042, 3, 3, 'Polo sportif rentré brun-rose', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"brun-rose"}', 0), + (9043, 3, 3, 'Polo sportif rentré rose-brun', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rose-brun"}', 0), + (9044, 3, 3, 'Polo sportif rentré vert d\'eau-jaune', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"vert d\'eau-jaune"}', 0), + (9045, 3, 3, 'Polo sportif rentré rouge-vert', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rouge-vert"}', 0), + (9046, 3, 3, 'Polo sportif rentré turquoise-pétrole', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"turquoise-pétrole"}', 0), + (9047, 3, 3, 'Polo sportif rentré blanc-pétrole', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"blanc-pétrole"}', 0), + (9048, 3, 3, 'Polo sportif rentré noir-rouge', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"noir-rouge"}', 0), + (9049, 3, 3, 'Polo sportif rentré rouge-noir', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rouge-noir"}', 0), + (9050, 3, 3, 'Polo sportif rentré bleu foncé', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"bleu foncé"}', 0), + (9051, 3, 3, 'Polo sportif rentré jaune', 50, '{"components":{"11":{"Drawable":246,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"jaune"}', 0), + (9052, 1, 2, 'Débardeur blanc', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"blanc"}', 0), + (9053, 1, 2, 'Débardeur crème', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"crème"}', 0), + (9054, 1, 2, 'Débardeur gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"gris"}', 0), + (9055, 1, 2, 'Débardeur anthracite', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"anthracite"}', 0), + (9056, 1, 2, 'Débardeur noir', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"noir"}', 0), + (9057, 1, 2, 'Débardeur jaune', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"jaune"}', 0), + (9058, 1, 2, 'Débardeur vanille', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"vanille"}', 0), + (9059, 1, 2, 'Débardeur rouge', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rouge"}', 0), + (9060, 1, 2, 'Débardeur bordeaux', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bordeaux"}', 0), + (9061, 1, 2, 'Débardeur rose', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rose"}', 0), + (9062, 1, 2, 'Débardeur fuchsia', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"fuchsia"}', 0), + (9063, 1, 2, 'Débardeur violet', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"violet"}', 0), + (9064, 1, 2, 'Débardeur orange', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"orange"}', 0), + (9065, 1, 2, 'Débardeur abricot', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"abricot"}', 0), + (9066, 1, 2, 'Débardeur vert', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"vert"}', 0), + (9067, 1, 2, 'Débardeur lime', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"lime"}', 0), + (9068, 1, 2, 'Débardeur kaki', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"kaki"}', 0), + (9069, 1, 2, 'Débardeur marron', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"marron"}', 0), + (9070, 1, 2, 'Débardeur sable', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"sable"}', 0), + (9071, 1, 2, 'Débardeur menthe', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"menthe"}', 0), + (9072, 1, 2, 'Débardeur marine', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"marine"}', 0), + (9073, 1, 2, 'Débardeur bleu', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bleu"}', 0), + (9074, 1, 2, 'Débardeur pétrole', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"pétrole"}', 0), + (9075, 1, 2, 'Débardeur ciel', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"ciel"}', 0), + (9076, 1, 2, 'Débardeur camo gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"camo gris"}', 0), + (9077, 2, 2, 'Débardeur blanc', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"blanc"}', 0), + (9078, 2, 2, 'Débardeur crème', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"crème"}', 0), + (9079, 2, 2, 'Débardeur gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"gris"}', 0), + (9080, 2, 2, 'Débardeur anthracite', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"anthracite"}', 0), + (9081, 2, 2, 'Débardeur noir', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"noir"}', 0), + (9082, 2, 2, 'Débardeur jaune', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"jaune"}', 0), + (9083, 2, 2, 'Débardeur vanille', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"vanille"}', 0), + (9084, 2, 2, 'Débardeur rouge', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rouge"}', 0), + (9085, 2, 2, 'Débardeur bordeaux', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bordeaux"}', 0), + (9086, 2, 2, 'Débardeur rose', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"rose"}', 0), + (9087, 2, 2, 'Débardeur fuchsia', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"fuchsia"}', 0), + (9088, 2, 2, 'Débardeur violet', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"violet"}', 0), + (9089, 2, 2, 'Débardeur orange', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"orange"}', 0), + (9090, 2, 2, 'Débardeur abricot', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"abricot"}', 0), + (9091, 2, 2, 'Débardeur vert', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"vert"}', 0), + (9092, 2, 2, 'Débardeur lime', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"lime"}', 0), + (9093, 2, 2, 'Débardeur kaki', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"kaki"}', 0), + (9094, 2, 2, 'Débardeur marron', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"marron"}', 0), + (9095, 2, 2, 'Débardeur sable', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"sable"}', 0), + (9096, 2, 2, 'Débardeur menthe', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"menthe"}', 0), + (9097, 2, 2, 'Débardeur marine', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"marine"}', 0), + (9098, 2, 2, 'Débardeur bleu', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"bleu"}', 0), + (9099, 2, 2, 'Débardeur pétrole', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"pétrole"}', 0), + (9100, 2, 2, 'Débardeur ciel', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"ciel"}', 0), + (9101, 2, 2, 'Débardeur camo gris', 50, '{"components":{"11":{"Drawable":247,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur","colorLabel":"camo gris"}', 0), + (9102, 3, 4, 'Manteau fourrure zèbre turquoise', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"zèbre turquoise"}', 0), + (9103, 3, 4, 'Manteau fourrure léopard jaune', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"léopard jaune"}', 0), + (9104, 3, 4, 'Manteau fourrure zèbre beige', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"zèbre beige"}', 0), + (9105, 3, 4, 'Manteau fourrure rouge', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"rouge"}', 0), + (9106, 3, 4, 'Manteau fourrure orange', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"orange"}', 0), + (9107, 3, 4, 'Manteau fourrure léopard noir', 50, '{"components":{"11":{"Drawable":248,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"léopard noir"}', 0), + (9108, 3, 3, 'Polo sportif sorti gris', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"gris"}', 0), + (9109, 3, 3, 'Polo sportif sorti bleu', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bleu"}', 0), + (9110, 3, 3, 'Polo sportif sorti blanc', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"blanc"}', 0), + (9111, 3, 3, 'Polo sportif sorti beige', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"beige"}', 0), + (9112, 3, 3, 'Polo sportif sorti noir', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"noir"}', 0), + (9113, 3, 3, 'Polo sportif sorti bordeaux', 50, '{"components":{"11":{"Drawable":249,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"bordeaux"}', 0), + (9114, 3, 3, 'Polo sportif rentré gris', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"gris"}', 0), + (9115, 3, 3, 'Polo sportif rentré bleu', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"bleu"}', 0), + (9116, 3, 3, 'Polo sportif rentré blanc', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"blanc"}', 0), + (9117, 3, 3, 'Polo sportif rentré beige', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"beige"}', 0), + (9118, 3, 3, 'Polo sportif rentré noir', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"noir"}', 0), + (9119, 3, 3, 'Polo sportif rentré bordeaux', 50, '{"components":{"11":{"Drawable":250,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"bordeaux"}', 0), + (9120, 1, 12, 'Veste moto sportive noir', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir"}', 0), + (9121, 1, 12, 'Veste moto sportive blanc', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"blanc"}', 0), + (9122, 1, 12, 'Veste moto sportive bleu', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"bleu"}', 0), + (9123, 1, 12, 'Veste moto sportive rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"rouge"}', 0), + (9124, 1, 12, 'Veste moto sportive noir-turquoise', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-turquoise"}', 0), + (9125, 1, 12, 'Veste moto sportive noir-vert', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-vert"}', 0), + (9126, 1, 12, 'Veste moto sportive noir-orange', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-orange"}', 0), + (9127, 1, 12, 'Veste moto sportive jaune-noir', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"jaune-noir"}', 0), + (9128, 1, 12, 'Veste moto sportive noir-rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-rouge"}', 0), + (9129, 1, 12, 'Veste moto sportive noir-rose-dragon', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-rose-dragon"}', 0), + (9130, 1, 12, 'Veste moto sportive pétrole', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"pétrole"}', 0), + (9131, 1, 12, 'Veste moto sportive noir-lime', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-lime"}', 0), + (9132, 1, 12, 'Veste moto sportive noir-orange-pétrole', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-orange-pétrole"}', 0), + (9133, 1, 12, 'Veste moto sportive noir-gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-gris"}', 0), + (9134, 1, 12, 'Veste moto sportive blanc-rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"blanc-rouge"}', 0), + (9135, 1, 12, 'Veste moto sportive bleu-orange', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"bleu-orange"}', 0), + (9136, 1, 12, 'Veste moto sportive tigre', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"tigre"}', 0), + (9137, 1, 12, 'Veste moto sportive camo gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"camo gris"}', 0), + (9138, 1, 12, 'Veste moto sportive géométrique kaki', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"géométrique kaki"}', 0), + (9139, 1, 12, 'Veste moto sportive fleurs rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"fleurs rouge"}', 0), + (9140, 1, 12, 'Veste moto sportive fleurs turquoise', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"fleurs turquoise"}', 0), + (9141, 1, 12, 'Veste moto sportive multicolore motifs', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"multicolore motifs"}', 0), + (9142, 1, 12, 'Veste moto sportive vert uni', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"vert uni"}', 0), + (9143, 1, 12, 'Veste moto sportive orange uni', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"orange uni"}', 0), + (9144, 1, 12, 'Veste moto sportive violet uni', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"violet uni"}', 0), + (9145, 2, 12, 'Veste moto sportive noir', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir"}', 0), + (9146, 2, 12, 'Veste moto sportive blanc', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"blanc"}', 0), + (9147, 2, 12, 'Veste moto sportive bleu', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"bleu"}', 0), + (9148, 2, 12, 'Veste moto sportive rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"rouge"}', 0), + (9149, 2, 12, 'Veste moto sportive noir-turquoise', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-turquoise"}', 0), + (9150, 2, 12, 'Veste moto sportive noir-vert', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-vert"}', 0), + (9151, 2, 12, 'Veste moto sportive noir-orange', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-orange"}', 0), + (9152, 2, 12, 'Veste moto sportive jaune-noir', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"jaune-noir"}', 0), + (9153, 2, 12, 'Veste moto sportive noir-rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-rouge"}', 0), + (9154, 2, 12, 'Veste moto sportive noir-rose-dragon', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-rose-dragon"}', 0), + (9155, 2, 12, 'Veste moto sportive pétrole', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"pétrole"}', 0), + (9156, 2, 12, 'Veste moto sportive noir-lime', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-lime"}', 0), + (9157, 2, 12, 'Veste moto sportive noir-orange-pétrole', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-orange-pétrole"}', 0), + (9158, 2, 12, 'Veste moto sportive noir-gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"noir-gris"}', 0), + (9159, 2, 12, 'Veste moto sportive blanc-rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"blanc-rouge"}', 0), + (9160, 2, 12, 'Veste moto sportive bleu-orange', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"bleu-orange"}', 0), + (9161, 2, 12, 'Veste moto sportive tigre', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"tigre"}', 0), + (9162, 2, 12, 'Veste moto sportive camo gris', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"camo gris"}', 0), + (9163, 2, 12, 'Veste moto sportive géométrique kaki', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"géométrique kaki"}', 0), + (9164, 2, 12, 'Veste moto sportive fleurs rouge', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"fleurs rouge"}', 0), + (9165, 2, 12, 'Veste moto sportive fleurs turquoise', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"fleurs turquoise"}', 0), + (9166, 2, 12, 'Veste moto sportive multicolore motifs', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"multicolore motifs"}', 0), + (9167, 2, 12, 'Veste moto sportive vert uni', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"vert uni"}', 0), + (9168, 2, 12, 'Veste moto sportive orange uni', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"orange uni"}', 0), + (9169, 2, 12, 'Veste moto sportive violet uni', 50, '{"components":{"11":{"Drawable":251,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto sportive","colorLabel":"violet uni"}', 0), + (9170, 1, 12, 'Veste d\'extérieur col haut sable', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"sable"}', 0), + (9171, 1, 12, 'Veste d\'extérieur col haut vert', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"vert"}', 0), + (9172, 1, 12, 'Veste d\'extérieur col haut gris', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"gris"}', 0), + (9173, 1, 12, 'Veste d\'extérieur col haut motifs bleu', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"motifs bleu"}', 0), + (9174, 1, 12, 'Veste d\'extérieur col haut ciel', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"ciel"}', 0), + (9175, 1, 12, 'Veste d\'extérieur col haut noir', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"noir"}', 0), + (9176, 1, 12, 'Veste d\'extérieur col haut noir-blanc', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"noir-blanc"}', 0), + (9177, 1, 12, 'Veste d\'extérieur col haut blanc', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"blanc"}', 0), + (9178, 1, 12, 'Veste d\'extérieur col haut kaki', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"kaki"}', 0), + (9179, 1, 12, 'Veste d\'extérieur col haut camo rose', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo rose"}', 0), + (9180, 1, 12, 'Veste d\'extérieur col haut camo gris', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo gris"}', 0), + (9181, 1, 12, 'Veste d\'extérieur col haut camo bleu', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo bleu"}', 0), + (9182, 1, 12, 'Veste d\'extérieur col haut noir-rouge', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"noir-rouge"}', 0), + (9183, 1, 12, 'Veste d\'extérieur col haut vert-rouge', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"vert-rouge"}', 0), + (9184, 1, 12, 'Veste d\'extérieur col haut anthracite', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"anthracite"}', 0), + (9185, 1, 12, 'Veste d\'extérieur col haut camel', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camel"}', 0), + (9186, 1, 12, 'Veste d\'extérieur col haut taupe', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"taupe"}', 0), + (9187, 1, 12, 'Veste d\'extérieur col haut beige', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"beige"}', 0), + (9188, 1, 12, 'Veste d\'extérieur col haut orange', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"orange"}', 0), + (9189, 1, 12, 'Veste d\'extérieur col haut forêt', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"forêt"}', 0), + (9190, 1, 12, 'Veste d\'extérieur col haut marron', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"marron"}', 0), + (9191, 1, 12, 'Veste d\'extérieur col haut jaune-anthracite', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"jaune-anthracite"}', 0), + (9192, 1, 12, 'Veste d\'extérieur col haut perle', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"perle"}', 0), + (9193, 1, 12, 'Veste d\'extérieur col haut géométrique kaki', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"géométrique kaki"}', 0), + (9194, 1, 12, 'Veste d\'extérieur col haut camo beige', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo beige"}', 0), + (9195, 2, 12, 'Veste d\'extérieur col haut sable', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"sable"}', 0), + (9196, 2, 12, 'Veste d\'extérieur col haut vert', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"vert"}', 0), + (9197, 2, 12, 'Veste d\'extérieur col haut gris', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"gris"}', 0), + (9198, 2, 12, 'Veste d\'extérieur col haut motifs bleu', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"motifs bleu"}', 0), + (9199, 2, 12, 'Veste d\'extérieur col haut ciel', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"ciel"}', 0), + (9200, 2, 12, 'Veste d\'extérieur col haut noir', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"noir"}', 0), + (9201, 2, 12, 'Veste d\'extérieur col haut noir-blanc', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"noir-blanc"}', 0), + (9202, 2, 12, 'Veste d\'extérieur col haut blanc', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"blanc"}', 0), + (9203, 2, 12, 'Veste d\'extérieur col haut kaki', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"kaki"}', 0), + (9204, 2, 12, 'Veste d\'extérieur col haut camo rose', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo rose"}', 0), + (9205, 2, 12, 'Veste d\'extérieur col haut camo gris', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo gris"}', 0), + (9206, 2, 12, 'Veste d\'extérieur col haut camo bleu', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo bleu"}', 0), + (9207, 2, 12, 'Veste d\'extérieur col haut noir-rouge', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"noir-rouge"}', 0), + (9208, 2, 12, 'Veste d\'extérieur col haut vert-rouge', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"vert-rouge"}', 0), + (9209, 2, 12, 'Veste d\'extérieur col haut anthracite', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"anthracite"}', 0), + (9210, 2, 12, 'Veste d\'extérieur col haut camel', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camel"}', 0), + (9211, 2, 12, 'Veste d\'extérieur col haut taupe', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"taupe"}', 0), + (9212, 2, 12, 'Veste d\'extérieur col haut beige', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"beige"}', 0), + (9213, 2, 12, 'Veste d\'extérieur col haut orange', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"orange"}', 0), + (9214, 2, 12, 'Veste d\'extérieur col haut forêt', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"forêt"}', 0), + (9215, 2, 12, 'Veste d\'extérieur col haut marron', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"marron"}', 0), + (9216, 2, 12, 'Veste d\'extérieur col haut jaune-anthracite', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"jaune-anthracite"}', 0), + (9217, 2, 12, 'Veste d\'extérieur col haut perle', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"perle"}', 0), + (9218, 2, 12, 'Veste d\'extérieur col haut géométrique kaki', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"géométrique kaki"}', 0), + (9219, 2, 12, 'Veste d\'extérieur col haut camo beige', 50, '{"components":{"11":{"Drawable":252,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur col haut","colorLabel":"camo beige"}', 0), + (9220, 1, 9, 'Pull manches 3/4 d\'hiver motifs vert', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"motifs vert"}', 0), + (9221, 1, 9, 'Pull manches 3/4 d\'hiver motifs rouge', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"motifs rouge"}', 0), + (9222, 1, 9, 'Pull manches 3/4 d\'hiver licorne', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"licorne"}', 0), + (9223, 1, 9, 'Pull manches 3/4 d\'hiver rouge Claus', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"rouge Claus"}', 0), + (9224, 1, 9, 'Pull manches 3/4 d\'hiver t-rex', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"t-rex"}', 0), + (9225, 1, 9, 'Pull manches 3/4 d\'hiver noir cactus', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"noir cactus"}', 0), + (9226, 1, 9, 'Pull manches 3/4 d\'hiver vert pole dance', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"vert pole dance"}', 0), + (9227, 1, 9, 'Pull manches 3/4 d\'hiver bleu père noël', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"bleu père noël"}', 0), + (9228, 1, 9, 'Pull manches 3/4 d\'hiver bleu renne', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"bleu renne"}', 0), + (9229, 1, 9, 'Pull manches 3/4 d\'hiver rouge lutin', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"rouge lutin"}', 0), + (9230, 2, 9, 'Pull manches 3/4 d\'hiver motifs vert', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"motifs vert"}', 0), + (9231, 2, 9, 'Pull manches 3/4 d\'hiver motifs rouge', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"motifs rouge"}', 0), + (9232, 2, 9, 'Pull manches 3/4 d\'hiver licorne', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"licorne"}', 0), + (9233, 2, 9, 'Pull manches 3/4 d\'hiver rouge Claus', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"rouge Claus"}', 0), + (9234, 2, 9, 'Pull manches 3/4 d\'hiver t-rex', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"t-rex"}', 0), + (9235, 2, 9, 'Pull manches 3/4 d\'hiver noir cactus', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"noir cactus"}', 0), + (9236, 2, 9, 'Pull manches 3/4 d\'hiver vert pole dance', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"vert pole dance"}', 0), + (9237, 2, 9, 'Pull manches 3/4 d\'hiver bleu père noël', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"bleu père noël"}', 0), + (9238, 2, 9, 'Pull manches 3/4 d\'hiver bleu renne', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"bleu renne"}', 0), + (9239, 2, 9, 'Pull manches 3/4 d\'hiver rouge lutin', 50, '{"components":{"11":{"Drawable":253,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"rouge lutin"}', 0), + (9240, 1, 10, 'Combinaison couvrante noir-vert', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (9241, 1, 10, 'Combinaison couvrante noir-orange', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (9242, 1, 10, 'Combinaison couvrante noir-violet', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-violet"}', 0), + (9243, 1, 10, 'Combinaison couvrante noir-rose', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (9244, 1, 10, 'Combinaison couvrante noir-jaune', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (9245, 1, 10, 'Combinaison couvrante noir-blanc', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-blanc"}', 0), + (9246, 1, 10, 'Combinaison couvrante marron-beige', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"marron-beige"}', 0), + (9247, 1, 10, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (9248, 1, 10, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (9249, 1, 10, 'Combinaison couvrante père noël', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (9250, 1, 10, 'Combinaison couvrante lutin vert', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (9251, 1, 10, 'Combinaison couvrante lutin rouge', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (9252, 2, 10, 'Combinaison couvrante noir-vert', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (9253, 2, 10, 'Combinaison couvrante noir-orange', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (9254, 2, 10, 'Combinaison couvrante noir-violet', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-violet"}', 0), + (9255, 2, 10, 'Combinaison couvrante noir-rose', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (9256, 2, 10, 'Combinaison couvrante noir-jaune', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (9257, 2, 10, 'Combinaison couvrante noir-blanc', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"noir-blanc"}', 0), + (9258, 2, 10, 'Combinaison couvrante marron-beige', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"marron-beige"}', 0), + (9259, 2, 10, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (9260, 2, 10, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (9261, 2, 10, 'Combinaison couvrante père noël', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (9262, 2, 10, 'Combinaison couvrante lutin vert', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (9263, 2, 10, 'Combinaison couvrante lutin rouge', 50, '{"components":{"11":{"Drawable":254,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (9264, 1, 11, 'Veste d\'extérieur sans manche noir', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir"}', 0), + (9265, 1, 11, 'Veste d\'extérieur sans manche gris', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"gris"}', 0), + (9266, 1, 11, 'Veste d\'extérieur sans manche sable', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"sable"}', 0), + (9267, 1, 11, 'Veste d\'extérieur sans manche crème', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"crème"}', 0), + (9268, 1, 11, 'Veste d\'extérieur sans manche anthracite', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite"}', 0), + (9269, 1, 11, 'Veste d\'extérieur sans manche anthracite-bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite-bleu"}', 0), + (9270, 1, 11, 'Veste d\'extérieur sans manche noir-rouge', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir-rouge"}', 0), + (9271, 1, 11, 'Veste d\'extérieur sans manche kaki', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"kaki"}', 0), + (9272, 1, 11, 'Veste d\'extérieur sans manche brun', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"brun"}', 0), + (9273, 1, 11, 'Veste d\'extérieur sans manche camo gris', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo gris"}', 0), + (9274, 1, 11, 'Veste d\'extérieur sans manche géométrique kaki', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"géométrique kaki"}', 0), + (9275, 1, 11, 'Veste d\'extérieur sans manche camo beige', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo beige"}', 0), + (9276, 1, 11, 'Veste d\'extérieur sans manche camo rose', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo rose"}', 0), + (9277, 1, 11, 'Veste d\'extérieur sans manche bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"bleu"}', 0), + (9278, 1, 11, 'Veste d\'extérieur sans manche vert', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"vert"}', 0), + (9279, 1, 11, 'Veste d\'extérieur sans manche orange', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"orange"}', 0), + (9280, 1, 11, 'Veste d\'extérieur sans manche blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"blanc"}', 0), + (9281, 1, 11, 'Veste d\'extérieur sans manche anthracite-blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite-blanc"}', 0), + (9282, 1, 11, 'Veste d\'extérieur sans manche ciel', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"ciel"}', 0), + (9283, 1, 11, 'Veste d\'extérieur sans manche taupe', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"taupe"}', 0), + (9284, 1, 11, 'Veste d\'extérieur sans manche perle', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"perle"}', 0), + (9285, 1, 11, 'Veste d\'extérieur sans manche camo bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo bleu"}', 0), + (9286, 1, 11, 'Veste d\'extérieur sans manche motifs bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"motifs bleu"}', 0), + (9287, 1, 11, 'Veste d\'extérieur sans manche beige', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"beige"}', 0), + (9288, 1, 11, 'Veste d\'extérieur sans manche orage', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"orage"}', 0), + (9289, 2, 11, 'Veste d\'extérieur sans manche noir', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir"}', 0), + (9290, 2, 11, 'Veste d\'extérieur sans manche gris', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"gris"}', 0), + (9291, 2, 11, 'Veste d\'extérieur sans manche sable', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"sable"}', 0), + (9292, 2, 11, 'Veste d\'extérieur sans manche crème', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"crème"}', 0), + (9293, 2, 11, 'Veste d\'extérieur sans manche anthracite', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite"}', 0), + (9294, 2, 11, 'Veste d\'extérieur sans manche anthracite-bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite-bleu"}', 0), + (9295, 2, 11, 'Veste d\'extérieur sans manche noir-rouge', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"noir-rouge"}', 0), + (9296, 2, 11, 'Veste d\'extérieur sans manche kaki', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"kaki"}', 0), + (9297, 2, 11, 'Veste d\'extérieur sans manche brun', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"brun"}', 0), + (9298, 2, 11, 'Veste d\'extérieur sans manche camo gris', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo gris"}', 0), + (9299, 2, 11, 'Veste d\'extérieur sans manche géométrique kaki', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"géométrique kaki"}', 0), + (9300, 2, 11, 'Veste d\'extérieur sans manche camo beige', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo beige"}', 0), + (9301, 2, 11, 'Veste d\'extérieur sans manche camo rose', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo rose"}', 0), + (9302, 2, 11, 'Veste d\'extérieur sans manche bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"bleu"}', 0), + (9303, 2, 11, 'Veste d\'extérieur sans manche vert', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"vert"}', 0), + (9304, 2, 11, 'Veste d\'extérieur sans manche orange', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"orange"}', 0), + (9305, 2, 11, 'Veste d\'extérieur sans manche blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"blanc"}', 0), + (9306, 2, 11, 'Veste d\'extérieur sans manche anthracite-blanc', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"anthracite-blanc"}', 0), + (9307, 2, 11, 'Veste d\'extérieur sans manche ciel', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"ciel"}', 0), + (9308, 2, 11, 'Veste d\'extérieur sans manche taupe', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"taupe"}', 0), + (9309, 2, 11, 'Veste d\'extérieur sans manche perle', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"perle"}', 0), + (9310, 2, 11, 'Veste d\'extérieur sans manche camo bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"camo bleu"}', 0), + (9311, 2, 11, 'Veste d\'extérieur sans manche motifs bleu', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"motifs bleu"}', 0), + (9312, 2, 11, 'Veste d\'extérieur sans manche beige', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"beige"}', 0), + (9313, 2, 11, 'Veste d\'extérieur sans manche orage', 50, '{"components":{"11":{"Drawable":255,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste d\'extérieur sans manche","colorLabel":"orage"}', 0), + (9314, 1, 4, 'Veste de travail entrouverte noir', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir"}', 0), + (9315, 1, 4, 'Veste de travail entrouverte taupe', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"taupe"}', 0), + (9316, 1, 4, 'Veste de travail entrouverte sable', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"sable"}', 0), + (9317, 1, 4, 'Veste de travail entrouverte camo olive', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo olive"}', 0), + (9318, 1, 4, 'Veste de travail entrouverte camo bleu', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu"}', 0), + (9319, 1, 4, 'Veste de travail entrouverte beige', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"beige"}', 0), + (9320, 1, 4, 'Veste de travail entrouverte anthracite', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"anthracite"}', 0), + (9321, 1, 4, 'Veste de travail entrouverte camel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camel"}', 0), + (9322, 1, 4, 'Veste de travail entrouverte gris', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"gris"}', 0), + (9323, 1, 4, 'Veste de travail entrouverte camo bleu ciel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu ciel"}', 0), + (9324, 1, 4, 'Veste de travail entrouverte camo rose', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo rose"}', 0), + (9325, 1, 4, 'Veste de travail entrouverte ciel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"ciel"}', 0), + (9326, 1, 4, 'Veste de travail entrouverte poil de chameau', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"poil de chameau"}', 0), + (9327, 1, 4, 'Veste de travail entrouverte ardoise', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"ardoise"}', 0), + (9328, 1, 4, 'Veste de travail entrouverte orange', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"orange"}', 0), + (9329, 1, 4, 'Veste de travail entrouverte noir-rouge', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir-rouge"}', 0), + (9330, 1, 4, 'Veste de travail entrouverte marine', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"marine"}', 0), + (9331, 1, 4, 'Veste de travail entrouverte blanc', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"blanc"}', 0), + (9332, 1, 4, 'Veste de travail entrouverte perle', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"perle"}', 0), + (9333, 1, 4, 'Veste de travail entrouverte marron', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"marron"}', 0), + (9334, 1, 4, 'Veste de travail entrouverte camo beige', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo beige"}', 0), + (9335, 1, 4, 'Veste de travail entrouverte géométrique kaki', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"géométrique kaki"}', 0), + (9336, 1, 4, 'Veste de travail entrouverte orage', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"orage"}', 0), + (9337, 1, 4, 'Veste de travail entrouverte camo gris', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo gris"}', 0), + (9338, 1, 4, 'Veste de travail entrouverte charbon', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"charbon"}', 0), + (9339, 2, 4, 'Veste de travail entrouverte noir', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir"}', 0), + (9340, 2, 4, 'Veste de travail entrouverte taupe', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"taupe"}', 0), + (9341, 2, 4, 'Veste de travail entrouverte sable', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"sable"}', 0), + (9342, 2, 4, 'Veste de travail entrouverte camo olive', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo olive"}', 0), + (9343, 2, 4, 'Veste de travail entrouverte camo bleu', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu"}', 0), + (9344, 2, 4, 'Veste de travail entrouverte beige', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"beige"}', 0), + (9345, 2, 4, 'Veste de travail entrouverte anthracite', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"anthracite"}', 0), + (9346, 2, 4, 'Veste de travail entrouverte camel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camel"}', 0), + (9347, 2, 4, 'Veste de travail entrouverte gris', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"gris"}', 0), + (9348, 2, 4, 'Veste de travail entrouverte camo bleu ciel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo bleu ciel"}', 0), + (9349, 2, 4, 'Veste de travail entrouverte camo rose', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo rose"}', 0), + (9350, 2, 4, 'Veste de travail entrouverte ciel', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"ciel"}', 0), + (9351, 2, 4, 'Veste de travail entrouverte poil de chameau', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"poil de chameau"}', 0), + (9352, 2, 4, 'Veste de travail entrouverte ardoise', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"ardoise"}', 0), + (9353, 2, 4, 'Veste de travail entrouverte orange', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"orange"}', 0), + (9354, 2, 4, 'Veste de travail entrouverte noir-rouge', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"noir-rouge"}', 0), + (9355, 2, 4, 'Veste de travail entrouverte marine', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"marine"}', 0), + (9356, 2, 4, 'Veste de travail entrouverte blanc', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"blanc"}', 0), + (9357, 2, 4, 'Veste de travail entrouverte perle', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"perle"}', 0), + (9358, 2, 4, 'Veste de travail entrouverte marron', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"marron"}', 0), + (9359, 2, 4, 'Veste de travail entrouverte camo beige', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo beige"}', 0), + (9360, 2, 4, 'Veste de travail entrouverte géométrique kaki', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"géométrique kaki"}', 0), + (9361, 2, 4, 'Veste de travail entrouverte orage', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"orage"}', 0), + (9362, 2, 4, 'Veste de travail entrouverte camo gris', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"camo gris"}', 0), + (9363, 2, 4, 'Veste de travail entrouverte charbon', 50, '{"components":{"11":{"Drawable":256,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail entrouverte","colorLabel":"charbon"}', 0), + (9364, 3, 12, 'Veste Harrington bleu foncé', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu foncé"}', 0), + (9365, 3, 12, 'Veste Harrington pétrole', 50, '{"components":{"11":{"Drawable":257,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"pétrole"}', 0), + (9366, 3, 7, 'Chemise manches courtes rentrée bleu foncé', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches courtes rentrée","colorLabel":"bleu foncé"}', 0), + (9367, 3, 7, 'Chemise manches courtes rentrée pétrole', 50, '{"components":{"11":{"Drawable":258,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches courtes rentrée","colorLabel":"pétrole"}', 0), + (9368, 1, 5, 'Hoodie imperméable moutarde', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"moutarde"}', 0), + (9369, 1, 5, 'Hoodie imperméable noir', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir"}', 0), + (9370, 1, 5, 'Hoodie imperméable blanc', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"blanc"}', 0), + (9371, 1, 5, 'Hoodie imperméable gris', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"gris"}', 0), + (9372, 1, 5, 'Hoodie imperméable anthracite', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite"}', 0), + (9373, 1, 5, 'Hoodie imperméable vanille', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vanille"}', 0), + (9374, 1, 5, 'Hoodie imperméable poil de chameau', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"poil de chameau"}', 0), + (9375, 1, 5, 'Hoodie imperméable camo olive', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo olive"}', 0), + (9376, 1, 5, 'Hoodie imperméable camo bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu"}', 0), + (9377, 1, 5, 'Hoodie imperméable camo bleu ciel', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu ciel"}', 0), + (9378, 1, 5, 'Hoodie imperméable camo rose', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo rose"}', 0), + (9379, 1, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (9380, 1, 5, 'Hoodie imperméable perle', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"perle"}', 0), + (9381, 1, 5, 'Hoodie imperméable ardoise', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"ardoise"}', 0), + (9382, 1, 5, 'Hoodie imperméable taupe', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"taupe"}', 0), + (9383, 1, 5, 'Hoodie imperméable ciel', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"ciel"}', 0), + (9384, 1, 5, 'Hoodie imperméable orange', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"orange"}', 0), + (9385, 1, 5, 'Hoodie imperméable rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge"}', 0), + (9386, 1, 5, 'Hoodie imperméable vert', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vert"}', 0), + (9387, 1, 5, 'Hoodie imperméable marine', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"marine"}', 0), + (9388, 1, 5, 'Hoodie imperméable camo beige', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo beige"}', 0), + (9389, 1, 5, 'Hoodie imperméable géométrique kaki', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"géométrique kaki"}', 0), + (9390, 1, 5, 'Hoodie imperméable blanc-rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"blanc-rouge"}', 0), + (9391, 1, 5, 'Hoodie imperméable noir-rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-rouge"}', 0), + (9392, 1, 5, 'Hoodie imperméable noir-bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-bleu"}', 0), + (9393, 2, 5, 'Hoodie imperméable moutarde', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"moutarde"}', 0), + (9394, 2, 5, 'Hoodie imperméable noir', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir"}', 0), + (9395, 2, 5, 'Hoodie imperméable blanc', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"blanc"}', 0), + (9396, 2, 5, 'Hoodie imperméable gris', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"gris"}', 0), + (9397, 2, 5, 'Hoodie imperméable anthracite', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite"}', 0), + (9398, 2, 5, 'Hoodie imperméable vanille', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vanille"}', 0), + (9399, 2, 5, 'Hoodie imperméable poil de chameau', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"poil de chameau"}', 0), + (9400, 2, 5, 'Hoodie imperméable camo olive', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo olive"}', 0), + (9401, 2, 5, 'Hoodie imperméable camo bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu"}', 0), + (9402, 2, 5, 'Hoodie imperméable camo bleu ciel', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo bleu ciel"}', 0), + (9403, 2, 5, 'Hoodie imperméable camo rose', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo rose"}', 0), + (9404, 2, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (9405, 2, 5, 'Hoodie imperméable perle', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"perle"}', 0), + (9406, 2, 5, 'Hoodie imperméable ardoise', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"ardoise"}', 0), + (9407, 2, 5, 'Hoodie imperméable taupe', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"taupe"}', 0), + (9408, 2, 5, 'Hoodie imperméable ciel', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"ciel"}', 0), + (9409, 2, 5, 'Hoodie imperméable orange', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"orange"}', 0), + (9410, 2, 5, 'Hoodie imperméable rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge"}', 0), + (9411, 2, 5, 'Hoodie imperméable vert', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vert"}', 0), + (9412, 2, 5, 'Hoodie imperméable marine', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"marine"}', 0), + (9413, 2, 5, 'Hoodie imperméable camo beige', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo beige"}', 0), + (9414, 2, 5, 'Hoodie imperméable géométrique kaki', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"géométrique kaki"}', 0), + (9415, 2, 5, 'Hoodie imperméable blanc-rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"blanc-rouge"}', 0), + (9416, 2, 5, 'Hoodie imperméable noir-rouge', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-rouge"}', 0), + (9417, 2, 5, 'Hoodie imperméable noir-bleu', 50, '{"components":{"11":{"Drawable":259,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-bleu"}', 0), + (9418, 1, 5, 'Hoodie imperméable capuche tête moutarde', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"moutarde"}', 0), + (9419, 1, 5, 'Hoodie imperméable capuche tête noir', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir"}', 0), + (9420, 1, 5, 'Hoodie imperméable capuche tête blanc', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"blanc"}', 0), + (9421, 1, 5, 'Hoodie imperméable capuche tête gris', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"gris"}', 0), + (9422, 1, 5, 'Hoodie imperméable capuche tête anthracite', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite"}', 0), + (9423, 1, 5, 'Hoodie imperméable capuche tête vanille', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vanille"}', 0), + (9424, 1, 5, 'Hoodie imperméable capuche tête poil de chameau', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"poil de chameau"}', 0), + (9425, 1, 5, 'Hoodie imperméable capuche tête camo olive', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo olive"}', 0), + (9426, 1, 5, 'Hoodie imperméable capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu"}', 0), + (9427, 1, 5, 'Hoodie imperméable capuche tête camo bleu ciel', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu ciel"}', 0), + (9428, 1, 5, 'Hoodie imperméable capuche tête camo rose', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo rose"}', 0), + (9429, 1, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (9430, 1, 5, 'Hoodie imperméable capuche tête perle', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"perle"}', 0), + (9431, 1, 5, 'Hoodie imperméable capuche tête ardoise', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"ardoise"}', 0), + (9432, 1, 5, 'Hoodie imperméable capuche tête taupe', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"taupe"}', 0), + (9433, 1, 5, 'Hoodie imperméable capuche tête ciel', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"ciel"}', 0), + (9434, 1, 5, 'Hoodie imperméable capuche tête orange', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"orange"}', 0), + (9435, 1, 5, 'Hoodie imperméable capuche tête rouge', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge"}', 0), + (9436, 1, 5, 'Hoodie imperméable capuche tête vert', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vert"}', 0), + (9437, 1, 5, 'Hoodie imperméable capuche tête marine', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"marine"}', 0), + (9438, 1, 5, 'Hoodie imperméable capuche tête camo beige', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo beige"}', 0), + (9439, 1, 5, 'Hoodie imperméable capuche tête géométrique kaki', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"géométrique kaki"}', 0), + (9440, 1, 5, 'Hoodie imperméable capuche tête blanc-rouge', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"blanc-rouge"}', 0), + (9441, 1, 5, 'Hoodie imperméable capuche tête noir-rouge', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-rouge"}', 0), + (9442, 1, 5, 'Hoodie imperméable capuche tête noir-bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-bleu"}', 0), + (9443, 2, 5, 'Hoodie imperméable capuche tête moutarde', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"moutarde"}', 0), + (9444, 2, 5, 'Hoodie imperméable capuche tête noir', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir"}', 0), + (9445, 2, 5, 'Hoodie imperméable capuche tête blanc', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"blanc"}', 0), + (9446, 2, 5, 'Hoodie imperméable capuche tête gris', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"gris"}', 0), + (9447, 2, 5, 'Hoodie imperméable capuche tête anthracite', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite"}', 0), + (9448, 2, 5, 'Hoodie imperméable capuche tête vanille', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vanille"}', 0), + (9449, 2, 5, 'Hoodie imperméable capuche tête poil de chameau', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"poil de chameau"}', 0), + (9450, 2, 5, 'Hoodie imperméable capuche tête camo olive', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo olive"}', 0), + (9451, 2, 5, 'Hoodie imperméable capuche tête camo bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu"}', 0), + (9452, 2, 5, 'Hoodie imperméable capuche tête camo bleu ciel', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo bleu ciel"}', 0), + (9453, 2, 5, 'Hoodie imperméable capuche tête camo rose', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo rose"}', 0), + (9454, 2, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (9455, 2, 5, 'Hoodie imperméable capuche tête perle', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"perle"}', 0), + (9456, 2, 5, 'Hoodie imperméable capuche tête ardoise', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"ardoise"}', 0), + (9457, 2, 5, 'Hoodie imperméable capuche tête taupe', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"taupe"}', 0), + (9458, 2, 5, 'Hoodie imperméable capuche tête ciel', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"ciel"}', 0), + (9459, 2, 5, 'Hoodie imperméable capuche tête orange', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"orange"}', 0), + (9460, 2, 5, 'Hoodie imperméable capuche tête rouge', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge"}', 0), + (9461, 2, 5, 'Hoodie imperméable capuche tête vert', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vert"}', 0), + (9462, 2, 5, 'Hoodie imperméable capuche tête marine', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"marine"}', 0), + (9463, 2, 5, 'Hoodie imperméable capuche tête camo beige', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo beige"}', 0), + (9464, 2, 5, 'Hoodie imperméable capuche tête géométrique kaki', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"géométrique kaki"}', 0), + (9465, 2, 5, 'Hoodie imperméable capuche tête blanc-rouge', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"blanc-rouge"}', 0), + (9466, 2, 5, 'Hoodie imperméable capuche tête noir-rouge', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-rouge"}', 0), + (9467, 2, 5, 'Hoodie imperméable capuche tête noir-bleu', 50, '{"components":{"11":{"Drawable":261,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-bleu"}', 0), + (9468, 3, 12, 'Combinaison moulante moto noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir"}', 0), + (9469, 3, 12, 'Combinaison moulante moto noir-perle', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir-perle"}', 0), + (9470, 3, 12, 'Combinaison moulante moto beige', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"beige"}', 0), + (9471, 3, 12, 'Combinaison moulante moto vanille', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"vanille"}', 0), + (9472, 3, 12, 'Combinaison moulante moto noir-pourpre', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir-pourpre"}', 0), + (9473, 3, 12, 'Combinaison moulante moto noir-jaune', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir-jaune"}', 0), + (9474, 3, 12, 'Combinaison moulante moto noir-taupe', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir-taupe"}', 0), + (9475, 3, 12, 'Combinaison moulante moto noir-anthracite', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir-anthracite"}', 0), + (9476, 3, 12, 'Combinaison moulante moto camo gris-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"camo gris-noir"}', 0), + (9477, 3, 12, 'Combinaison moulante moto camo vert-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"camo vert-noir"}', 0), + (9478, 3, 12, 'Combinaison moulante moto géométrique kaki-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"géométrique kaki-noir"}', 0), + (9479, 3, 12, 'Combinaison moulante moto motis kaki-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"motis kaki-noir"}', 0), + (9480, 3, 12, 'Combinaison moulante moto carreaux fins-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"carreaux fins-noir"}', 0), + (9481, 3, 12, 'Combinaison moulante moto rouge-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"rouge-noir"}', 0), + (9482, 3, 12, 'Combinaison moulante moto noir motifs blanc-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"noir motifs blanc-noir"}', 0), + (9483, 3, 12, 'Combinaison moulante moto multicolore-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"multicolore-noir"}', 0), + (9484, 3, 12, 'Combinaison moulante moto zèbre-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"zèbre-noir"}', 0), + (9485, 3, 12, 'Combinaison moulante moto vert-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"vert-noir"}', 0), + (9486, 3, 12, 'Combinaison moulante moto abricot-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"abricot-noir"}', 0), + (9487, 3, 12, 'Combinaison moulante moto violet-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"violet-noir"}', 0), + (9488, 3, 12, 'Combinaison moulante moto rose-noir', 50, '{"components":{"11":{"Drawable":262,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison moulante moto","colorLabel":"rose-noir"}', 0), + (9489, 1, 12, 'Veste moto large bleu clair', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"bleu clair"}', 0), + (9490, 1, 12, 'Veste moto large feu', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"feu"}', 0), + (9491, 1, 12, 'Veste moto large blanc', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"blanc"}', 0), + (9492, 1, 12, 'Veste moto large vert', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"vert"}', 0), + (9493, 1, 12, 'Veste moto large abricot', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"abricot"}', 0), + (9494, 1, 12, 'Veste moto large violet', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"violet"}', 0), + (9495, 1, 12, 'Veste moto large rose', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"rose"}', 0), + (9496, 2, 12, 'Veste moto large bleu clair', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"bleu clair"}', 0), + (9497, 2, 12, 'Veste moto large feu', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"feu"}', 0), + (9498, 2, 12, 'Veste moto large blanc', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"blanc"}', 0), + (9499, 2, 12, 'Veste moto large vert', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"vert"}', 0), + (9500, 2, 12, 'Veste moto large abricot', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"abricot"}', 0), + (9501, 2, 12, 'Veste moto large violet', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"violet"}', 0), + (9502, 2, 12, 'Veste moto large rose', 50, '{"components":{"11":{"Drawable":263,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large","colorLabel":"rose"}', 0), + (9503, 1, 5, 'Sweat-shirt col en V blanc-jaune motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc-jaune motifs"}', 0), + (9504, 1, 5, 'Sweat-shirt col en V orange motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"orange motifs"}', 0), + (9505, 1, 5, 'Sweat-shirt col en V blanc-gris motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc-gris motifs"}', 0), + (9506, 1, 5, 'Sweat-shirt col en V noir-bleu motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"noir-bleu motifs"}', 0), + (9507, 1, 5, 'Sweat-shirt col en V rose motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rose motifs"}', 0), + (9508, 1, 5, 'Sweat-shirt col en V blanc-violet motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc-violet motifs"}', 0), + (9509, 1, 5, 'Sweat-shirt col en V bleu blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"bleu blanc"}', 0), + (9510, 1, 5, 'Sweat-shirt col en V violet vanille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"violet vanille"}', 0), + (9511, 1, 5, 'Sweat-shirt col en V turquoise bleu', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"turquoise bleu"}', 0), + (9512, 1, 5, 'Sweat-shirt col en V crème vanille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"crème vanille"}', 0), + (9513, 1, 5, 'Sweat-shirt col en V Bigness rose', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness rose"}', 0), + (9514, 1, 5, 'Sweat-shirt col en V Bigness turquoise', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness turquoise"}', 0), + (9515, 1, 5, 'Sweat-shirt col en V Bigness lime', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness lime"}', 0), + (9516, 1, 5, 'Sweat-shirt col en V Bigness rouge', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness rouge"}', 0), + (9517, 1, 5, 'Sweat-shirt col en V turquoise bleu', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"turquoise bleu"}', 0), + (9518, 1, 5, 'Sweat-shirt col en V noir vert', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"noir vert"}', 0), + (9519, 1, 5, 'Sweat-shirt col en V bleu jaune', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"bleu jaune"}', 0), + (9520, 1, 5, 'Sweat-shirt col en V noir rouge', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"noir rouge"}', 0), + (9521, 1, 5, 'Sweat-shirt col en V violet couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"violet couronne"}', 0), + (9522, 1, 5, 'Sweat-shirt col en V jaune couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"jaune couronne"}', 0), + (9523, 1, 5, 'Sweat-shirt col en V orange couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"orange couronne"}', 0), + (9524, 1, 5, 'Sweat-shirt col en V blanc couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc couronne"}', 0), + (9525, 1, 5, 'Sweat-shirt col en V vert blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"vert blanc"}', 0), + (9526, 1, 5, 'Sweat-shirt col en V orange beige', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"orange beige"}', 0), + (9527, 1, 5, 'Sweat-shirt col en V bleu blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"bleu blanc"}', 0), + (9528, 2, 5, 'Sweat-shirt col en V blanc-jaune motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc-jaune motifs"}', 0), + (9529, 2, 5, 'Sweat-shirt col en V orange motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"orange motifs"}', 0), + (9530, 2, 5, 'Sweat-shirt col en V blanc-gris motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc-gris motifs"}', 0), + (9531, 2, 5, 'Sweat-shirt col en V noir-bleu motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"noir-bleu motifs"}', 0), + (9532, 2, 5, 'Sweat-shirt col en V rose motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"rose motifs"}', 0), + (9533, 2, 5, 'Sweat-shirt col en V blanc-violet motifs', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc-violet motifs"}', 0), + (9534, 2, 5, 'Sweat-shirt col en V bleu blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"bleu blanc"}', 0), + (9535, 2, 5, 'Sweat-shirt col en V violet vanille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"violet vanille"}', 0), + (9536, 2, 5, 'Sweat-shirt col en V turquoise bleu', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"turquoise bleu"}', 0), + (9537, 2, 5, 'Sweat-shirt col en V crème vanille', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"crème vanille"}', 0), + (9538, 2, 5, 'Sweat-shirt col en V Bigness rose', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness rose"}', 0), + (9539, 2, 5, 'Sweat-shirt col en V Bigness turquoise', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness turquoise"}', 0), + (9540, 2, 5, 'Sweat-shirt col en V Bigness lime', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness lime"}', 0), + (9541, 2, 5, 'Sweat-shirt col en V Bigness rouge', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"Bigness rouge"}', 0), + (9542, 2, 5, 'Sweat-shirt col en V turquoise bleu', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"turquoise bleu"}', 0), + (9543, 2, 5, 'Sweat-shirt col en V noir vert', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"noir vert"}', 0), + (9544, 2, 5, 'Sweat-shirt col en V bleu jaune', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"bleu jaune"}', 0), + (9545, 2, 5, 'Sweat-shirt col en V noir rouge', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"noir rouge"}', 0), + (9546, 2, 5, 'Sweat-shirt col en V violet couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"violet couronne"}', 0), + (9547, 2, 5, 'Sweat-shirt col en V jaune couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"jaune couronne"}', 0), + (9548, 2, 5, 'Sweat-shirt col en V orange couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"orange couronne"}', 0), + (9549, 2, 5, 'Sweat-shirt col en V blanc couronne', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"blanc couronne"}', 0), + (9550, 2, 5, 'Sweat-shirt col en V vert blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"vert blanc"}', 0), + (9551, 2, 5, 'Sweat-shirt col en V orange beige', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"orange beige"}', 0), + (9552, 2, 5, 'Sweat-shirt col en V bleu blanc', 50, '{"components":{"11":{"Drawable":264,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col en V","colorLabel":"bleu blanc"}', 0), + (9553, 1, 12, 'Veste highschool football zip fermée puma violet', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma violet"}', 0), + (9554, 1, 12, 'Veste highschool football zip fermée puma orange', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma orange"}', 0), + (9555, 1, 12, 'Veste highschool football zip fermée puma bleu', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma bleu"}', 0), + (9556, 1, 12, 'Veste highschool football zip fermée puma jaune', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma jaune"}', 0), + (9557, 1, 12, 'Veste highschool football zip fermée SN violet', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN violet"}', 0), + (9558, 1, 12, 'Veste highschool football zip fermée SN vert', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN vert"}', 0), + (9559, 1, 12, 'Veste highschool football zip fermée SN abricot', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN abricot"}', 0), + (9560, 1, 12, 'Veste highschool football zip fermée SN orange', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN orange"}', 0), + (9561, 1, 12, 'Veste highschool football zip fermée noir logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"noir logo"}', 0), + (9562, 1, 12, 'Veste highschool football zip fermée gris logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"gris logo"}', 0), + (9563, 1, 12, 'Veste highschool football zip fermée bleu logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"bleu logo"}', 0), + (9564, 1, 12, 'Veste highschool football zip fermée rouge logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"rouge logo"}', 0), + (9565, 1, 12, 'Veste highschool football zip fermée vert', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"vert"}', 0), + (9566, 1, 12, 'Veste highschool football zip fermée camel', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"camel"}', 0), + (9567, 1, 12, 'Veste highschool football zip fermée bleu', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"bleu"}', 0), + (9568, 1, 12, 'Veste highschool football zip fermée rose', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"rose"}', 0), + (9569, 2, 12, 'Veste highschool football zip fermée puma violet', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma violet"}', 0), + (9570, 2, 12, 'Veste highschool football zip fermée puma orange', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma orange"}', 0), + (9571, 2, 12, 'Veste highschool football zip fermée puma bleu', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma bleu"}', 0), + (9572, 2, 12, 'Veste highschool football zip fermée puma jaune', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"puma jaune"}', 0), + (9573, 2, 12, 'Veste highschool football zip fermée SN violet', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN violet"}', 0), + (9574, 2, 12, 'Veste highschool football zip fermée SN vert', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN vert"}', 0), + (9575, 2, 12, 'Veste highschool football zip fermée SN abricot', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN abricot"}', 0), + (9576, 2, 12, 'Veste highschool football zip fermée SN orange', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"SN orange"}', 0), + (9577, 2, 12, 'Veste highschool football zip fermée noir logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"noir logo"}', 0), + (9578, 2, 12, 'Veste highschool football zip fermée gris logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"gris logo"}', 0), + (9579, 2, 12, 'Veste highschool football zip fermée bleu logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"bleu logo"}', 0), + (9580, 2, 12, 'Veste highschool football zip fermée rouge logo', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"rouge logo"}', 0), + (9581, 2, 12, 'Veste highschool football zip fermée vert', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"vert"}', 0), + (9582, 2, 12, 'Veste highschool football zip fermée camel', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"camel"}', 0), + (9583, 2, 12, 'Veste highschool football zip fermée bleu', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"bleu"}', 0), + (9584, 2, 12, 'Veste highschool football zip fermée rose', 50, '{"components":{"11":{"Drawable":265,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"rose"}', 0), + (9585, 3, 12, 'Veste Harrington Blagueur mamie', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur mamie"}', 0), + (9586, 3, 12, 'Veste Harrington Blagueur papillon', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur papillon"}', 0), + (9587, 3, 12, 'Veste Harrington Blagueur pastel', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur pastel"}', 0), + (9588, 3, 12, 'Veste Harrington Blagueur Kill Bill', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur Kill Bill"}', 0), + (9589, 3, 12, 'Veste Harrington Blagueur orange', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur orange"}', 0), + (9590, 3, 12, 'Veste Harrington Blagueur america', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur america"}', 0), + (9591, 3, 12, 'Veste Harrington Blagueur grenouille', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Blagueur grenouille"}', 0), + (9592, 3, 12, 'Veste Harrington Guffy poussin', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy poussin"}', 0), + (9593, 3, 12, 'Veste Harrington Guffy america', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy america"}', 0), + (9594, 3, 12, 'Veste Harrington Guffy abricot', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy abricot"}', 0), + (9595, 3, 12, 'Veste Harrington Guffy sunshine', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Guffy sunshine"}', 0), + (9596, 3, 12, 'Veste Harrington Santo Capra blanc', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra blanc"}', 0), + (9597, 3, 12, 'Veste Harrington Santo Capra rouge', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra rouge"}', 0), + (9598, 3, 12, 'Veste Harrington Santo Capra léopard gris', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra léopard gris"}', 0), + (9599, 3, 12, 'Veste Harrington Santo Capra rose', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra rose"}', 0), + (9600, 3, 12, 'Veste Harrington Santo Capra orchidée', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra orchidée"}', 0), + (9601, 3, 12, 'Veste Harrington Santo Capra noir', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra noir"}', 0), + (9602, 3, 12, 'Veste Harrington Santo Capra jaune', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra jaune"}', 0), + (9603, 3, 12, 'Veste Harrington Santo Capra bleu', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra bleu"}', 0), + (9604, 3, 12, 'Veste Harrington Santo Capra framboise', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"Santo Capra framboise"}', 0), + (9605, 3, 12, 'Veste Harrington vert', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"vert"}', 0), + (9606, 3, 12, 'Veste Harrington moutarde', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"moutarde"}', 0), + (9607, 3, 12, 'Veste Harrington bleu', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"bleu"}', 0), + (9608, 3, 12, 'Veste Harrington rose', 50, '{"components":{"11":{"Drawable":266,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste Harrington","colorLabel":"rose"}', 0), + (9609, 3, 12, 'Gilet chaud carreaux bleu', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux bleu"}', 0), + (9610, 3, 12, 'Gilet chaud carreaux rose', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux rose"}', 0), + (9611, 3, 12, 'Gilet chaud carreaux orange', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux orange"}', 0), + (9612, 3, 12, 'Gilet chaud carreaux rouge', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux rouge"}', 0), + (9613, 3, 12, 'Gilet chaud carreaux gris', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux gris"}', 0), + (9614, 3, 12, 'Gilet chaud carreaux bleu-blanc', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux bleu-blanc"}', 0), + (9615, 3, 12, 'Gilet chaud carreaux rouge-gris', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux rouge-gris"}', 0), + (9616, 3, 12, 'Gilet chaud carreaux jaune', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux jaune"}', 0), + (9617, 3, 12, 'Gilet chaud carreaux fuschia', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux fuschia"}', 0), + (9618, 3, 12, 'Gilet chaud carreaux turquoise', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux turquoise"}', 0), + (9619, 3, 12, 'Gilet chaud carreaux vert', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"carreaux vert"}', 0), + (9620, 3, 12, 'Gilet chaud vert', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"vert"}', 0), + (9621, 3, 12, 'Gilet chaud orange', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"orange"}', 0), + (9622, 3, 12, 'Gilet chaud bleu', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"bleu"}', 0), + (9623, 3, 12, 'Gilet chaud rose', 50, '{"components":{"11":{"Drawable":267,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet chaud","colorLabel":"rose"}', 0), + (9624, 1, 9, 'Pull manches 3/4 motifs bleus', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs bleus"}', 0), + (9625, 1, 9, 'Pull manches 3/4 motifs jaune', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs jaune"}', 0), + (9626, 1, 9, 'Pull manches 3/4 motifs orange', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs orange"}', 0), + (9627, 1, 9, 'Pull manches 3/4 tropical vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"tropical vert"}', 0), + (9628, 1, 9, 'Pull manches 3/4 tropical crème', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"tropical crème"}', 0), + (9629, 1, 9, 'Pull manches 3/4 tropical jaune', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"tropical jaune"}', 0), + (9630, 1, 9, 'Pull manches 3/4 Perseus bleu', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus bleu"}', 0), + (9631, 1, 9, 'Pull manches 3/4 Perseus taupe', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus taupe"}', 0), + (9632, 1, 9, 'Pull manches 3/4 Perseus marron', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus marron"}', 0), + (9633, 1, 9, 'Pull manches 3/4 Perseus sable', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus sable"}', 0), + (9634, 1, 9, 'Pull manches 3/4 feuilles vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles vert"}', 0), + (9635, 1, 9, 'Pull manches 3/4 feuilles violet', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles violet"}', 0), + (9636, 1, 9, 'Pull manches 3/4 feuilles bleu', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles bleu"}', 0), + (9637, 1, 9, 'Pull manches 3/4 feuilles rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles rouge"}', 0), + (9638, 1, 9, 'Pull manches 3/4 fleurs noir', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs noir"}', 0), + (9639, 1, 9, 'Pull manches 3/4 fleurs violet', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs violet"}', 0), + (9640, 1, 9, 'Pull manches 3/4 fleurs blanc', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs blanc"}', 0), + (9641, 1, 9, 'Pull manches 3/4 fleurs abricot', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs abricot"}', 0), + (9642, 1, 9, 'Pull manches 3/4 fleurs rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs rouge"}', 0), + (9643, 1, 9, 'Pull manches 3/4 fleurs bleu', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs bleu"}', 0), + (9644, 1, 9, 'Pull manches 3/4 fleurs noir-rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs noir-rouge"}', 0), + (9645, 1, 9, 'Pull manches 3/4 fleurs rose-vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs rose-vert"}', 0), + (9646, 1, 9, 'Pull manches 3/4 vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"vert"}', 0), + (9647, 1, 9, 'Pull manches 3/4 camel', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"camel"}', 0), + (9648, 1, 9, 'Pull manches 3/4 violet', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"violet"}', 0), + (9649, 2, 9, 'Pull manches 3/4 motifs bleus', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs bleus"}', 0), + (9650, 2, 9, 'Pull manches 3/4 motifs jaune', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs jaune"}', 0), + (9651, 2, 9, 'Pull manches 3/4 motifs orange', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"motifs orange"}', 0), + (9652, 2, 9, 'Pull manches 3/4 tropical vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"tropical vert"}', 0), + (9653, 2, 9, 'Pull manches 3/4 tropical crème', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"tropical crème"}', 0), + (9654, 2, 9, 'Pull manches 3/4 tropical jaune', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"tropical jaune"}', 0), + (9655, 2, 9, 'Pull manches 3/4 Perseus bleu', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus bleu"}', 0), + (9656, 2, 9, 'Pull manches 3/4 Perseus taupe', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus taupe"}', 0), + (9657, 2, 9, 'Pull manches 3/4 Perseus marron', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus marron"}', 0), + (9658, 2, 9, 'Pull manches 3/4 Perseus sable', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Perseus sable"}', 0), + (9659, 2, 9, 'Pull manches 3/4 feuilles vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles vert"}', 0), + (9660, 2, 9, 'Pull manches 3/4 feuilles violet', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles violet"}', 0), + (9661, 2, 9, 'Pull manches 3/4 feuilles bleu', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles bleu"}', 0), + (9662, 2, 9, 'Pull manches 3/4 feuilles rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"feuilles rouge"}', 0), + (9663, 2, 9, 'Pull manches 3/4 fleurs noir', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs noir"}', 0), + (9664, 2, 9, 'Pull manches 3/4 fleurs violet', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs violet"}', 0), + (9665, 2, 9, 'Pull manches 3/4 fleurs blanc', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs blanc"}', 0), + (9666, 2, 9, 'Pull manches 3/4 fleurs abricot', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs abricot"}', 0), + (9667, 2, 9, 'Pull manches 3/4 fleurs rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs rouge"}', 0), + (9668, 2, 9, 'Pull manches 3/4 fleurs bleu', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs bleu"}', 0), + (9669, 2, 9, 'Pull manches 3/4 fleurs noir-rouge', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs noir-rouge"}', 0), + (9670, 2, 9, 'Pull manches 3/4 fleurs rose-vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"fleurs rose-vert"}', 0), + (9671, 2, 9, 'Pull manches 3/4 vert', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"vert"}', 0), + (9672, 2, 9, 'Pull manches 3/4 camel', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"camel"}', 0), + (9673, 2, 9, 'Pull manches 3/4 violet', 50, '{"components":{"11":{"Drawable":268,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"violet"}', 0), + (9674, 1, 7, 'Chemise manches 1/2 fermée dragon rouge', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dragon rouge"}', 0), + (9675, 1, 7, 'Chemise manches 1/2 fermée dragon noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dragon noir"}', 0), + (9676, 1, 7, 'Chemise manches 1/2 fermée savane jaune', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane jaune"}', 0), + (9677, 1, 7, 'Chemise manches 1/2 fermée savane bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane bleu"}', 0), + (9678, 1, 7, 'Chemise manches 1/2 fermée savane rose', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane rose"}', 0), + (9679, 1, 7, 'Chemise manches 1/2 fermée savane gris', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane gris"}', 0), + (9680, 1, 7, 'Chemise manches 1/2 fermée feuilles beige', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles beige"}', 0), + (9681, 1, 7, 'Chemise manches 1/2 fermée feuilles corail', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles corail"}', 0), + (9682, 1, 7, 'Chemise manches 1/2 fermée feuilles vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles vert"}', 0), + (9683, 1, 7, 'Chemise manches 1/2 fermée feuilles turquoise', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles turquoise"}', 0), + (9684, 1, 7, 'Chemise manches 1/2 fermée feuillage bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage bleu"}', 0), + (9685, 1, 7, 'Chemise manches 1/2 fermée feuillage gris', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage gris"}', 0), + (9686, 1, 7, 'Chemise manches 1/2 fermée feuillage rouge', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage rouge"}', 0), + (9687, 1, 7, 'Chemise manches 1/2 fermée feuillage crème', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage crème"}', 0), + (9688, 1, 7, 'Chemise manches 1/2 fermée bouquet pétrole', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bouquet pétrole"}', 0), + (9689, 1, 7, 'Chemise manches 1/2 fermée bouquet bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bouquet bleu"}', 0), + (9690, 1, 7, 'Chemise manches 1/2 fermée tournesol rose', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tournesol rose"}', 0), + (9691, 1, 7, 'Chemise manches 1/2 fermée fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs rouge-noir"}', 0), + (9692, 1, 7, 'Chemise manches 1/2 fermée dégradé rose-vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé rose-vert"}', 0), + (9693, 1, 7, 'Chemise manches 1/2 fermée dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé orange-bleu"}', 0), + (9694, 1, 7, 'Chemise manches 1/2 fermée dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé blanc-noir"}', 0), + (9695, 1, 7, 'Chemise manches 1/2 fermée dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé jaune-bleu"}', 0), + (9696, 1, 7, 'Chemise manches 1/2 fermée vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"vert"}', 0), + (9697, 1, 7, 'Chemise manches 1/2 fermée jaune', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"jaune"}', 0), + (9698, 1, 7, 'Chemise manches 1/2 fermée bleu foncé', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bleu foncé"}', 0), + (9699, 2, 7, 'Chemise manches 1/2 fermée dragon rouge', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dragon rouge"}', 0), + (9700, 2, 7, 'Chemise manches 1/2 fermée dragon noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dragon noir"}', 0), + (9701, 2, 7, 'Chemise manches 1/2 fermée savane jaune', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane jaune"}', 0), + (9702, 2, 7, 'Chemise manches 1/2 fermée savane bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane bleu"}', 0), + (9703, 2, 7, 'Chemise manches 1/2 fermée savane rose', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane rose"}', 0), + (9704, 2, 7, 'Chemise manches 1/2 fermée savane gris', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"savane gris"}', 0), + (9705, 2, 7, 'Chemise manches 1/2 fermée feuilles beige', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles beige"}', 0), + (9706, 2, 7, 'Chemise manches 1/2 fermée feuilles corail', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles corail"}', 0), + (9707, 2, 7, 'Chemise manches 1/2 fermée feuilles vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles vert"}', 0), + (9708, 2, 7, 'Chemise manches 1/2 fermée feuilles turquoise', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuilles turquoise"}', 0), + (9709, 2, 7, 'Chemise manches 1/2 fermée feuillage bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage bleu"}', 0), + (9710, 2, 7, 'Chemise manches 1/2 fermée feuillage gris', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage gris"}', 0), + (9711, 2, 7, 'Chemise manches 1/2 fermée feuillage rouge', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage rouge"}', 0), + (9712, 2, 7, 'Chemise manches 1/2 fermée feuillage crème', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"feuillage crème"}', 0), + (9713, 2, 7, 'Chemise manches 1/2 fermée bouquet pétrole', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bouquet pétrole"}', 0), + (9714, 2, 7, 'Chemise manches 1/2 fermée bouquet bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bouquet bleu"}', 0), + (9715, 2, 7, 'Chemise manches 1/2 fermée tournesol rose', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tournesol rose"}', 0), + (9716, 2, 7, 'Chemise manches 1/2 fermée fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs rouge-noir"}', 0), + (9717, 2, 7, 'Chemise manches 1/2 fermée dégradé rose-vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé rose-vert"}', 0), + (9718, 2, 7, 'Chemise manches 1/2 fermée dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé orange-bleu"}', 0), + (9719, 2, 7, 'Chemise manches 1/2 fermée dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé blanc-noir"}', 0), + (9720, 2, 7, 'Chemise manches 1/2 fermée dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"dégradé jaune-bleu"}', 0), + (9721, 2, 7, 'Chemise manches 1/2 fermée vert', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"vert"}', 0), + (9722, 2, 7, 'Chemise manches 1/2 fermée jaune', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"jaune"}', 0), + (9723, 2, 7, 'Chemise manches 1/2 fermée bleu foncé', 50, '{"components":{"11":{"Drawable":269,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bleu foncé"}', 0), + (9724, 1, 12, 'Veste highschool football zip ouverte puma violet', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma violet"}', 0), + (9725, 1, 12, 'Veste highschool football zip ouverte puma orange', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma orange"}', 0), + (9726, 1, 12, 'Veste highschool football zip ouverte puma bleu', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma bleu"}', 0), + (9727, 1, 12, 'Veste highschool football zip ouverte puma jaune', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma jaune"}', 0), + (9728, 1, 12, 'Veste highschool football zip ouverte SN violet', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN violet"}', 0), + (9729, 1, 12, 'Veste highschool football zip ouverte SN vert', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN vert"}', 0), + (9730, 1, 12, 'Veste highschool football zip ouverte SN abricot', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN abricot"}', 0), + (9731, 1, 12, 'Veste highschool football zip ouverte SN orange', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN orange"}', 0), + (9732, 1, 12, 'Veste highschool football zip ouverte noir logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"noir logo"}', 0), + (9733, 1, 12, 'Veste highschool football zip ouverte gris logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"gris logo"}', 0), + (9734, 1, 12, 'Veste highschool football zip ouverte bleu logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu logo"}', 0), + (9735, 1, 12, 'Veste highschool football zip ouverte rouge logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rouge logo"}', 0), + (9736, 1, 12, 'Veste highschool football zip ouverte vert', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"vert"}', 0), + (9737, 1, 12, 'Veste highschool football zip ouverte camel', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"camel"}', 0), + (9738, 1, 12, 'Veste highschool football zip ouverte bleu', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu"}', 0), + (9739, 1, 12, 'Veste highschool football zip ouverte rose', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rose"}', 0), + (9740, 2, 12, 'Veste highschool football zip ouverte puma violet', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma violet"}', 0), + (9741, 2, 12, 'Veste highschool football zip ouverte puma orange', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma orange"}', 0), + (9742, 2, 12, 'Veste highschool football zip ouverte puma bleu', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma bleu"}', 0), + (9743, 2, 12, 'Veste highschool football zip ouverte puma jaune', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"puma jaune"}', 0), + (9744, 2, 12, 'Veste highschool football zip ouverte SN violet', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN violet"}', 0), + (9745, 2, 12, 'Veste highschool football zip ouverte SN vert', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN vert"}', 0), + (9746, 2, 12, 'Veste highschool football zip ouverte SN abricot', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN abricot"}', 0), + (9747, 2, 12, 'Veste highschool football zip ouverte SN orange', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"SN orange"}', 0), + (9748, 2, 12, 'Veste highschool football zip ouverte noir logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"noir logo"}', 0), + (9749, 2, 12, 'Veste highschool football zip ouverte gris logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"gris logo"}', 0), + (9750, 2, 12, 'Veste highschool football zip ouverte bleu logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu logo"}', 0), + (9751, 2, 12, 'Veste highschool football zip ouverte rouge logo', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rouge logo"}', 0), + (9752, 2, 12, 'Veste highschool football zip ouverte vert', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"vert"}', 0), + (9753, 2, 12, 'Veste highschool football zip ouverte camel', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"camel"}', 0), + (9754, 2, 12, 'Veste highschool football zip ouverte bleu', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"bleu"}', 0), + (9755, 2, 12, 'Veste highschool football zip ouverte rose', 50, '{"components":{"11":{"Drawable":270,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"rose"}', 0), + (9756, 1, 5, 'Hoodie oversize Blag anthracite', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag anthracite"}', 0), + (9757, 1, 5, 'Hoodie oversize Blag noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag noir"}', 0), + (9758, 1, 5, 'Hoodie oversize Blag blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag blanc"}', 0), + (9759, 1, 5, 'Hoodie oversize Blag gris', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag gris"}', 0), + (9760, 1, 5, 'Hoodie oversize Guffy noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy noir"}', 0), + (9761, 1, 5, 'Hoodie oversize Guffy vert', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy vert"}', 0), + (9762, 1, 5, 'Hoodie oversize Guffy brun', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy brun"}', 0), + (9763, 1, 5, 'Hoodie oversize Guffy corail', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy corail"}', 0), + (9764, 1, 5, 'Hoodie oversize Guffy bleu', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy bleu"}', 0), + (9765, 1, 5, 'Hoodie oversize Guffy turquoise', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy turquoise"}', 0), + (9766, 1, 5, 'Hoodie oversize léopard vert', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"léopard vert"}', 0), + (9767, 1, 5, 'Hoodie oversize léopard violet', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"léopard violet"}', 0), + (9768, 1, 5, 'Hoodie oversize NS bleu ciel', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"NS bleu ciel"}', 0), + (9769, 1, 5, 'Hoodie oversize NS jaune', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"NS jaune"}', 0), + (9770, 1, 5, 'Hoodie oversize NS rose', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"NS rose"}', 0), + (9771, 1, 5, 'Hoodie oversize G blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"G blanc"}', 0), + (9772, 2, 5, 'Hoodie oversize Blag anthracite', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag anthracite"}', 0), + (9773, 2, 5, 'Hoodie oversize Blag noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag noir"}', 0), + (9774, 2, 5, 'Hoodie oversize Blag blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag blanc"}', 0), + (9775, 2, 5, 'Hoodie oversize Blag gris', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag gris"}', 0), + (9776, 2, 5, 'Hoodie oversize Guffy noir', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy noir"}', 0), + (9777, 2, 5, 'Hoodie oversize Guffy vert', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy vert"}', 0), + (9778, 2, 5, 'Hoodie oversize Guffy brun', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy brun"}', 0), + (9779, 2, 5, 'Hoodie oversize Guffy corail', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy corail"}', 0), + (9780, 2, 5, 'Hoodie oversize Guffy bleu', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy bleu"}', 0), + (9781, 2, 5, 'Hoodie oversize Guffy turquoise', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Guffy turquoise"}', 0), + (9782, 2, 5, 'Hoodie oversize léopard vert', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"léopard vert"}', 0), + (9783, 2, 5, 'Hoodie oversize léopard violet', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"léopard violet"}', 0), + (9784, 2, 5, 'Hoodie oversize NS bleu ciel', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"NS bleu ciel"}', 0), + (9785, 2, 5, 'Hoodie oversize NS jaune', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"NS jaune"}', 0), + (9786, 2, 5, 'Hoodie oversize NS rose', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"NS rose"}', 0), + (9787, 2, 5, 'Hoodie oversize G blanc', 50, '{"components":{"11":{"Drawable":271,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"G blanc"}', 0), + (9788, 1, 5, 'Hoodie oversize capuche tête Blag anthracite', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag anthracite"}', 0), + (9789, 1, 5, 'Hoodie oversize capuche tête Blag noir', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag noir"}', 0), + (9790, 1, 5, 'Hoodie oversize capuche tête Blag blanc', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag blanc"}', 0), + (9791, 1, 5, 'Hoodie oversize capuche tête Blag gris', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag gris"}', 0), + (9792, 1, 5, 'Hoodie oversize capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy noir"}', 0), + (9793, 1, 5, 'Hoodie oversize capuche tête Guffy vert', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy vert"}', 0), + (9794, 1, 5, 'Hoodie oversize capuche tête Guffy brun', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy brun"}', 0), + (9795, 1, 5, 'Hoodie oversize capuche tête Guffy corail', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy corail"}', 0), + (9796, 1, 5, 'Hoodie oversize capuche tête Guffy bleu', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy bleu"}', 0), + (9797, 1, 5, 'Hoodie oversize capuche tête Guffy turquoise', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy turquoise"}', 0), + (9798, 1, 5, 'Hoodie oversize capuche tête léopard vert', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard vert"}', 0), + (9799, 1, 5, 'Hoodie oversize capuche tête léopard violet', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard violet"}', 0), + (9800, 1, 5, 'Hoodie oversize capuche tête NS bleu ciel', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"NS bleu ciel"}', 0), + (9801, 1, 5, 'Hoodie oversize capuche tête NS jaune', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"NS jaune"}', 0), + (9802, 1, 5, 'Hoodie oversize capuche tête NS rose', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"NS rose"}', 0), + (9803, 1, 5, 'Hoodie oversize capuche tête G blanc', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"G blanc"}', 0), + (9804, 2, 5, 'Hoodie oversize capuche tête Blag anthracite', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag anthracite"}', 0), + (9805, 2, 5, 'Hoodie oversize capuche tête Blag noir', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag noir"}', 0), + (9806, 2, 5, 'Hoodie oversize capuche tête Blag blanc', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag blanc"}', 0), + (9807, 2, 5, 'Hoodie oversize capuche tête Blag gris', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag gris"}', 0), + (9808, 2, 5, 'Hoodie oversize capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy noir"}', 0), + (9809, 2, 5, 'Hoodie oversize capuche tête Guffy vert', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy vert"}', 0), + (9810, 2, 5, 'Hoodie oversize capuche tête Guffy brun', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy brun"}', 0), + (9811, 2, 5, 'Hoodie oversize capuche tête Guffy corail', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy corail"}', 0), + (9812, 2, 5, 'Hoodie oversize capuche tête Guffy bleu', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy bleu"}', 0), + (9813, 2, 5, 'Hoodie oversize capuche tête Guffy turquoise', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Guffy turquoise"}', 0), + (9814, 2, 5, 'Hoodie oversize capuche tête léopard vert', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard vert"}', 0), + (9815, 2, 5, 'Hoodie oversize capuche tête léopard violet', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"léopard violet"}', 0), + (9816, 2, 5, 'Hoodie oversize capuche tête NS bleu ciel', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"NS bleu ciel"}', 0), + (9817, 2, 5, 'Hoodie oversize capuche tête NS jaune', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"NS jaune"}', 0), + (9818, 2, 5, 'Hoodie oversize capuche tête NS rose', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"NS rose"}', 0), + (9819, 2, 5, 'Hoodie oversize capuche tête G blanc', 50, '{"components":{"11":{"Drawable":272,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"G blanc"}', 0), + (9820, 3, 12, 'Perfecto matelassé simili cuir à boucle noir', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"noir"}', 0), + (9821, 3, 12, 'Perfecto matelassé simili cuir à boucle crème', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"crème"}', 0), + (9822, 3, 12, 'Perfecto matelassé simili cuir à boucle rouge', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"rouge"}', 0), + (9823, 3, 12, 'Perfecto matelassé simili cuir à boucle camel', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"camel"}', 0), + (9824, 3, 12, 'Perfecto matelassé simili cuir à boucle bleu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"bleu"}', 0), + (9825, 3, 12, 'Perfecto matelassé simili cuir à boucle citrouille', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"citrouille"}', 0), + (9826, 3, 12, 'Perfecto matelassé simili cuir à boucle gris', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"gris"}', 0), + (9827, 3, 12, 'Perfecto matelassé simili cuir à boucle jaune', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"jaune"}', 0), + (9828, 3, 12, 'Perfecto matelassé simili cuir à boucle vanille', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"vanille"}', 0), + (9829, 3, 12, 'Perfecto matelassé simili cuir à boucle feu', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"feu"}', 0), + (9830, 3, 12, 'Perfecto matelassé simili cuir à boucle vert d\'eau', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"vert d\'eau"}', 0), + (9831, 3, 12, 'Perfecto matelassé simili cuir à boucle beige', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"beige"}', 0), + (9832, 3, 12, 'Perfecto matelassé simili cuir à boucle brun', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"brun"}', 0), + (9833, 3, 12, 'Perfecto matelassé simili cuir à boucle blanc', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"blanc"}', 0), + (9834, 3, 12, 'Perfecto matelassé simili cuir à boucle bleu clair', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"bleu clair"}', 0), + (9835, 3, 12, 'Perfecto matelassé simili cuir à boucle orange', 50, '{"components":{"11":{"Drawable":273,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto matelassé simili cuir à boucle","colorLabel":"orange"}', 0), + (9836, 1, 5, 'Bomber fermé pois violets', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois violets"}', 0), + (9837, 1, 5, 'Bomber fermé pois bleu-jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois bleu-jaune"}', 0), + (9838, 1, 5, 'Bomber fermé pois abricot-brun', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois abricot-brun"}', 0), + (9839, 1, 5, 'Bomber fermé pois bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois bleu"}', 0), + (9840, 1, 5, 'Bomber fermé léopard vert', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard vert"}', 0), + (9841, 1, 5, 'Bomber fermé léopard beige', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard beige"}', 0), + (9842, 1, 5, 'Bomber fermé léopard rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard rose"}', 0), + (9843, 1, 5, 'Bomber fermé léopard turquoise', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard turquoise"}', 0), + (9844, 1, 5, 'Bomber fermé zèbre blanc', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"zèbre blanc"}', 0), + (9845, 1, 5, 'Bomber fermé léopard blanc', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard blanc"}', 0), + (9846, 1, 5, 'Bomber fermé SN marron', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN marron"}', 0), + (9847, 1, 5, 'Bomber fermé SN anthracite', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN anthracite"}', 0), + (9848, 1, 5, 'Bomber fermé SN blanc', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN blanc"}', 0), + (9849, 1, 5, 'Bomber fermé SN jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN jaune"}', 0), + (9850, 1, 5, 'Bomber fermé SN multicolore', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN multicolore"}', 0), + (9851, 1, 5, 'Bomber fermé SN triangle beige', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN triangle beige"}', 0), + (9852, 1, 5, 'Bomber fermé SN losange beige', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN losange beige"}', 0), + (9853, 1, 5, 'Bomber fermé SN losange multicolore', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN losange multicolore"}', 0), + (9854, 2, 5, 'Bomber fermé pois violets', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois violets"}', 0), + (9855, 2, 5, 'Bomber fermé pois bleu-jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois bleu-jaune"}', 0), + (9856, 2, 5, 'Bomber fermé pois abricot-brun', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois abricot-brun"}', 0), + (9857, 2, 5, 'Bomber fermé pois bleu', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"pois bleu"}', 0), + (9858, 2, 5, 'Bomber fermé léopard vert', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard vert"}', 0), + (9859, 2, 5, 'Bomber fermé léopard beige', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard beige"}', 0), + (9860, 2, 5, 'Bomber fermé léopard rose', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard rose"}', 0), + (9861, 2, 5, 'Bomber fermé léopard turquoise', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard turquoise"}', 0), + (9862, 2, 5, 'Bomber fermé zèbre blanc', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"zèbre blanc"}', 0), + (9863, 2, 5, 'Bomber fermé léopard blanc', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"léopard blanc"}', 0), + (9864, 2, 5, 'Bomber fermé SN marron', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN marron"}', 0), + (9865, 2, 5, 'Bomber fermé SN anthracite', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN anthracite"}', 0), + (9866, 2, 5, 'Bomber fermé SN blanc', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN blanc"}', 0), + (9867, 2, 5, 'Bomber fermé SN jaune', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN jaune"}', 0), + (9868, 2, 5, 'Bomber fermé SN multicolore', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN multicolore"}', 0), + (9869, 2, 5, 'Bomber fermé SN triangle beige', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN triangle beige"}', 0), + (9870, 2, 5, 'Bomber fermé SN losange beige', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN losange beige"}', 0), + (9871, 2, 5, 'Bomber fermé SN losange multicolore', 50, '{"components":{"11":{"Drawable":274,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bomber fermé","colorLabel":"SN losange multicolore"}', 0), + (9872, 1, 5, 'Bomber ouvert pois violets', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois violets"}', 0), + (9873, 1, 5, 'Bomber ouvert pois bleu-jaune', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois bleu-jaune"}', 0), + (9874, 1, 5, 'Bomber ouvert pois abricot-brun', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois abricot-brun"}', 0), + (9875, 1, 5, 'Bomber ouvert pois bleu', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois bleu"}', 0), + (9876, 1, 5, 'Bomber ouvert léopard vert', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard vert"}', 0), + (9877, 1, 5, 'Bomber ouvert léopard beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard beige"}', 0), + (9878, 1, 5, 'Bomber ouvert léopard rose', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard rose"}', 0), + (9879, 1, 5, 'Bomber ouvert léopard turquoise', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard turquoise"}', 0), + (9880, 1, 5, 'Bomber ouvert zèbre blanc', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"zèbre blanc"}', 0), + (9881, 1, 5, 'Bomber ouvert léopard blanc', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard blanc"}', 0), + (9882, 1, 5, 'Bomber ouvert SN marron', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN marron"}', 0), + (9883, 1, 5, 'Bomber ouvert SN anthracite', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN anthracite"}', 0), + (9884, 1, 5, 'Bomber ouvert SN blanc', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN blanc"}', 0), + (9885, 1, 5, 'Bomber ouvert SN jaune', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN jaune"}', 0), + (9886, 1, 5, 'Bomber ouvert SN multicolore', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN multicolore"}', 0), + (9887, 1, 5, 'Bomber ouvert SN triangle beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN triangle beige"}', 0), + (9888, 1, 5, 'Bomber ouvert SN losange beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN losange beige"}', 0), + (9889, 1, 5, 'Bomber ouvert SN losange multicolore', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN losange multicolore"}', 0), + (9890, 2, 5, 'Bomber ouvert pois violets', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois violets"}', 0), + (9891, 2, 5, 'Bomber ouvert pois bleu-jaune', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois bleu-jaune"}', 0), + (9892, 2, 5, 'Bomber ouvert pois abricot-brun', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois abricot-brun"}', 0), + (9893, 2, 5, 'Bomber ouvert pois bleu', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"pois bleu"}', 0), + (9894, 2, 5, 'Bomber ouvert léopard vert', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard vert"}', 0), + (9895, 2, 5, 'Bomber ouvert léopard beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard beige"}', 0), + (9896, 2, 5, 'Bomber ouvert léopard rose', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard rose"}', 0), + (9897, 2, 5, 'Bomber ouvert léopard turquoise', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard turquoise"}', 0), + (9898, 2, 5, 'Bomber ouvert zèbre blanc', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"zèbre blanc"}', 0), + (9899, 2, 5, 'Bomber ouvert léopard blanc', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"léopard blanc"}', 0), + (9900, 2, 5, 'Bomber ouvert SN marron', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN marron"}', 0), + (9901, 2, 5, 'Bomber ouvert SN anthracite', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN anthracite"}', 0), + (9902, 2, 5, 'Bomber ouvert SN blanc', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN blanc"}', 0), + (9903, 2, 5, 'Bomber ouvert SN jaune', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN jaune"}', 0), + (9904, 2, 5, 'Bomber ouvert SN multicolore', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN multicolore"}', 0), + (9905, 2, 5, 'Bomber ouvert SN triangle beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN triangle beige"}', 0), + (9906, 2, 5, 'Bomber ouvert SN losange beige', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN losange beige"}', 0), + (9907, 2, 5, 'Bomber ouvert SN losange multicolore', 50, '{"components":{"11":{"Drawable":275,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Bomber ouvert","colorLabel":"SN losange multicolore"}', 0), + (9908, 1, 4, 'Manteau court fermé vert floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"vert floqué"}', 0), + (9909, 1, 4, 'Manteau court fermé noir floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"noir floqué"}', 0), + (9910, 1, 4, 'Manteau court fermé gris floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"gris floqué"}', 0), + (9911, 1, 4, 'Manteau court fermé rouge floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"rouge floqué"}', 0), + (9912, 1, 4, 'Manteau court fermé orange floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"orange floqué"}', 0), + (9913, 2, 4, 'Manteau court fermé vert floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"vert floqué"}', 0), + (9914, 2, 4, 'Manteau court fermé noir floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"noir floqué"}', 0), + (9915, 2, 4, 'Manteau court fermé gris floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"gris floqué"}', 0), + (9916, 2, 4, 'Manteau court fermé rouge floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"rouge floqué"}', 0), + (9917, 2, 4, 'Manteau court fermé orange floqué', 50, '{"components":{"11":{"Drawable":276,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court fermé","colorLabel":"orange floqué"}', 0), + (9918, 1, 4, 'Manteau court ouvert vert floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"vert floqué"}', 0), + (9919, 1, 4, 'Manteau court ouvert noir floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"noir floqué"}', 0), + (9920, 1, 4, 'Manteau court ouvert gris floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"gris floqué"}', 0), + (9921, 1, 4, 'Manteau court ouvert rouge floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"rouge floqué"}', 0), + (9922, 1, 4, 'Manteau court ouvert orange floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"orange floqué"}', 0), + (9923, 2, 4, 'Manteau court ouvert vert floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"vert floqué"}', 0), + (9924, 2, 4, 'Manteau court ouvert noir floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"noir floqué"}', 0), + (9925, 2, 4, 'Manteau court ouvert gris floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"gris floqué"}', 0), + (9926, 2, 4, 'Manteau court ouvert rouge floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"rouge floqué"}', 0), + (9927, 2, 4, 'Manteau court ouvert orange floqué', 50, '{"components":{"11":{"Drawable":277,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau court ouvert","colorLabel":"orange floqué"}', 0), + (9928, 3, 4, 'Doudoune chaude ouverte dégradé rose-vert', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé rose-vert"}', 0), + (9929, 3, 4, 'Doudoune chaude ouverte dégradé rose-bleu', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé rose-bleu"}', 0), + (9930, 3, 4, 'Doudoune chaude ouverte dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé blanc-noir"}', 0), + (9931, 3, 4, 'Doudoune chaude ouverte dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé jaune-bleu"}', 0), + (9932, 3, 4, 'Doudoune chaude ouverte dégradé vert', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé vert"}', 0), + (9933, 3, 4, 'Doudoune chaude ouverte dégradé violet-jaune', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé violet-jaune"}', 0), + (9934, 3, 4, 'Doudoune chaude ouverte léopard vert', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard vert"}', 0), + (9935, 3, 4, 'Doudoune chaude ouverte léopard beige', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard beige"}', 0), + (9936, 3, 4, 'Doudoune chaude ouverte léopard turquoise', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard turquoise"}', 0), + (9937, 3, 4, 'Doudoune chaude ouverte léopard rose', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard rose"}', 0), + (9938, 3, 4, 'Doudoune chaude ouverte paillettes orange', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"paillettes orange"}', 0), + (9939, 3, 4, 'Doudoune chaude ouverte paillettes bleu clair', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"paillettes bleu clair"}', 0), + (9940, 3, 4, 'Doudoune chaude ouverte paillettes noir', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"paillettes noir"}', 0), + (9941, 3, 4, 'Doudoune chaude ouverte paillettes bleu foncé', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"paillettes bleu foncé"}', 0), + (9942, 3, 4, 'Doudoune chaude ouverte motifs noir-jaune', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"motifs noir-jaune"}', 0), + (9943, 3, 4, 'Doudoune chaude ouverte motifs blanc-orange', 50, '{"components":{"11":{"Drawable":278,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"motifs blanc-orange"}', 0), + (9944, 1, 21, 'Bikini haut panthère ', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"panthère "}', 0), + (9945, 1, 21, 'Bikini haut zèbre bleu', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"zèbre bleu"}', 0), + (9946, 1, 21, 'Bikini haut zèbre blanc', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"zèbre blanc"}', 0), + (9947, 1, 21, 'Bikini haut motifs ciel', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"motifs ciel"}', 0), + (9948, 1, 21, 'Bikini haut motifs multicolore', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"motifs multicolore"}', 0), + (9949, 1, 21, 'Bikini haut python noir-blanc', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"python noir-blanc"}', 0), + (9950, 1, 21, 'Bikini haut python vert', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"python vert"}', 0), + (9951, 1, 21, 'Bikini haut fleurs rouge', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"fleurs rouge"}', 0), + (9952, 2, 21, 'Bikini haut panthère ', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"panthère "}', 0), + (9953, 2, 21, 'Bikini haut zèbre bleu', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"zèbre bleu"}', 0), + (9954, 2, 21, 'Bikini haut zèbre blanc', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"zèbre blanc"}', 0), + (9955, 2, 21, 'Bikini haut motifs ciel', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"motifs ciel"}', 0), + (9956, 2, 21, 'Bikini haut motifs multicolore', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"motifs multicolore"}', 0), + (9957, 2, 21, 'Bikini haut python noir-blanc', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"python noir-blanc"}', 0), + (9958, 2, 21, 'Bikini haut python vert', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"python vert"}', 0), + (9959, 2, 21, 'Bikini haut fleurs rouge', 50, '{"components":{"11":{"Drawable":279,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Bikini haut","colorLabel":"fleurs rouge"}', 0), + (9960, 1, 2, 'T-shirt sorti bleu ciel', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu ciel"}', 0), + (9961, 1, 2, 'T-shirt sorti Manor noir-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor noir-blanc"}', 0), + (9962, 1, 2, 'T-shirt sorti Manor vert-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor vert-blanc"}', 0), + (9963, 1, 2, 'T-shirt sorti Manor lilas', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor lilas"}', 0), + (9964, 1, 2, 'T-shirt sorti Manor vert d\'eau', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor vert d\'eau"}', 0), + (9965, 1, 2, 'T-shirt sorti noir et blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir et blanc"}', 0), + (9966, 1, 2, 'T-shirt sorti blanc et noir', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc et noir"}', 0), + (9967, 1, 2, 'T-shirt sorti Blagueur noir-rose', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-rose"}', 0), + (9968, 1, 2, 'T-shirt sorti Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-rouge"}', 0), + (9969, 1, 2, 'T-shirt sorti Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-blanc"}', 0), + (9970, 1, 2, 'T-shirt sorti Blagueur noir-violet', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-violet"}', 0), + (9971, 1, 2, 'T-shirt sorti Blagueur noir-america', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-america"}', 0), + (9972, 1, 2, 'T-shirt sorti Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-rouge"}', 0), + (9973, 1, 2, 'T-shirt sorti Blagueur noir-pétrole', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-pétrole"}', 0), + (9974, 1, 2, 'T-shirt sorti Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-blanc"}', 0), + (9975, 1, 2, 'T-shirt sorti Santo Capra corail', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra corail"}', 0), + (9976, 1, 2, 'T-shirt sorti Santo Capra bleu', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra bleu"}', 0), + (9977, 1, 2, 'T-shirt sorti Santo Capra jaune', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra jaune"}', 0), + (9978, 1, 2, 'T-shirt sorti Santo capra abricot', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo capra abricot"}', 0), + (9979, 1, 2, 'T-shirt sorti Santo Capra rouge-noir', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra rouge-noir"}', 0), + (9980, 1, 2, 'T-shirt sorti Santo Capra bleu-rouge', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra bleu-rouge"}', 0), + (9981, 2, 2, 'T-shirt sorti bleu ciel', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu ciel"}', 0), + (9982, 2, 2, 'T-shirt sorti Manor noir-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor noir-blanc"}', 0), + (9983, 2, 2, 'T-shirt sorti Manor vert-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor vert-blanc"}', 0), + (9984, 2, 2, 'T-shirt sorti Manor lilas', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor lilas"}', 0), + (9985, 2, 2, 'T-shirt sorti Manor vert d\'eau', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Manor vert d\'eau"}', 0), + (9986, 2, 2, 'T-shirt sorti noir et blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir et blanc"}', 0), + (9987, 2, 2, 'T-shirt sorti blanc et noir', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc et noir"}', 0), + (9988, 2, 2, 'T-shirt sorti Blagueur noir-rose', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-rose"}', 0), + (9989, 2, 2, 'T-shirt sorti Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-rouge"}', 0), + (9990, 2, 2, 'T-shirt sorti Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-blanc"}', 0), + (9991, 2, 2, 'T-shirt sorti Blagueur noir-violet', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-violet"}', 0), + (9992, 2, 2, 'T-shirt sorti Blagueur noir-america', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-america"}', 0), + (9993, 2, 2, 'T-shirt sorti Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-rouge"}', 0), + (9994, 2, 2, 'T-shirt sorti Blagueur noir-pétrole', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-pétrole"}', 0), + (9995, 2, 2, 'T-shirt sorti Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Blagueur noir-blanc"}', 0), + (9996, 2, 2, 'T-shirt sorti Santo Capra corail', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra corail"}', 0), + (9997, 2, 2, 'T-shirt sorti Santo Capra bleu', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra bleu"}', 0), + (9998, 2, 2, 'T-shirt sorti Santo Capra jaune', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra jaune"}', 0), + (9999, 2, 2, 'T-shirt sorti Santo capra abricot', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo capra abricot"}', 0), + (10000, 2, 2, 'T-shirt sorti Santo Capra rouge-noir', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra rouge-noir"}', 0), + (10001, 2, 2, 'T-shirt sorti Santo Capra bleu-rouge', 50, '{"components":{"11":{"Drawable":280,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Santo Capra bleu-rouge"}', 0), + (10002, 1, 2, 'T-shirt rentré bleu ciel', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"bleu ciel"}', 0), + (10003, 1, 2, 'T-shirt rentré Manor noir-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor noir-blanc"}', 0), + (10004, 1, 2, 'T-shirt rentré Manor vert-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor vert-blanc"}', 0), + (10005, 1, 2, 'T-shirt rentré Manor lilas', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor lilas"}', 0), + (10006, 1, 2, 'T-shirt rentré Manor vert d\'eau', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor vert d\'eau"}', 0), + (10007, 1, 2, 'T-shirt rentré noir et blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"noir et blanc"}', 0), + (10008, 1, 2, 'T-shirt rentré blanc et noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"blanc et noir"}', 0), + (10009, 1, 2, 'T-shirt rentré Blagueur noir-rose', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-rose"}', 0), + (10010, 1, 2, 'T-shirt rentré Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-rouge"}', 0), + (10011, 1, 2, 'T-shirt rentré Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-blanc"}', 0), + (10012, 1, 2, 'T-shirt rentré Blagueur noir-violet', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-violet"}', 0), + (10013, 1, 2, 'T-shirt rentré Blagueur noir-america', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-america"}', 0), + (10014, 1, 2, 'T-shirt rentré Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-rouge"}', 0), + (10015, 1, 2, 'T-shirt rentré Blagueur noir-pétrole', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-pétrole"}', 0), + (10016, 1, 2, 'T-shirt rentré Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-blanc"}', 0), + (10017, 1, 2, 'T-shirt rentré Santo Capra corail', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra corail"}', 0), + (10018, 1, 2, 'T-shirt rentré Santo Capra bleu', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra bleu"}', 0), + (10019, 1, 2, 'T-shirt rentré Santo Capra jaune', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra jaune"}', 0), + (10020, 1, 2, 'T-shirt rentré Santo capra abricot', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo capra abricot"}', 0), + (10021, 1, 2, 'T-shirt rentré Santo Capra rouge-noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra rouge-noir"}', 0), + (10022, 1, 2, 'T-shirt rentré Santo Capra bleu-rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra bleu-rouge"}', 0), + (10023, 2, 2, 'T-shirt rentré bleu ciel', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"bleu ciel"}', 0), + (10024, 2, 2, 'T-shirt rentré Manor noir-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor noir-blanc"}', 0), + (10025, 2, 2, 'T-shirt rentré Manor vert-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor vert-blanc"}', 0), + (10026, 2, 2, 'T-shirt rentré Manor lilas', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor lilas"}', 0), + (10027, 2, 2, 'T-shirt rentré Manor vert d\'eau', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Manor vert d\'eau"}', 0), + (10028, 2, 2, 'T-shirt rentré noir et blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"noir et blanc"}', 0), + (10029, 2, 2, 'T-shirt rentré blanc et noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"blanc et noir"}', 0), + (10030, 2, 2, 'T-shirt rentré Blagueur noir-rose', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-rose"}', 0), + (10031, 2, 2, 'T-shirt rentré Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-rouge"}', 0), + (10032, 2, 2, 'T-shirt rentré Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-blanc"}', 0), + (10033, 2, 2, 'T-shirt rentré Blagueur noir-violet', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-violet"}', 0), + (10034, 2, 2, 'T-shirt rentré Blagueur noir-america', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-america"}', 0), + (10035, 2, 2, 'T-shirt rentré Blagueur noir-rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-rouge"}', 0), + (10036, 2, 2, 'T-shirt rentré Blagueur noir-pétrole', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-pétrole"}', 0), + (10037, 2, 2, 'T-shirt rentré Blagueur noir-blanc', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Blagueur noir-blanc"}', 0), + (10038, 2, 2, 'T-shirt rentré Santo Capra corail', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra corail"}', 0), + (10039, 2, 2, 'T-shirt rentré Santo Capra bleu', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra bleu"}', 0), + (10040, 2, 2, 'T-shirt rentré Santo Capra jaune', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra jaune"}', 0), + (10041, 2, 2, 'T-shirt rentré Santo capra abricot', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo capra abricot"}', 0), + (10042, 2, 2, 'T-shirt rentré Santo Capra rouge-noir', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra rouge-noir"}', 0), + (10043, 2, 2, 'T-shirt rentré Santo Capra bleu-rouge', 50, '{"components":{"11":{"Drawable":281,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"Santo Capra bleu-rouge"}', 0), + (10044, 1, 12, 'Veste moto large col mao vert-noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert-noir"}', 0), + (10045, 1, 12, 'Veste moto large col mao jaune-noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"jaune-noir"}', 0), + (10046, 2, 12, 'Veste moto large col mao vert-noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"vert-noir"}', 0), + (10047, 2, 12, 'Veste moto large col mao jaune-noir', 50, '{"components":{"11":{"Drawable":282,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"jaune-noir"}', 0), + (10048, 3, 2, 'Débardeur col en V panthère ', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"panthère "}', 0), + (10049, 3, 2, 'Débardeur col en V zèbre bleu', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"zèbre bleu"}', 0), + (10050, 3, 2, 'Débardeur col en V zèbre blanc', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"zèbre blanc"}', 0), + (10051, 3, 2, 'Débardeur col en V léopard corail', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"léopard corail"}', 0), + (10052, 3, 2, 'Débardeur col en V léopard beige', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"léopard beige"}', 0), + (10053, 3, 2, 'Débardeur col en V feuillage vert-blanc', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"feuillage vert-blanc"}', 0), + (10054, 3, 2, 'Débardeur col en V feuillage vanille', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"feuillage vanille"}', 0), + (10055, 3, 2, 'Débardeur col en V paillette rose-blanc', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"paillette rose-blanc"}', 0), + (10056, 3, 2, 'Débardeur col en V feuillage bleu-noir', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"feuillage bleu-noir"}', 0), + (10057, 3, 2, 'Débardeur col en V tropical turquoise', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"tropical turquoise"}', 0), + (10058, 3, 2, 'Débardeur col en V tropical rouge', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"tropical rouge"}', 0), + (10059, 3, 2, 'Débardeur col en V fleurs blanc', 50, '{"components":{"11":{"Drawable":283,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur col en V","colorLabel":"fleurs blanc"}', 0), + (10060, 1, 13, 'Débardeur remonté motif noir-blanc', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"motif noir-blanc"}', 0), + (10061, 1, 13, 'Débardeur remonté zèbre bleu', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"zèbre bleu"}', 0), + (10062, 1, 13, 'Débardeur remonté zèbre blanc', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"zèbre blanc"}', 0), + (10063, 1, 13, 'Débardeur remonté rayures corail', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"rayures corail"}', 0), + (10064, 1, 13, 'Débardeur remonté rayures bleu', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"rayures bleu"}', 0), + (10065, 1, 13, 'Débardeur remonté rayures jaune', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"rayures jaune"}', 0), + (10066, 1, 13, 'Débardeur remonté python', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"python"}', 0), + (10067, 1, 13, 'Débardeur remonté léopard vert', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard vert"}', 0), + (10068, 1, 13, 'Débardeur remonté léopard beige', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard beige"}', 0), + (10069, 1, 13, 'Débardeur remonté léopard rose', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard rose"}', 0), + (10070, 1, 13, 'Débardeur remonté léopard turquoise', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard turquoise"}', 0), + (10071, 1, 13, 'Débardeur remonté panthère jaune', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"panthère jaune"}', 0), + (10072, 2, 13, 'Débardeur remonté motif noir-blanc', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"motif noir-blanc"}', 0), + (10073, 2, 13, 'Débardeur remonté zèbre bleu', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"zèbre bleu"}', 0), + (10074, 2, 13, 'Débardeur remonté zèbre blanc', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"zèbre blanc"}', 0), + (10075, 2, 13, 'Débardeur remonté rayures corail', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"rayures corail"}', 0), + (10076, 2, 13, 'Débardeur remonté rayures bleu', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"rayures bleu"}', 0), + (10077, 2, 13, 'Débardeur remonté rayures jaune', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"rayures jaune"}', 0), + (10078, 2, 13, 'Débardeur remonté python', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"python"}', 0), + (10079, 2, 13, 'Débardeur remonté léopard vert', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard vert"}', 0), + (10080, 2, 13, 'Débardeur remonté léopard beige', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard beige"}', 0), + (10081, 2, 13, 'Débardeur remonté léopard rose', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard rose"}', 0), + (10082, 2, 13, 'Débardeur remonté léopard turquoise', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"léopard turquoise"}', 0), + (10083, 2, 13, 'Débardeur remonté panthère jaune', 50, '{"components":{"11":{"Drawable":284,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur remonté","colorLabel":"panthère jaune"}', 0), + (10084, 1, 2, 'T-shirt sorti blanc uni', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc uni"}', 0), + (10085, 1, 2, 'T-shirt sorti noir uni', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir uni"}', 0), + (10086, 1, 2, 'T-shirt sorti noir space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir space-rangers"}', 0), + (10087, 1, 2, 'T-shirt sorti blanc space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc space-rangers"}', 0), + (10088, 1, 2, 'T-shirt sorti jaune space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune space-rangers"}', 0), + (10089, 1, 2, 'T-shirt sorti vert space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert space-rangers"}', 0), + (10090, 1, 2, 'T-shirt sorti noir logo rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir logo rangers"}', 0), + (10091, 1, 2, 'T-shirt sorti vert logo rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert logo rangers"}', 0), + (10092, 1, 2, 'T-shirt sorti blanc lune', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc lune"}', 0), + (10093, 1, 2, 'T-shirt sorti jaune lune', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune lune"}', 0), + (10094, 1, 2, 'T-shirt sorti vaisseau bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vaisseau bleu"}', 0), + (10095, 1, 2, 'T-shirt sorti vaisseau rose', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vaisseau rose"}', 0), + (10096, 1, 2, 'T-shirt sorti noir alien', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir alien"}', 0), + (10097, 1, 2, 'T-shirt sorti rose alien', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rose alien"}', 0), + (10098, 1, 2, 'T-shirt sorti galaxie violet', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"galaxie violet"}', 0), + (10099, 1, 2, 'T-shirt sorti galaxie bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"galaxie bleu"}', 0), + (10100, 1, 2, 'T-shirt sorti galaxie rose', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"galaxie rose"}', 0), + (10101, 1, 2, 'T-shirt sorti freedom bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"freedom bleu"}', 0), + (10102, 1, 2, 'T-shirt sorti freedom vert', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"freedom vert"}', 0), + (10103, 1, 2, 'T-shirt sorti freedom rouge', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"freedom rouge"}', 0), + (10104, 1, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (10105, 1, 2, 'T-shirt sorti uni rouge', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni rouge"}', 0), + (10106, 2, 2, 'T-shirt sorti blanc uni', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc uni"}', 0), + (10107, 2, 2, 'T-shirt sorti noir uni', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir uni"}', 0), + (10108, 2, 2, 'T-shirt sorti noir space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir space-rangers"}', 0), + (10109, 2, 2, 'T-shirt sorti blanc space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc space-rangers"}', 0), + (10110, 2, 2, 'T-shirt sorti jaune space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune space-rangers"}', 0), + (10111, 2, 2, 'T-shirt sorti vert space-rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert space-rangers"}', 0), + (10112, 2, 2, 'T-shirt sorti noir logo rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir logo rangers"}', 0), + (10113, 2, 2, 'T-shirt sorti vert logo rangers', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert logo rangers"}', 0), + (10114, 2, 2, 'T-shirt sorti blanc lune', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc lune"}', 0), + (10115, 2, 2, 'T-shirt sorti jaune lune', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune lune"}', 0), + (10116, 2, 2, 'T-shirt sorti vaisseau bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vaisseau bleu"}', 0), + (10117, 2, 2, 'T-shirt sorti vaisseau rose', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vaisseau rose"}', 0), + (10118, 2, 2, 'T-shirt sorti noir alien', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir alien"}', 0), + (10119, 2, 2, 'T-shirt sorti rose alien', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rose alien"}', 0), + (10120, 2, 2, 'T-shirt sorti galaxie violet', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"galaxie violet"}', 0), + (10121, 2, 2, 'T-shirt sorti galaxie bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"galaxie bleu"}', 0), + (10122, 2, 2, 'T-shirt sorti galaxie rose', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"galaxie rose"}', 0), + (10123, 2, 2, 'T-shirt sorti freedom bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"freedom bleu"}', 0), + (10124, 2, 2, 'T-shirt sorti freedom vert', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"freedom vert"}', 0), + (10125, 2, 2, 'T-shirt sorti freedom rouge', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"freedom rouge"}', 0), + (10126, 2, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (10127, 2, 2, 'T-shirt sorti uni rouge', 50, '{"components":{"11":{"Drawable":286,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni rouge"}', 0), + (10128, 1, 10, 'Combinaison couvrante robot jaune', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (10129, 1, 10, 'Combinaison couvrante robot bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (10130, 1, 10, 'Combinaison couvrante cyber bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (10131, 1, 10, 'Combinaison couvrante cyber rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (10132, 1, 10, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (10133, 1, 10, 'Combinaison couvrante flèches violettes', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (10134, 1, 10, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (10135, 1, 10, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (10136, 1, 10, 'Combinaison couvrante fond vert', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (10137, 1, 10, 'Combinaison couvrante fond violet', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (10138, 1, 10, 'Combinaison couvrante naïade vert', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (10139, 1, 10, 'Combinaison couvrante naïade rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (10140, 1, 10, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (10141, 1, 10, 'Combinaison couvrante galaxie rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (10142, 1, 10, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (10143, 1, 10, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (10144, 1, 10, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (10145, 1, 10, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (10146, 1, 10, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (10147, 1, 10, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (10148, 2, 10, 'Combinaison couvrante robot jaune', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (10149, 2, 10, 'Combinaison couvrante robot bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (10150, 2, 10, 'Combinaison couvrante cyber bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (10151, 2, 10, 'Combinaison couvrante cyber rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (10152, 2, 10, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (10153, 2, 10, 'Combinaison couvrante flèches violettes', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (10154, 2, 10, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (10155, 2, 10, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (10156, 2, 10, 'Combinaison couvrante fond vert', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (10157, 2, 10, 'Combinaison couvrante fond violet', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (10158, 2, 10, 'Combinaison couvrante naïade vert', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (10159, 2, 10, 'Combinaison couvrante naïade rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (10160, 2, 10, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (10161, 2, 10, 'Combinaison couvrante galaxie rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (10162, 2, 10, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (10163, 2, 10, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (10164, 2, 10, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (10165, 2, 10, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (10166, 2, 10, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (10167, 2, 10, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"11":{"Drawable":287,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (10168, 1, 10, 'Déguisement troll camel', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"camel"}', 0), + (10169, 1, 10, 'Déguisement troll multicolore', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"multicolore"}', 0), + (10170, 1, 10, 'Déguisement troll anthracite', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"anthracite"}', 0), + (10171, 1, 10, 'Déguisement troll beige', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"beige"}', 0), + (10172, 1, 10, 'Déguisement troll brun-pétrole', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"brun-pétrole"}', 0), + (10173, 1, 10, 'Déguisement troll chocolat', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"chocolat"}', 0), + (10174, 1, 10, 'Déguisement troll ardoise', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"ardoise"}', 0), + (10175, 1, 10, 'Déguisement troll crème', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"crème"}', 0), + (10176, 1, 10, 'Déguisement troll vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"vert"}', 0), + (10177, 1, 10, 'Déguisement troll orange', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"orange"}', 0), + (10178, 1, 10, 'Déguisement troll violet', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"violet"}', 0), + (10179, 1, 10, 'Déguisement troll rose', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rose"}', 0), + (10180, 1, 10, 'Déguisement troll forêt', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"forêt"}', 0), + (10181, 1, 10, 'Déguisement troll arc-en-ciel', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"arc-en-ciel"}', 0), + (10182, 1, 10, 'Déguisement troll rouge', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rouge"}', 0), + (10183, 1, 10, 'Déguisement troll bleu ciel', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"bleu ciel"}', 0), + (10184, 2, 10, 'Déguisement troll camel', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"camel"}', 0), + (10185, 2, 10, 'Déguisement troll multicolore', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"multicolore"}', 0), + (10186, 2, 10, 'Déguisement troll anthracite', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"anthracite"}', 0), + (10187, 2, 10, 'Déguisement troll beige', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"beige"}', 0), + (10188, 2, 10, 'Déguisement troll brun-pétrole', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"brun-pétrole"}', 0), + (10189, 2, 10, 'Déguisement troll chocolat', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"chocolat"}', 0), + (10190, 2, 10, 'Déguisement troll ardoise', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"ardoise"}', 0), + (10191, 2, 10, 'Déguisement troll crème', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"crème"}', 0), + (10192, 2, 10, 'Déguisement troll vert', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"vert"}', 0), + (10193, 2, 10, 'Déguisement troll orange', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"orange"}', 0), + (10194, 2, 10, 'Déguisement troll violet', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"violet"}', 0), + (10195, 2, 10, 'Déguisement troll rose', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rose"}', 0), + (10196, 2, 10, 'Déguisement troll forêt', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"forêt"}', 0), + (10197, 2, 10, 'Déguisement troll arc-en-ciel', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"arc-en-ciel"}', 0), + (10198, 2, 10, 'Déguisement troll rouge', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"rouge"}', 0), + (10199, 2, 10, 'Déguisement troll bleu ciel', 50, '{"components":{"11":{"Drawable":288,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement troll","colorLabel":"bleu ciel"}', 0), + (10200, 1, 10, 'Déguisement médiéval brun', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun"}', 0), + (10201, 1, 10, 'Déguisement médiéval pourpre', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"pourpre"}', 0), + (10202, 1, 10, 'Déguisement médiéval blanc', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"blanc"}', 0), + (10203, 1, 10, 'Déguisement médiéval camel', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"camel"}', 0), + (10204, 1, 10, 'Déguisement médiéval rouge', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rouge"}', 0), + (10205, 1, 10, 'Déguisement médiéval noir', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"noir"}', 0), + (10206, 1, 10, 'Déguisement médiéval orange', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"orange"}', 0), + (10207, 1, 10, 'Déguisement médiéval vert', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert"}', 0), + (10208, 1, 10, 'Déguisement médiéval brun brûlé', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun brûlé"}', 0), + (10209, 1, 10, 'Déguisement médiéval vert brûlé', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert brûlé"}', 0), + (10210, 1, 10, 'Déguisement médiéval rose', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rose"}', 0), + (10211, 1, 10, 'Déguisement médiéval violet', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"violet"}', 0), + (10212, 2, 10, 'Déguisement médiéval brun', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun"}', 0), + (10213, 2, 10, 'Déguisement médiéval pourpre', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"pourpre"}', 0), + (10214, 2, 10, 'Déguisement médiéval blanc', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"blanc"}', 0), + (10215, 2, 10, 'Déguisement médiéval camel', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"camel"}', 0), + (10216, 2, 10, 'Déguisement médiéval rouge', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rouge"}', 0), + (10217, 2, 10, 'Déguisement médiéval noir', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"noir"}', 0), + (10218, 2, 10, 'Déguisement médiéval orange', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"orange"}', 0), + (10219, 2, 10, 'Déguisement médiéval vert', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert"}', 0), + (10220, 2, 10, 'Déguisement médiéval brun brûlé', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"brun brûlé"}', 0), + (10221, 2, 10, 'Déguisement médiéval vert brûlé', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"vert brûlé"}', 0), + (10222, 2, 10, 'Déguisement médiéval rose', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"rose"}', 0), + (10223, 2, 10, 'Déguisement médiéval violet', 50, '{"components":{"11":{"Drawable":289,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement médiéval","colorLabel":"violet"}', 0), + (10224, 1, 10, 'Déguisement astronaute feu', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (10225, 1, 10, 'Déguisement astronaute jaune', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (10226, 1, 10, 'Déguisement astronaute pétrole', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (10227, 1, 10, 'Déguisement astronaute sable', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (10228, 1, 10, 'Déguisement astronaute perle', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (10229, 1, 10, 'Déguisement astronaute bleu', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (10230, 1, 10, 'Déguisement astronaute blanc', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (10231, 1, 10, 'Déguisement astronaute anthracite', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (10232, 1, 10, 'Déguisement astronaute rouge', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (10233, 1, 10, 'Déguisement astronaute vert de gris', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (10234, 1, 10, 'Déguisement astronaute forêt', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (10235, 1, 10, 'Déguisement astronaute abricot', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (10236, 1, 10, 'Déguisement astronaute violet', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (10237, 1, 10, 'Déguisement astronaute rose', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (10238, 1, 10, 'Déguisement astronaute camel', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (10239, 1, 10, 'Déguisement astronaute crème', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (10240, 1, 10, 'Déguisement astronaute noir', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (10241, 1, 10, 'Déguisement astronaute gris', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (10242, 2, 10, 'Déguisement astronaute feu', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (10243, 2, 10, 'Déguisement astronaute jaune', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (10244, 2, 10, 'Déguisement astronaute pétrole', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (10245, 2, 10, 'Déguisement astronaute sable', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (10246, 2, 10, 'Déguisement astronaute perle', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (10247, 2, 10, 'Déguisement astronaute bleu', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (10248, 2, 10, 'Déguisement astronaute blanc', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (10249, 2, 10, 'Déguisement astronaute anthracite', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (10250, 2, 10, 'Déguisement astronaute rouge', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (10251, 2, 10, 'Déguisement astronaute vert de gris', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (10252, 2, 10, 'Déguisement astronaute forêt', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (10253, 2, 10, 'Déguisement astronaute abricot', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (10254, 2, 10, 'Déguisement astronaute violet', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (10255, 2, 10, 'Déguisement astronaute rose', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (10256, 2, 10, 'Déguisement astronaute camel', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (10257, 2, 10, 'Déguisement astronaute crème', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (10258, 2, 10, 'Déguisement astronaute noir', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (10259, 2, 10, 'Déguisement astronaute gris', 50, '{"components":{"11":{"Drawable":291,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (10260, 1, 5, 'Hoodie oversize blanc vert', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc vert"}', 0), + (10261, 1, 5, 'Hoodie oversize bleu rose', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu rose"}', 0), + (10262, 1, 5, 'Hoodie oversize orange cloches', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange cloches"}', 0), + (10263, 1, 5, 'Hoodie oversize blanc america', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc america"}', 0), + (10264, 1, 5, 'Hoodie oversize blanc jaune', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc jaune"}', 0), + (10265, 1, 5, 'Hoodie oversize rouge burger', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge burger"}', 0), + (10266, 1, 5, 'Hoodie oversize rouge hotdog', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge hotdog"}', 0), + (10267, 1, 5, 'Hoodie oversize rose donut', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rose donut"}', 0), + (10268, 1, 5, 'Hoodie oversize cocorico', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cocorico"}', 0), + (10269, 1, 5, 'Hoodie oversize vert logo', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vert logo"}', 0), + (10270, 1, 5, 'Hoodie oversize pizza', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pizza"}', 0), + (10271, 1, 5, 'Hoodie oversize frites', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"frites"}', 0), + (10272, 1, 5, 'Hoodie oversize champignons', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"champignons"}', 0), + (10273, 1, 5, 'Hoodie oversize cigarette', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cigarette"}', 0), + (10274, 1, 5, 'Hoodie oversize microbes', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"microbes"}', 0), + (10275, 1, 5, 'Hoodie oversize beige cloche', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige cloche"}', 0), + (10276, 1, 5, 'Hoodie oversize citrons', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"citrons"}', 0), + (10277, 1, 5, 'Hoodie oversize tacos', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"tacos"}', 0), + (10278, 2, 5, 'Hoodie oversize blanc vert', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc vert"}', 0), + (10279, 2, 5, 'Hoodie oversize bleu rose', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu rose"}', 0), + (10280, 2, 5, 'Hoodie oversize orange cloches', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange cloches"}', 0), + (10281, 2, 5, 'Hoodie oversize blanc america', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc america"}', 0), + (10282, 2, 5, 'Hoodie oversize blanc jaune', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc jaune"}', 0), + (10283, 2, 5, 'Hoodie oversize rouge burger', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge burger"}', 0), + (10284, 2, 5, 'Hoodie oversize rouge hotdog', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rouge hotdog"}', 0), + (10285, 2, 5, 'Hoodie oversize rose donut', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"rose donut"}', 0), + (10286, 2, 5, 'Hoodie oversize cocorico', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cocorico"}', 0), + (10287, 2, 5, 'Hoodie oversize vert logo', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vert logo"}', 0), + (10288, 2, 5, 'Hoodie oversize pizza', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pizza"}', 0), + (10289, 2, 5, 'Hoodie oversize frites', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"frites"}', 0), + (10290, 2, 5, 'Hoodie oversize champignons', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"champignons"}', 0), + (10291, 2, 5, 'Hoodie oversize cigarette', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"cigarette"}', 0), + (10292, 2, 5, 'Hoodie oversize microbes', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"microbes"}', 0), + (10293, 2, 5, 'Hoodie oversize beige cloche', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige cloche"}', 0), + (10294, 2, 5, 'Hoodie oversize citrons', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"citrons"}', 0), + (10295, 2, 5, 'Hoodie oversize tacos', 50, '{"components":{"11":{"Drawable":292,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"tacos"}', 0), + (10296, 1, 5, 'Hoodie oversize capuche tête blanc vert', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc vert"}', 0), + (10297, 1, 5, 'Hoodie oversize capuche tête bleu rose', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu rose"}', 0), + (10298, 1, 5, 'Hoodie oversize capuche tête orange cloches', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange cloches"}', 0), + (10299, 1, 5, 'Hoodie oversize capuche tête blanc america', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc america"}', 0), + (10300, 1, 5, 'Hoodie oversize capuche tête blanc jaune', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc jaune"}', 0), + (10301, 1, 5, 'Hoodie oversize capuche tête rouge burger', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge burger"}', 0), + (10302, 1, 5, 'Hoodie oversize capuche tête rouge hotdog', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge hotdog"}', 0), + (10303, 1, 5, 'Hoodie oversize capuche tête rose donut', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rose donut"}', 0), + (10304, 1, 5, 'Hoodie oversize capuche tête cocorico', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cocorico"}', 0), + (10305, 1, 5, 'Hoodie oversize capuche tête vert logo', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vert logo"}', 0), + (10306, 1, 5, 'Hoodie oversize capuche tête pizza', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pizza"}', 0), + (10307, 1, 5, 'Hoodie oversize capuche tête frites', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"frites"}', 0), + (10308, 1, 5, 'Hoodie oversize capuche tête champignons', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"champignons"}', 0), + (10309, 1, 5, 'Hoodie oversize capuche tête cigarette', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cigarette"}', 0), + (10310, 1, 5, 'Hoodie oversize capuche tête microbes', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"microbes"}', 0), + (10311, 1, 5, 'Hoodie oversize capuche tête beige cloche', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige cloche"}', 0), + (10312, 1, 5, 'Hoodie oversize capuche tête citrons', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"citrons"}', 0), + (10313, 1, 5, 'Hoodie oversize capuche tête tacos', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"tacos"}', 0), + (10314, 2, 5, 'Hoodie oversize capuche tête blanc vert', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc vert"}', 0), + (10315, 2, 5, 'Hoodie oversize capuche tête bleu rose', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu rose"}', 0), + (10316, 2, 5, 'Hoodie oversize capuche tête orange cloches', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange cloches"}', 0), + (10317, 2, 5, 'Hoodie oversize capuche tête blanc america', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc america"}', 0), + (10318, 2, 5, 'Hoodie oversize capuche tête blanc jaune', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc jaune"}', 0), + (10319, 2, 5, 'Hoodie oversize capuche tête rouge burger', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge burger"}', 0), + (10320, 2, 5, 'Hoodie oversize capuche tête rouge hotdog', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rouge hotdog"}', 0), + (10321, 2, 5, 'Hoodie oversize capuche tête rose donut', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"rose donut"}', 0), + (10322, 2, 5, 'Hoodie oversize capuche tête cocorico', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cocorico"}', 0), + (10323, 2, 5, 'Hoodie oversize capuche tête vert logo', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vert logo"}', 0), + (10324, 2, 5, 'Hoodie oversize capuche tête pizza', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pizza"}', 0), + (10325, 2, 5, 'Hoodie oversize capuche tête frites', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"frites"}', 0), + (10326, 2, 5, 'Hoodie oversize capuche tête champignons', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"champignons"}', 0), + (10327, 2, 5, 'Hoodie oversize capuche tête cigarette', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"cigarette"}', 0), + (10328, 2, 5, 'Hoodie oversize capuche tête microbes', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"microbes"}', 0), + (10329, 2, 5, 'Hoodie oversize capuche tête beige cloche', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige cloche"}', 0), + (10330, 2, 5, 'Hoodie oversize capuche tête citrons', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"citrons"}', 0), + (10331, 2, 5, 'Hoodie oversize capuche tête tacos', 50, '{"components":{"11":{"Drawable":293,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"tacos"}', 0), + (10332, 1, 9, 'Pull manches 3/4 rouge ', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"rouge "}', 0), + (10333, 1, 9, 'Pull manches 3/4 noir burger', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"noir burger"}', 0), + (10334, 1, 9, 'Pull manches 3/4 rouge burger shot', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"rouge burger shot"}', 0), + (10335, 1, 9, 'Pull manches 3/4 Sprunk blanc-vert', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Sprunk blanc-vert"}', 0), + (10336, 1, 9, 'Pull manches 3/4 Sprunk vert', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Sprunk vert"}', 0), + (10337, 1, 9, 'Pull manches 3/4 W jaune', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"W jaune"}', 0), + (10338, 1, 9, 'Pull manches 3/4 piment', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"piment"}', 0), + (10339, 1, 9, 'Pull manches 3/4 taco bomb jaune', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"taco bomb jaune"}', 0), + (10340, 1, 9, 'Pull manches 3/4 taco bomb vert', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"taco bomb vert"}', 0), + (10341, 1, 9, 'Pull manches 3/4 cloches', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cloches"}', 0), + (10342, 1, 9, 'Pull manches 3/4 cloche bleu', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cloche bleu"}', 0), + (10343, 1, 9, 'Pull manches 3/4 coche noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"coche noir"}', 0), + (10344, 1, 9, 'Pull manches 3/4 Cola rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Cola rouge"}', 0), + (10345, 1, 9, 'Pull manches 3/4 Cola noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Cola noir"}', 0), + (10346, 1, 9, 'Pull manches 3/4 me TV rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"me TV rouge"}', 0), + (10347, 1, 9, 'Pull manches 3/4 me TV orange', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"me TV orange"}', 0), + (10348, 1, 9, 'Pull manches 3/4 heat tennis bleu', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"heat tennis bleu"}', 0), + (10349, 1, 9, 'Pull manches 3/4 heat tennis rose', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"heat tennis rose"}', 0), + (10350, 1, 9, 'Pull manches 3/4 Degenatron noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Degenatron noir"}', 0), + (10351, 1, 9, 'Pull manches 3/4 Pisswasser noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Pisswasser noir"}', 0), + (10352, 1, 9, 'Pull manches 3/4 Pisswasser rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Pisswasser rouge"}', 0), + (10353, 1, 9, 'Pull manches 3/4 Bolt Buger', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Bolt Buger"}', 0), + (10354, 1, 9, 'Pull manches 3/4 cocorico rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cocorico rouge"}', 0), + (10355, 1, 9, 'Pull manches 3/4 cocoricos', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cocoricos"}', 0), + (10356, 2, 9, 'Pull manches 3/4 rouge ', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"rouge "}', 0), + (10357, 2, 9, 'Pull manches 3/4 noir burger', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"noir burger"}', 0), + (10358, 2, 9, 'Pull manches 3/4 rouge burger shot', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"rouge burger shot"}', 0), + (10359, 2, 9, 'Pull manches 3/4 Sprunk blanc-vert', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Sprunk blanc-vert"}', 0), + (10360, 2, 9, 'Pull manches 3/4 Sprunk vert', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Sprunk vert"}', 0), + (10361, 2, 9, 'Pull manches 3/4 W jaune', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"W jaune"}', 0), + (10362, 2, 9, 'Pull manches 3/4 piment', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"piment"}', 0), + (10363, 2, 9, 'Pull manches 3/4 taco bomb jaune', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"taco bomb jaune"}', 0), + (10364, 2, 9, 'Pull manches 3/4 taco bomb vert', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"taco bomb vert"}', 0), + (10365, 2, 9, 'Pull manches 3/4 cloches', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cloches"}', 0), + (10366, 2, 9, 'Pull manches 3/4 cloche bleu', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cloche bleu"}', 0), + (10367, 2, 9, 'Pull manches 3/4 coche noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"coche noir"}', 0), + (10368, 2, 9, 'Pull manches 3/4 Cola rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Cola rouge"}', 0), + (10369, 2, 9, 'Pull manches 3/4 Cola noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Cola noir"}', 0), + (10370, 2, 9, 'Pull manches 3/4 me TV rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"me TV rouge"}', 0), + (10371, 2, 9, 'Pull manches 3/4 me TV orange', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"me TV orange"}', 0), + (10372, 2, 9, 'Pull manches 3/4 heat tennis bleu', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"heat tennis bleu"}', 0), + (10373, 2, 9, 'Pull manches 3/4 heat tennis rose', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"heat tennis rose"}', 0), + (10374, 2, 9, 'Pull manches 3/4 Degenatron noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Degenatron noir"}', 0), + (10375, 2, 9, 'Pull manches 3/4 Pisswasser noir', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Pisswasser noir"}', 0), + (10376, 2, 9, 'Pull manches 3/4 Pisswasser rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Pisswasser rouge"}', 0), + (10377, 2, 9, 'Pull manches 3/4 Bolt Buger', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Bolt Buger"}', 0), + (10378, 2, 9, 'Pull manches 3/4 cocorico rouge', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cocorico rouge"}', 0), + (10379, 2, 9, 'Pull manches 3/4 cocoricos', 50, '{"components":{"11":{"Drawable":294,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"cocoricos"}', 0), + (10380, 1, 2, 'T-shirt de hockey burger bleu', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger bleu"}', 0), + (10381, 1, 2, 'T-shirt de hockey burger noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger noir"}', 0), + (10382, 1, 2, 'T-shirt de hockey burger camel', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger camel"}', 0), + (10383, 1, 2, 'T-shirt de hockey burger brun', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger brun"}', 0), + (10384, 1, 2, 'T-shirt de hockey cloche bleu', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"cloche bleu"}', 0), + (10385, 1, 2, 'T-shirt de hockey cloche noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"cloche noir"}', 0), + (10386, 1, 2, 'T-shirt de hockey W noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"W noir"}', 0), + (10387, 1, 2, 'T-shirt de hockey Redwood rouge', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Redwood rouge"}', 0), + (10388, 1, 2, 'T-shirt de hockey coffee marron', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"coffee marron"}', 0), + (10389, 1, 2, 'T-shirt de hockey Cola rouge', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Cola rouge"}', 0), + (10390, 1, 2, 'T-shirt de hockey Cola noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Cola noir"}', 0), + (10391, 1, 2, 'T-shirt de hockey chips noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"chips noir"}', 0), + (10392, 1, 2, 'T-shirt de hockey chips bleu', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"chips bleu"}', 0), + (10393, 1, 2, 'T-shirt de hockey Sprunk bubble vert foncé', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Sprunk bubble vert foncé"}', 0), + (10394, 1, 2, 'T-shirt de hockey Sprunk bubble vert clair', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Sprunk bubble vert clair"}', 0), + (10395, 1, 2, 'T-shirt de hockey Sprunk vert clair', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Sprunk vert clair"}', 0), + (10396, 2, 2, 'T-shirt de hockey burger bleu', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger bleu"}', 0), + (10397, 2, 2, 'T-shirt de hockey burger noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger noir"}', 0), + (10398, 2, 2, 'T-shirt de hockey burger camel', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger camel"}', 0), + (10399, 2, 2, 'T-shirt de hockey burger brun', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"burger brun"}', 0), + (10400, 2, 2, 'T-shirt de hockey cloche bleu', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"cloche bleu"}', 0), + (10401, 2, 2, 'T-shirt de hockey cloche noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"cloche noir"}', 0), + (10402, 2, 2, 'T-shirt de hockey W noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"W noir"}', 0), + (10403, 2, 2, 'T-shirt de hockey Redwood rouge', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Redwood rouge"}', 0), + (10404, 2, 2, 'T-shirt de hockey coffee marron', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"coffee marron"}', 0), + (10405, 2, 2, 'T-shirt de hockey Cola rouge', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Cola rouge"}', 0), + (10406, 2, 2, 'T-shirt de hockey Cola noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Cola noir"}', 0), + (10407, 2, 2, 'T-shirt de hockey chips noir', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"chips noir"}', 0), + (10408, 2, 2, 'T-shirt de hockey chips bleu', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"chips bleu"}', 0), + (10409, 2, 2, 'T-shirt de hockey Sprunk bubble vert foncé', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Sprunk bubble vert foncé"}', 0), + (10410, 2, 2, 'T-shirt de hockey Sprunk bubble vert clair', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Sprunk bubble vert clair"}', 0), + (10411, 2, 2, 'T-shirt de hockey Sprunk vert clair', 50, '{"components":{"11":{"Drawable":295,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt de hockey","colorLabel":"Sprunk vert clair"}', 0), + (10412, 1, 10, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (10413, 1, 10, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (10414, 1, 10, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (10415, 1, 10, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (10416, 1, 10, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (10417, 1, 10, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (10418, 1, 10, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (10419, 1, 10, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (10420, 1, 10, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (10421, 1, 10, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (10422, 1, 10, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (10423, 1, 10, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (10424, 2, 10, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (10425, 2, 10, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (10426, 2, 10, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (10427, 2, 10, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (10428, 2, 10, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (10429, 2, 10, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (10430, 2, 10, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (10431, 2, 10, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (10432, 2, 10, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (10433, 2, 10, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (10434, 2, 10, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (10435, 2, 10, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"11":{"Drawable":296,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (10436, 1, 10, 'Veste moto large col mao ensanglantée sale', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao ensanglantée","colorLabel":"sale"}', 0), + (10437, 2, 10, 'Veste moto large col mao ensanglantée sale', 50, '{"components":{"11":{"Drawable":297,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao ensanglantée","colorLabel":"sale"}', 0), + (10438, 1, 10, 'Scaphandre léger rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (10439, 2, 10, 'Scaphandre léger rouge', 50, '{"components":{"11":{"Drawable":298,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (10440, 1, 10, 'Costume ranger de l\'espace vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (10441, 2, 10, 'Costume ranger de l\'espace vert', 50, '{"components":{"11":{"Drawable":299,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (10442, 1, 10, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (10443, 1, 10, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (10444, 1, 10, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (10445, 1, 10, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (10446, 1, 10, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (10447, 1, 10, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (10448, 1, 10, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (10449, 1, 10, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (10450, 1, 10, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (10451, 1, 10, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (10452, 1, 10, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (10453, 1, 10, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (10454, 1, 10, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (10455, 1, 10, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (10456, 2, 10, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (10457, 2, 10, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (10458, 2, 10, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (10459, 2, 10, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (10460, 2, 10, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (10461, 2, 10, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (10462, 2, 10, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (10463, 2, 10, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (10464, 2, 10, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (10465, 2, 10, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (10466, 2, 10, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (10467, 2, 10, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (10468, 2, 10, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (10469, 2, 10, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"11":{"Drawable":300,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (10470, 1, 9, 'Pull manches 3/4 d\'hiver chasseur', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"chasseur"}', 0), + (10471, 1, 9, 'Pull manches 3/4 d\'hiver burger rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"burger rouge"}', 0), + (10472, 1, 9, 'Pull manches 3/4 d\'hiver burger bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"burger bleu"}', 0), + (10473, 1, 9, 'Pull manches 3/4 d\'hiver cloche bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"cloche bleu"}', 0), + (10474, 1, 9, 'Pull manches 3/4 d\'hiver cloche vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"cloche vert"}', 0), + (10475, 1, 9, 'Pull manches 3/4 d\'hiver slaying bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"slaying bleu"}', 0), + (10476, 1, 9, 'Pull manches 3/4 d\'hiver slaying vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"slaying vert"}', 0), + (10477, 1, 9, 'Pull manches 3/4 d\'hiver vendredi 13', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"vendredi 13"}', 0), + (10478, 1, 9, 'Pull manches 3/4 d\'hiver Hail Santa', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Hail Santa"}', 0), + (10479, 1, 9, 'Pull manches 3/4 d\'hiver squelette rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"squelette rouge"}', 0), + (10480, 1, 9, 'Pull manches 3/4 d\'hiver squelette noir noël', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"squelette noir noël"}', 0), + (10481, 1, 9, 'Pull manches 3/4 d\'hiver squelette rouge noël', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"squelette rouge noël"}', 0), + (10482, 1, 9, 'Pull manches 3/4 d\'hiver Sprunk vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Sprunk vert"}', 0), + (10483, 1, 9, 'Pull manches 3/4 d\'hiver ice cold', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"ice cold"}', 0), + (10484, 2, 9, 'Pull manches 3/4 d\'hiver chasseur', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"chasseur"}', 0), + (10485, 2, 9, 'Pull manches 3/4 d\'hiver burger rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"burger rouge"}', 0), + (10486, 2, 9, 'Pull manches 3/4 d\'hiver burger bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"burger bleu"}', 0), + (10487, 2, 9, 'Pull manches 3/4 d\'hiver cloche bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"cloche bleu"}', 0), + (10488, 2, 9, 'Pull manches 3/4 d\'hiver cloche vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"cloche vert"}', 0), + (10489, 2, 9, 'Pull manches 3/4 d\'hiver slaying bleu', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"slaying bleu"}', 0), + (10490, 2, 9, 'Pull manches 3/4 d\'hiver slaying vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"slaying vert"}', 0), + (10491, 2, 9, 'Pull manches 3/4 d\'hiver vendredi 13', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"vendredi 13"}', 0), + (10492, 2, 9, 'Pull manches 3/4 d\'hiver Hail Santa', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Hail Santa"}', 0), + (10493, 2, 9, 'Pull manches 3/4 d\'hiver squelette rouge', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"squelette rouge"}', 0), + (10494, 2, 9, 'Pull manches 3/4 d\'hiver squelette noir noël', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"squelette noir noël"}', 0), + (10495, 2, 9, 'Pull manches 3/4 d\'hiver squelette rouge noël', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"squelette rouge noël"}', 0), + (10496, 2, 9, 'Pull manches 3/4 d\'hiver Sprunk vert', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Sprunk vert"}', 0), + (10497, 2, 9, 'Pull manches 3/4 d\'hiver ice cold', 50, '{"components":{"11":{"Drawable":301,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"ice cold"}', 0), + (10498, 1, 10, 'Guerrier futuriste forêt', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"forêt"}', 0), + (10499, 1, 10, 'Guerrier futuriste noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"noir"}', 0), + (10500, 1, 10, 'Guerrier futuriste gris', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"gris"}', 0), + (10501, 1, 10, 'Guerrier futuriste bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"bleu"}', 0), + (10502, 1, 10, 'Guerrier futuriste rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"rouge"}', 0), + (10503, 1, 10, 'Guerrier futuriste jaune', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"jaune"}', 0), + (10504, 1, 10, 'Guerrier futuriste brun', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"brun"}', 0), + (10505, 1, 10, 'Guerrier futuriste géométrique kaki', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"géométrique kaki"}', 0), + (10506, 1, 10, 'Guerrier futuriste vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"vert"}', 0), + (10507, 1, 10, 'Guerrier futuriste camo bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"camo bleu"}', 0), + (10508, 1, 10, 'Guerrier futuriste anthracite et kaki', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et kaki"}', 0), + (10509, 1, 10, 'Guerrier futuriste anthracite et rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rouge"}', 0), + (10510, 1, 10, 'Guerrier futuriste anthracite et rose', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rose"}', 0), + (10511, 1, 10, 'Guerrier futuriste anthracite et vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et vert"}', 0), + (10512, 1, 10, 'Guerrier futuriste anthracite et brun', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et brun"}', 0), + (10513, 1, 10, 'Guerrier futuriste anthracite et violet', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et violet"}', 0), + (10514, 2, 10, 'Guerrier futuriste forêt', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"forêt"}', 0), + (10515, 2, 10, 'Guerrier futuriste noir', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"noir"}', 0), + (10516, 2, 10, 'Guerrier futuriste gris', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"gris"}', 0), + (10517, 2, 10, 'Guerrier futuriste bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"bleu"}', 0), + (10518, 2, 10, 'Guerrier futuriste rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"rouge"}', 0), + (10519, 2, 10, 'Guerrier futuriste jaune', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"jaune"}', 0), + (10520, 2, 10, 'Guerrier futuriste brun', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"brun"}', 0), + (10521, 2, 10, 'Guerrier futuriste géométrique kaki', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"géométrique kaki"}', 0), + (10522, 2, 10, 'Guerrier futuriste vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"vert"}', 0), + (10523, 2, 10, 'Guerrier futuriste camo bleu', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"camo bleu"}', 0), + (10524, 2, 10, 'Guerrier futuriste anthracite et kaki', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et kaki"}', 0), + (10525, 2, 10, 'Guerrier futuriste anthracite et rouge', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rouge"}', 0), + (10526, 2, 10, 'Guerrier futuriste anthracite et rose', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et rose"}', 0), + (10527, 2, 10, 'Guerrier futuriste anthracite et vert', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et vert"}', 0), + (10528, 2, 10, 'Guerrier futuriste anthracite et brun', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et brun"}', 0), + (10529, 2, 10, 'Guerrier futuriste anthracite et violet', 50, '{"components":{"11":{"Drawable":302,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Guerrier futuriste","colorLabel":"anthracite et violet"}', 0), + (10530, 3, 11, 'Gilet costume rouge', 50, '{"components":{"11":{"Drawable":303,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"rouge"}', 0), + (10531, 1, 10, 'Costume super-héros musclé blanc', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (10532, 2, 10, 'Costume super-héros musclé blanc', 50, '{"components":{"11":{"Drawable":304,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (10533, 3, 6, 'Veste de costume ouverte noir', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"noir"}', 0), + (10534, 3, 6, 'Veste de costume ouverte anthracite', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"anthracite"}', 0), + (10535, 3, 6, 'Veste de costume ouverte gris', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"gris"}', 0), + (10536, 3, 6, 'Veste de costume ouverte perle', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"perle"}', 0), + (10537, 3, 6, 'Veste de costume ouverte blanc', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"blanc"}', 0), + (10538, 3, 6, 'Veste de costume ouverte brun', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"brun"}', 0), + (10539, 3, 6, 'Veste de costume ouverte crème', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"crème"}', 0), + (10540, 3, 6, 'Veste de costume ouverte bleu foncé', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleu foncé"}', 0), + (10541, 3, 6, 'Veste de costume ouverte bleu clair', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bleu clair"}', 0), + (10542, 3, 6, 'Veste de costume ouverte bordeaux', 50, '{"components":{"11":{"Drawable":305,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"bordeaux"}', 0), + (10543, 3, 6, 'Veste de costume fermée noir', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"noir"}', 0), + (10544, 3, 6, 'Veste de costume fermée anthracite', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"anthracite"}', 0), + (10545, 3, 6, 'Veste de costume fermée gris', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"gris"}', 0), + (10546, 3, 6, 'Veste de costume fermée perle', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"perle"}', 0), + (10547, 3, 6, 'Veste de costume fermée blanc', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"blanc"}', 0), + (10548, 3, 6, 'Veste de costume fermée brun', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"brun"}', 0), + (10549, 3, 6, 'Veste de costume fermée crème', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"crème"}', 0), + (10550, 3, 6, 'Veste de costume fermée bleu foncé', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"bleu foncé"}', 0), + (10551, 3, 6, 'Veste de costume fermée bleu clair', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"bleu clair"}', 0), + (10552, 3, 6, 'Veste de costume fermée bordeaux', 50, '{"components":{"11":{"Drawable":306,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"bordeaux"}', 0), + (10553, 1, 5, 'Hoodie imperméable noir-rose', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-rose"}', 0), + (10554, 1, 5, 'Hoodie imperméable bleu-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-jaune"}', 0), + (10555, 1, 5, 'Hoodie imperméable rose-blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rose-blanc"}', 0), + (10556, 1, 5, 'Hoodie imperméable rouge-gris', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-gris"}', 0), + (10557, 1, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (10558, 1, 5, 'Hoodie imperméable camo-orange', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo-orange"}', 0), + (10559, 1, 5, 'Hoodie imperméable motifs kaki-orange', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs kaki-orange"}', 0), + (10560, 1, 5, 'Hoodie imperméable camo orange', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo orange"}', 0), + (10561, 1, 5, 'Hoodie imperméable noir-turquoise', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-turquoise"}', 0), + (10562, 1, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (10563, 1, 5, 'Hoodie imperméable noir-abricot', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-abricot"}', 0), + (10564, 1, 5, 'Hoodie imperméable bleu-turquoise', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-turquoise"}', 0), + (10565, 1, 5, 'Hoodie imperméable motifs noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs noir"}', 0), + (10566, 1, 5, 'Hoodie imperméable violet-blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-blanc"}', 0), + (10567, 1, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (10568, 1, 5, 'Hoodie imperméable lime-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"lime-jaune"}', 0), + (10569, 1, 5, 'Hoodie imperméable Guffy noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy noir"}', 0), + (10570, 1, 5, 'Hoodie imperméable Guffy violet', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy violet"}', 0), + (10571, 1, 5, 'Hoodie imperméable Guffy rouge', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy rouge"}', 0), + (10572, 1, 5, 'Hoodie imperméable rouge-violet', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-violet"}', 0), + (10573, 1, 5, 'Hoodie imperméable vert-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vert-jaune"}', 0), + (10574, 1, 5, 'Hoodie imperméable violet-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-jaune"}', 0), + (10575, 1, 5, 'Hoodie imperméable léopard', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"léopard"}', 0), + (10576, 1, 5, 'Hoodie imperméable anthracite-vert', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite-vert"}', 0), + (10577, 1, 5, 'Hoodie imperméable corail-abricot', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"corail-abricot"}', 0), + (10578, 2, 5, 'Hoodie imperméable noir-rose', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-rose"}', 0), + (10579, 2, 5, 'Hoodie imperméable bleu-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-jaune"}', 0), + (10580, 2, 5, 'Hoodie imperméable rose-blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rose-blanc"}', 0), + (10581, 2, 5, 'Hoodie imperméable rouge-gris', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-gris"}', 0), + (10582, 2, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (10583, 2, 5, 'Hoodie imperméable camo-orange', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo-orange"}', 0), + (10584, 2, 5, 'Hoodie imperméable motifs kaki-orange', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs kaki-orange"}', 0), + (10585, 2, 5, 'Hoodie imperméable camo orange', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo orange"}', 0), + (10586, 2, 5, 'Hoodie imperméable noir-turquoise', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-turquoise"}', 0), + (10587, 2, 5, 'Hoodie imperméable camo gris', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"camo gris"}', 0), + (10588, 2, 5, 'Hoodie imperméable noir-abricot', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"noir-abricot"}', 0), + (10589, 2, 5, 'Hoodie imperméable bleu-turquoise', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"bleu-turquoise"}', 0), + (10590, 2, 5, 'Hoodie imperméable motifs noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"motifs noir"}', 0), + (10591, 2, 5, 'Hoodie imperméable violet-blanc', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-blanc"}', 0), + (10592, 2, 5, 'Hoodie imperméable jaune-noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"jaune-noir"}', 0), + (10593, 2, 5, 'Hoodie imperméable lime-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"lime-jaune"}', 0), + (10594, 2, 5, 'Hoodie imperméable Guffy noir', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy noir"}', 0), + (10595, 2, 5, 'Hoodie imperméable Guffy violet', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy violet"}', 0), + (10596, 2, 5, 'Hoodie imperméable Guffy rouge', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"Guffy rouge"}', 0), + (10597, 2, 5, 'Hoodie imperméable rouge-violet', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"rouge-violet"}', 0), + (10598, 2, 5, 'Hoodie imperméable vert-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"vert-jaune"}', 0), + (10599, 2, 5, 'Hoodie imperméable violet-jaune', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"violet-jaune"}', 0), + (10600, 2, 5, 'Hoodie imperméable léopard', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"léopard"}', 0), + (10601, 2, 5, 'Hoodie imperméable anthracite-vert', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"anthracite-vert"}', 0), + (10602, 2, 5, 'Hoodie imperméable corail-abricot', 50, '{"components":{"11":{"Drawable":307,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable","colorLabel":"corail-abricot"}', 0), + (10603, 1, 5, 'Hoodie imperméable capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-rose"}', 0), + (10604, 1, 5, 'Hoodie imperméable capuche tête bleu-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-jaune"}', 0), + (10605, 1, 5, 'Hoodie imperméable capuche tête rose-blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rose-blanc"}', 0), + (10606, 1, 5, 'Hoodie imperméable capuche tête rouge-gris', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-gris"}', 0), + (10607, 1, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (10608, 1, 5, 'Hoodie imperméable capuche tête camo-orange', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo-orange"}', 0), + (10609, 1, 5, 'Hoodie imperméable capuche tête motifs kaki-orange', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs kaki-orange"}', 0), + (10610, 1, 5, 'Hoodie imperméable capuche tête camo orange', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo orange"}', 0), + (10611, 1, 5, 'Hoodie imperméable capuche tête noir-turquoise', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-turquoise"}', 0), + (10612, 1, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (10613, 1, 5, 'Hoodie imperméable capuche tête noir-abricot', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-abricot"}', 0), + (10614, 1, 5, 'Hoodie imperméable capuche tête bleu-turquoise', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-turquoise"}', 0), + (10615, 1, 5, 'Hoodie imperméable capuche tête motifs noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs noir"}', 0), + (10616, 1, 5, 'Hoodie imperméable capuche tête violet-blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-blanc"}', 0), + (10617, 1, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (10618, 1, 5, 'Hoodie imperméable capuche tête lime-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"lime-jaune"}', 0), + (10619, 1, 5, 'Hoodie imperméable capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy noir"}', 0), + (10620, 1, 5, 'Hoodie imperméable capuche tête Guffy violet', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy violet"}', 0), + (10621, 1, 5, 'Hoodie imperméable capuche tête Guffy rouge', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy rouge"}', 0), + (10622, 1, 5, 'Hoodie imperméable capuche tête rouge-violet', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-violet"}', 0), + (10623, 1, 5, 'Hoodie imperméable capuche tête vert-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vert-jaune"}', 0), + (10624, 1, 5, 'Hoodie imperméable capuche tête violet-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-jaune"}', 0), + (10625, 1, 5, 'Hoodie imperméable capuche tête léopard', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"léopard"}', 0), + (10626, 1, 5, 'Hoodie imperméable capuche tête anthracite-vert', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite-vert"}', 0), + (10627, 1, 5, 'Hoodie imperméable capuche tête corail-abricot', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"corail-abricot"}', 0), + (10628, 2, 5, 'Hoodie imperméable capuche tête noir-rose', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-rose"}', 0), + (10629, 2, 5, 'Hoodie imperméable capuche tête bleu-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-jaune"}', 0), + (10630, 2, 5, 'Hoodie imperméable capuche tête rose-blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rose-blanc"}', 0), + (10631, 2, 5, 'Hoodie imperméable capuche tête rouge-gris', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-gris"}', 0), + (10632, 2, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (10633, 2, 5, 'Hoodie imperméable capuche tête camo-orange', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo-orange"}', 0), + (10634, 2, 5, 'Hoodie imperméable capuche tête motifs kaki-orange', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs kaki-orange"}', 0), + (10635, 2, 5, 'Hoodie imperméable capuche tête camo orange', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo orange"}', 0), + (10636, 2, 5, 'Hoodie imperméable capuche tête noir-turquoise', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-turquoise"}', 0), + (10637, 2, 5, 'Hoodie imperméable capuche tête camo gris', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"camo gris"}', 0), + (10638, 2, 5, 'Hoodie imperméable capuche tête noir-abricot', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"noir-abricot"}', 0), + (10639, 2, 5, 'Hoodie imperméable capuche tête bleu-turquoise', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"bleu-turquoise"}', 0), + (10640, 2, 5, 'Hoodie imperméable capuche tête motifs noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"motifs noir"}', 0), + (10641, 2, 5, 'Hoodie imperméable capuche tête violet-blanc', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-blanc"}', 0), + (10642, 2, 5, 'Hoodie imperméable capuche tête jaune-noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"jaune-noir"}', 0), + (10643, 2, 5, 'Hoodie imperméable capuche tête lime-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"lime-jaune"}', 0), + (10644, 2, 5, 'Hoodie imperméable capuche tête Guffy noir', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy noir"}', 0), + (10645, 2, 5, 'Hoodie imperméable capuche tête Guffy violet', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy violet"}', 0), + (10646, 2, 5, 'Hoodie imperméable capuche tête Guffy rouge', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"Guffy rouge"}', 0), + (10647, 2, 5, 'Hoodie imperméable capuche tête rouge-violet', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"rouge-violet"}', 0), + (10648, 2, 5, 'Hoodie imperméable capuche tête vert-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"vert-jaune"}', 0), + (10649, 2, 5, 'Hoodie imperméable capuche tête violet-jaune', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"violet-jaune"}', 0), + (10650, 2, 5, 'Hoodie imperméable capuche tête léopard', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"léopard"}', 0), + (10651, 2, 5, 'Hoodie imperméable capuche tête anthracite-vert', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"anthracite-vert"}', 0), + (10652, 2, 5, 'Hoodie imperméable capuche tête corail-abricot', 50, '{"components":{"11":{"Drawable":308,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie imperméable capuche tête","colorLabel":"corail-abricot"}', 0), + (10653, 1, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (10654, 1, 12, 'Blouson sportif blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc"}', 0), + (10655, 1, 12, 'Blouson sportif Broker noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker noir"}', 0), + (10656, 1, 12, 'Blouson sportif double Broker blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker blanc"}', 0), + (10657, 1, 12, 'Blouson sportif double Broker rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker rouge"}', 0), + (10658, 1, 12, 'Blouson sportif double Broker violet', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker violet"}', 0), + (10659, 1, 12, 'Blouson sportif double Broker pétrole', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker pétrole"}', 0), + (10660, 1, 12, 'Blouson sportif Santo Capra noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra noir"}', 0), + (10661, 1, 12, 'Blouson sportif Santo Capra blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra blanc"}', 0), + (10662, 1, 12, 'Blouson sportif Santo Capra rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra rouge"}', 0), + (10663, 1, 12, 'Blouson sportif Santo Capra violet', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra violet"}', 0), + (10664, 1, 12, 'Blouson sportif Santo Capra pétrole', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra pétrole"}', 0), + (10665, 1, 12, 'Blouson sportif Broker noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker noir"}', 0), + (10666, 1, 12, 'Blouson sportif Broker blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker blanc"}', 0), + (10667, 1, 12, 'Blouson sportif Broker rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker rouge"}', 0), + (10668, 1, 12, 'Blouson sportif Broker violet', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker violet"}', 0), + (10669, 1, 12, 'Blouson sportif Broker pétrole', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker pétrole"}', 0), + (10670, 1, 12, 'Blouson sportif noir-rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-rouge"}', 0), + (10671, 1, 12, 'Blouson sportif noir fleurs multicolores', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir fleurs multicolores"}', 0), + (10672, 1, 12, 'Blouson sportif blanc fleurs multicolore', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc fleurs multicolore"}', 0), + (10673, 1, 12, 'Blouson sportif pétrole fleurs multicolore', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"pétrole fleurs multicolore"}', 0), + (10674, 1, 12, 'Blouson sportif bleu fleurs multicolore', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu fleurs multicolore"}', 0), + (10675, 1, 12, 'Blouson sportif Bigness héros ciel', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Bigness héros ciel"}', 0), + (10676, 1, 12, 'Blouson sportif Bigness héros blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Bigness héros blanc"}', 0), + (10677, 1, 12, 'Blouson sportif Bigness héros rose', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Bigness héros rose"}', 0), + (10678, 2, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (10679, 2, 12, 'Blouson sportif blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc"}', 0), + (10680, 2, 12, 'Blouson sportif Broker noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker noir"}', 0), + (10681, 2, 12, 'Blouson sportif double Broker blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker blanc"}', 0), + (10682, 2, 12, 'Blouson sportif double Broker rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker rouge"}', 0), + (10683, 2, 12, 'Blouson sportif double Broker violet', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker violet"}', 0), + (10684, 2, 12, 'Blouson sportif double Broker pétrole', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"double Broker pétrole"}', 0), + (10685, 2, 12, 'Blouson sportif Santo Capra noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra noir"}', 0), + (10686, 2, 12, 'Blouson sportif Santo Capra blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra blanc"}', 0), + (10687, 2, 12, 'Blouson sportif Santo Capra rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra rouge"}', 0), + (10688, 2, 12, 'Blouson sportif Santo Capra violet', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra violet"}', 0), + (10689, 2, 12, 'Blouson sportif Santo Capra pétrole', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Santo Capra pétrole"}', 0), + (10690, 2, 12, 'Blouson sportif Broker noir', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker noir"}', 0), + (10691, 2, 12, 'Blouson sportif Broker blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker blanc"}', 0), + (10692, 2, 12, 'Blouson sportif Broker rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker rouge"}', 0), + (10693, 2, 12, 'Blouson sportif Broker violet', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker violet"}', 0), + (10694, 2, 12, 'Blouson sportif Broker pétrole', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Broker pétrole"}', 0), + (10695, 2, 12, 'Blouson sportif noir-rouge', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-rouge"}', 0), + (10696, 2, 12, 'Blouson sportif noir fleurs multicolores', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir fleurs multicolores"}', 0), + (10697, 2, 12, 'Blouson sportif blanc fleurs multicolore', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc fleurs multicolore"}', 0), + (10698, 2, 12, 'Blouson sportif pétrole fleurs multicolore', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"pétrole fleurs multicolore"}', 0), + (10699, 2, 12, 'Blouson sportif bleu fleurs multicolore', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu fleurs multicolore"}', 0), + (10700, 2, 12, 'Blouson sportif Bigness héros ciel', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Bigness héros ciel"}', 0), + (10701, 2, 12, 'Blouson sportif Bigness héros blanc', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Bigness héros blanc"}', 0), + (10702, 2, 12, 'Blouson sportif Bigness héros rose', 50, '{"components":{"11":{"Drawable":309,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"Bigness héros rose"}', 0), + (10703, 1, 7, 'Chemise large m courtes espace vert', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"espace vert"}', 0), + (10704, 1, 7, 'Chemise large m courtes espace bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"espace bleu"}', 0), + (10705, 1, 7, 'Chemise large m courtes espace jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"espace jaune"}', 0), + (10706, 1, 7, 'Chemise large m courtes carreaux gris', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"carreaux gris"}', 0), + (10707, 1, 7, 'Chemise large m courtes carreaux bruns', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"carreaux bruns"}', 0), + (10708, 1, 7, 'Chemise large m courtes végétation rose', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"végétation rose"}', 0), + (10709, 1, 7, 'Chemise large m courtes inked dégradé', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"inked dégradé"}', 0), + (10710, 1, 7, 'Chemise large m courtes palmier rose', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"palmier rose"}', 0), + (10711, 1, 7, 'Chemise large m courtes plamier orange', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"plamier orange"}', 0), + (10712, 1, 7, 'Chemise large m courtes plamier bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"plamier bleu"}', 0), + (10713, 1, 7, 'Chemise large m courtes égypte noir', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"égypte noir"}', 0), + (10714, 1, 7, 'Chemise large m courtes égypte bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"égypte bleu"}', 0), + (10715, 1, 7, 'Chemise large m courtes égypte rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"égypte rouge"}', 0), + (10716, 1, 7, 'Chemise large m courtes casino jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"casino jaune"}', 0), + (10717, 1, 7, 'Chemise large m courtes casino rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"casino rouge"}', 0), + (10718, 1, 7, 'Chemise large m courtes poker noir', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"poker noir"}', 0), + (10719, 1, 7, 'Chemise large m courtes poker rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"poker rouge"}', 0), + (10720, 1, 7, 'Chemise large m courtes poker jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"poker jaune"}', 0), + (10721, 1, 7, 'Chemise large m courtes île bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île bleu"}', 0), + (10722, 1, 7, 'Chemise large m courtes île vert', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île vert"}', 0), + (10723, 1, 7, 'Chemise large m courtes île orange', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île orange"}', 0), + (10724, 1, 7, 'Chemise large m courtes île rose', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île rose"}', 0), + (10725, 1, 7, 'Chemise large m courtes mer vert', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"mer vert"}', 0), + (10726, 1, 7, 'Chemise large m courtes mer orange', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"mer orange"}', 0), + (10727, 1, 7, 'Chemise large m courtes vert beige', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"vert beige"}', 0), + (10728, 2, 7, 'Chemise large m courtes espace vert', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"espace vert"}', 0), + (10729, 2, 7, 'Chemise large m courtes espace bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"espace bleu"}', 0), + (10730, 2, 7, 'Chemise large m courtes espace jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"espace jaune"}', 0), + (10731, 2, 7, 'Chemise large m courtes carreaux gris', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"carreaux gris"}', 0), + (10732, 2, 7, 'Chemise large m courtes carreaux bruns', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"carreaux bruns"}', 0), + (10733, 2, 7, 'Chemise large m courtes végétation rose', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"végétation rose"}', 0), + (10734, 2, 7, 'Chemise large m courtes inked dégradé', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"inked dégradé"}', 0), + (10735, 2, 7, 'Chemise large m courtes palmier rose', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"palmier rose"}', 0), + (10736, 2, 7, 'Chemise large m courtes plamier orange', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"plamier orange"}', 0), + (10737, 2, 7, 'Chemise large m courtes plamier bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"plamier bleu"}', 0), + (10738, 2, 7, 'Chemise large m courtes égypte noir', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"égypte noir"}', 0), + (10739, 2, 7, 'Chemise large m courtes égypte bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"égypte bleu"}', 0), + (10740, 2, 7, 'Chemise large m courtes égypte rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"égypte rouge"}', 0), + (10741, 2, 7, 'Chemise large m courtes casino jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"casino jaune"}', 0), + (10742, 2, 7, 'Chemise large m courtes casino rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"casino rouge"}', 0), + (10743, 2, 7, 'Chemise large m courtes poker noir', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"poker noir"}', 0), + (10744, 2, 7, 'Chemise large m courtes poker rouge', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"poker rouge"}', 0), + (10745, 2, 7, 'Chemise large m courtes poker jaune', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"poker jaune"}', 0), + (10746, 2, 7, 'Chemise large m courtes île bleu', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île bleu"}', 0), + (10747, 2, 7, 'Chemise large m courtes île vert', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île vert"}', 0), + (10748, 2, 7, 'Chemise large m courtes île orange', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île orange"}', 0), + (10749, 2, 7, 'Chemise large m courtes île rose', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"île rose"}', 0), + (10750, 2, 7, 'Chemise large m courtes mer vert', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"mer vert"}', 0), + (10751, 2, 7, 'Chemise large m courtes mer orange', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"mer orange"}', 0), + (10752, 2, 7, 'Chemise large m courtes vert beige', 50, '{"components":{"11":{"Drawable":310,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"vert beige"}', 0), + (10753, 1, 4, 'Anorak sans capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (10754, 1, 4, 'Anorak sans capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (10755, 1, 4, 'Anorak sans capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (10756, 1, 4, 'Anorak sans capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (10757, 1, 4, 'Anorak sans capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé bleu"}', 0), + (10758, 1, 4, 'Anorak sans capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures noir"}', 0), + (10759, 1, 4, 'Anorak sans capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures blanc"}', 0), + (10760, 1, 4, 'Anorak sans capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures violet"}', 0), + (10761, 1, 4, 'Anorak sans capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (10762, 1, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (10763, 1, 4, 'Anorak sans capuche fermé vanille', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vanille"}', 0), + (10764, 1, 4, 'Anorak sans capuche fermé lila', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lila"}', 0), + (10765, 1, 4, 'Anorak sans capuche fermé taupe', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"taupe"}', 0), + (10766, 1, 4, 'Anorak sans capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo abricot"}', 0), + (10767, 1, 4, 'Anorak sans capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo noir"}', 0), + (10768, 1, 4, 'Anorak sans capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo rouge"}', 0), + (10769, 1, 4, 'Anorak sans capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo anthracite"}', 0), + (10770, 1, 4, 'Anorak sans capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (10771, 1, 4, 'Anorak sans capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige-orange"}', 0), + (10772, 1, 4, 'Anorak sans capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo vert-orange"}', 0), + (10773, 1, 4, 'Anorak sans capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-orange"}', 0), + (10774, 1, 4, 'Anorak sans capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blageur marron"}', 0), + (10775, 1, 4, 'Anorak sans capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur noir"}', 0), + (10776, 1, 4, 'Anorak sans capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (10777, 1, 4, 'Anorak sans capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur lime"}', 0), + (10778, 2, 4, 'Anorak sans capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (10779, 2, 4, 'Anorak sans capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (10780, 2, 4, 'Anorak sans capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (10781, 2, 4, 'Anorak sans capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (10782, 2, 4, 'Anorak sans capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dégradé bleu"}', 0), + (10783, 2, 4, 'Anorak sans capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures noir"}', 0), + (10784, 2, 4, 'Anorak sans capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures blanc"}', 0), + (10785, 2, 4, 'Anorak sans capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"dorures violet"}', 0), + (10786, 2, 4, 'Anorak sans capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (10787, 2, 4, 'Anorak sans capuche fermé vert', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vert"}', 0), + (10788, 2, 4, 'Anorak sans capuche fermé vanille', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"vanille"}', 0), + (10789, 2, 4, 'Anorak sans capuche fermé lila', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"lila"}', 0), + (10790, 2, 4, 'Anorak sans capuche fermé taupe', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"taupe"}', 0), + (10791, 2, 4, 'Anorak sans capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo abricot"}', 0), + (10792, 2, 4, 'Anorak sans capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo noir"}', 0), + (10793, 2, 4, 'Anorak sans capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo rouge"}', 0), + (10794, 2, 4, 'Anorak sans capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"logo anthracite"}', 0), + (10795, 2, 4, 'Anorak sans capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (10796, 2, 4, 'Anorak sans capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo beige-orange"}', 0), + (10797, 2, 4, 'Anorak sans capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo vert-orange"}', 0), + (10798, 2, 4, 'Anorak sans capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"camo brun-orange"}', 0), + (10799, 2, 4, 'Anorak sans capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blageur marron"}', 0), + (10800, 2, 4, 'Anorak sans capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur noir"}', 0), + (10801, 2, 4, 'Anorak sans capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (10802, 2, 4, 'Anorak sans capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":311,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak sans capuche fermé","colorLabel":"Blagueur lime"}', 0), + (10803, 1, 4, 'Anorak à capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (10804, 1, 4, 'Anorak à capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (10805, 1, 4, 'Anorak à capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (10806, 1, 4, 'Anorak à capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (10807, 1, 4, 'Anorak à capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé bleu"}', 0), + (10808, 1, 4, 'Anorak à capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures noir"}', 0), + (10809, 1, 4, 'Anorak à capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures blanc"}', 0), + (10810, 1, 4, 'Anorak à capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures violet"}', 0), + (10811, 1, 4, 'Anorak à capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (10812, 1, 4, 'Anorak à capuche fermé vert', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert"}', 0), + (10813, 1, 4, 'Anorak à capuche fermé vanille', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vanille"}', 0), + (10814, 1, 4, 'Anorak à capuche fermé lila', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"lila"}', 0), + (10815, 1, 4, 'Anorak à capuche fermé taupe', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"taupe"}', 0), + (10816, 1, 4, 'Anorak à capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo abricot"}', 0), + (10817, 1, 4, 'Anorak à capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo noir"}', 0), + (10818, 1, 4, 'Anorak à capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo rouge"}', 0), + (10819, 1, 4, 'Anorak à capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo anthracite"}', 0), + (10820, 1, 4, 'Anorak à capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (10821, 1, 4, 'Anorak à capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige-orange"}', 0), + (10822, 1, 4, 'Anorak à capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert-orange"}', 0), + (10823, 1, 4, 'Anorak à capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo brun-orange"}', 0), + (10824, 1, 4, 'Anorak à capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blageur marron"}', 0), + (10825, 1, 4, 'Anorak à capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur noir"}', 0), + (10826, 1, 4, 'Anorak à capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (10827, 1, 4, 'Anorak à capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur lime"}', 0), + (10828, 2, 4, 'Anorak à capuche fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé violet-bleu"}', 0), + (10829, 2, 4, 'Anorak à capuche fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé vert-jaune"}', 0), + (10830, 2, 4, 'Anorak à capuche fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé noir-blanc"}', 0), + (10831, 2, 4, 'Anorak à capuche fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé pêche-vert"}', 0), + (10832, 2, 4, 'Anorak à capuche fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dégradé bleu"}', 0), + (10833, 2, 4, 'Anorak à capuche fermé dorures noir', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures noir"}', 0), + (10834, 2, 4, 'Anorak à capuche fermé dorures blanc', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures blanc"}', 0), + (10835, 2, 4, 'Anorak à capuche fermé dorures violet', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"dorures violet"}', 0), + (10836, 2, 4, 'Anorak à capuche fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Santo Capra blanc"}', 0), + (10837, 2, 4, 'Anorak à capuche fermé vert', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vert"}', 0), + (10838, 2, 4, 'Anorak à capuche fermé vanille', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"vanille"}', 0), + (10839, 2, 4, 'Anorak à capuche fermé lila', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"lila"}', 0), + (10840, 2, 4, 'Anorak à capuche fermé taupe', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"taupe"}', 0), + (10841, 2, 4, 'Anorak à capuche fermé logo abricot', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo abricot"}', 0), + (10842, 2, 4, 'Anorak à capuche fermé logo noir', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo noir"}', 0), + (10843, 2, 4, 'Anorak à capuche fermé logo rouge', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo rouge"}', 0), + (10844, 2, 4, 'Anorak à capuche fermé logo anthracite', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"logo anthracite"}', 0), + (10845, 2, 4, 'Anorak à capuche fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo noir-jaune"}', 0), + (10846, 2, 4, 'Anorak à capuche fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo beige-orange"}', 0), + (10847, 2, 4, 'Anorak à capuche fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo vert-orange"}', 0), + (10848, 2, 4, 'Anorak à capuche fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"camo brun-orange"}', 0), + (10849, 2, 4, 'Anorak à capuche fermé Blageur marron', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blageur marron"}', 0), + (10850, 2, 4, 'Anorak à capuche fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur noir"}', 0), + (10851, 2, 4, 'Anorak à capuche fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur rouge"}', 0), + (10852, 2, 4, 'Anorak à capuche fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":312,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche fermé","colorLabel":"Blagueur lime"}', 0), + (10853, 1, 4, 'Anorak à capuche tête fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé violet-bleu"}', 0), + (10854, 1, 4, 'Anorak à capuche tête fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé vert-jaune"}', 0), + (10855, 1, 4, 'Anorak à capuche tête fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé noir-blanc"}', 0), + (10856, 1, 4, 'Anorak à capuche tête fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé pêche-vert"}', 0), + (10857, 1, 4, 'Anorak à capuche tête fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé bleu"}', 0), + (10858, 1, 4, 'Anorak à capuche tête fermé dorures noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures noir"}', 0), + (10859, 1, 4, 'Anorak à capuche tête fermé dorures blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures blanc"}', 0), + (10860, 1, 4, 'Anorak à capuche tête fermé dorures violet', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures violet"}', 0), + (10861, 1, 4, 'Anorak à capuche tête fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Santo Capra blanc"}', 0), + (10862, 1, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (10863, 1, 4, 'Anorak à capuche tête fermé vanille', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vanille"}', 0), + (10864, 1, 4, 'Anorak à capuche tête fermé lila', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lila"}', 0), + (10865, 1, 4, 'Anorak à capuche tête fermé taupe', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"taupe"}', 0), + (10866, 1, 4, 'Anorak à capuche tête fermé logo abricot', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo abricot"}', 0), + (10867, 1, 4, 'Anorak à capuche tête fermé logo noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo noir"}', 0), + (10868, 1, 4, 'Anorak à capuche tête fermé logo rouge', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo rouge"}', 0), + (10869, 1, 4, 'Anorak à capuche tête fermé logo anthracite', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo anthracite"}', 0), + (10870, 1, 4, 'Anorak à capuche tête fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo noir-jaune"}', 0), + (10871, 1, 4, 'Anorak à capuche tête fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige-orange"}', 0), + (10872, 1, 4, 'Anorak à capuche tête fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo vert-orange"}', 0), + (10873, 1, 4, 'Anorak à capuche tête fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-orange"}', 0), + (10874, 1, 4, 'Anorak à capuche tête fermé Blageur marron', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blageur marron"}', 0), + (10875, 1, 4, 'Anorak à capuche tête fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur noir"}', 0), + (10876, 1, 4, 'Anorak à capuche tête fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur rouge"}', 0), + (10877, 1, 4, 'Anorak à capuche tête fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur lime"}', 0), + (10878, 2, 4, 'Anorak à capuche tête fermé dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé violet-bleu"}', 0), + (10879, 2, 4, 'Anorak à capuche tête fermé dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé vert-jaune"}', 0), + (10880, 2, 4, 'Anorak à capuche tête fermé dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé noir-blanc"}', 0), + (10881, 2, 4, 'Anorak à capuche tête fermé dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé pêche-vert"}', 0), + (10882, 2, 4, 'Anorak à capuche tête fermé dégradé bleu', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dégradé bleu"}', 0), + (10883, 2, 4, 'Anorak à capuche tête fermé dorures noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures noir"}', 0), + (10884, 2, 4, 'Anorak à capuche tête fermé dorures blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures blanc"}', 0), + (10885, 2, 4, 'Anorak à capuche tête fermé dorures violet', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"dorures violet"}', 0), + (10886, 2, 4, 'Anorak à capuche tête fermé Santo Capra blanc', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Santo Capra blanc"}', 0), + (10887, 2, 4, 'Anorak à capuche tête fermé vert', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vert"}', 0), + (10888, 2, 4, 'Anorak à capuche tête fermé vanille', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"vanille"}', 0), + (10889, 2, 4, 'Anorak à capuche tête fermé lila', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"lila"}', 0), + (10890, 2, 4, 'Anorak à capuche tête fermé taupe', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"taupe"}', 0), + (10891, 2, 4, 'Anorak à capuche tête fermé logo abricot', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo abricot"}', 0), + (10892, 2, 4, 'Anorak à capuche tête fermé logo noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo noir"}', 0), + (10893, 2, 4, 'Anorak à capuche tête fermé logo rouge', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo rouge"}', 0), + (10894, 2, 4, 'Anorak à capuche tête fermé logo anthracite', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"logo anthracite"}', 0), + (10895, 2, 4, 'Anorak à capuche tête fermé camo noir-jaune', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo noir-jaune"}', 0), + (10896, 2, 4, 'Anorak à capuche tête fermé camo beige-orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo beige-orange"}', 0), + (10897, 2, 4, 'Anorak à capuche tête fermé camo vert-orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo vert-orange"}', 0), + (10898, 2, 4, 'Anorak à capuche tête fermé camo brun-orange', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"camo brun-orange"}', 0), + (10899, 2, 4, 'Anorak à capuche tête fermé Blageur marron', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blageur marron"}', 0), + (10900, 2, 4, 'Anorak à capuche tête fermé Blagueur noir', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur noir"}', 0), + (10901, 2, 4, 'Anorak à capuche tête fermé Blagueur rouge', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur rouge"}', 0), + (10902, 2, 4, 'Anorak à capuche tête fermé Blagueur lime', 50, '{"components":{"11":{"Drawable":313,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Anorak à capuche tête fermé","colorLabel":"Blagueur lime"}', 0), + (10903, 1, 4, 'Anorak à capuche ouvert dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé violet-bleu"}', 0), + (10904, 1, 4, 'Anorak à capuche ouvert dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé vert-jaune"}', 0), + (10905, 1, 4, 'Anorak à capuche ouvert dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé noir-blanc"}', 0), + (10906, 1, 4, 'Anorak à capuche ouvert dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé pêche-vert"}', 0), + (10907, 1, 4, 'Anorak à capuche ouvert dégradé bleu', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé bleu"}', 0), + (10908, 1, 4, 'Anorak à capuche ouvert dorures noir', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures noir"}', 0), + (10909, 1, 4, 'Anorak à capuche ouvert dorures blanc', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures blanc"}', 0), + (10910, 1, 4, 'Anorak à capuche ouvert dorures violet', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures violet"}', 0), + (10911, 1, 4, 'Anorak à capuche ouvert Santo Capra blanc', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Santo Capra blanc"}', 0), + (10912, 1, 4, 'Anorak à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert"}', 0), + (10913, 1, 4, 'Anorak à capuche ouvert vanille', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vanille"}', 0), + (10914, 1, 4, 'Anorak à capuche ouvert lila', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"lila"}', 0), + (10915, 1, 4, 'Anorak à capuche ouvert taupe', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"taupe"}', 0), + (10916, 1, 4, 'Anorak à capuche ouvert logo abricot', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo abricot"}', 0), + (10917, 1, 4, 'Anorak à capuche ouvert logo noir', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo noir"}', 0), + (10918, 1, 4, 'Anorak à capuche ouvert logo rouge', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo rouge"}', 0), + (10919, 1, 4, 'Anorak à capuche ouvert logo anthracite', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo anthracite"}', 0), + (10920, 1, 4, 'Anorak à capuche ouvert camo noir-jaune', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo noir-jaune"}', 0), + (10921, 1, 4, 'Anorak à capuche ouvert camo beige-orange', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige-orange"}', 0), + (10922, 1, 4, 'Anorak à capuche ouvert camo vert-orange', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert-orange"}', 0), + (10923, 1, 4, 'Anorak à capuche ouvert camo brun-orange', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo brun-orange"}', 0), + (10924, 1, 4, 'Anorak à capuche ouvert Blageur marron', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blageur marron"}', 0), + (10925, 1, 4, 'Anorak à capuche ouvert Blagueur noir', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur noir"}', 0), + (10926, 1, 4, 'Anorak à capuche ouvert Blagueur rouge', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur rouge"}', 0), + (10927, 1, 4, 'Anorak à capuche ouvert Blagueur lime', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur lime"}', 0), + (10928, 2, 4, 'Anorak à capuche ouvert dégradé violet-bleu', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé violet-bleu"}', 0), + (10929, 2, 4, 'Anorak à capuche ouvert dégradé vert-jaune', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé vert-jaune"}', 0), + (10930, 2, 4, 'Anorak à capuche ouvert dégradé noir-blanc', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé noir-blanc"}', 0), + (10931, 2, 4, 'Anorak à capuche ouvert dégradé pêche-vert', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé pêche-vert"}', 0), + (10932, 2, 4, 'Anorak à capuche ouvert dégradé bleu', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dégradé bleu"}', 0), + (10933, 2, 4, 'Anorak à capuche ouvert dorures noir', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures noir"}', 0), + (10934, 2, 4, 'Anorak à capuche ouvert dorures blanc', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures blanc"}', 0), + (10935, 2, 4, 'Anorak à capuche ouvert dorures violet', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"dorures violet"}', 0), + (10936, 2, 4, 'Anorak à capuche ouvert Santo Capra blanc', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Santo Capra blanc"}', 0), + (10937, 2, 4, 'Anorak à capuche ouvert vert', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vert"}', 0), + (10938, 2, 4, 'Anorak à capuche ouvert vanille', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"vanille"}', 0), + (10939, 2, 4, 'Anorak à capuche ouvert lila', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"lila"}', 0), + (10940, 2, 4, 'Anorak à capuche ouvert taupe', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"taupe"}', 0), + (10941, 2, 4, 'Anorak à capuche ouvert logo abricot', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo abricot"}', 0), + (10942, 2, 4, 'Anorak à capuche ouvert logo noir', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo noir"}', 0), + (10943, 2, 4, 'Anorak à capuche ouvert logo rouge', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo rouge"}', 0), + (10944, 2, 4, 'Anorak à capuche ouvert logo anthracite', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"logo anthracite"}', 0), + (10945, 2, 4, 'Anorak à capuche ouvert camo noir-jaune', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo noir-jaune"}', 0), + (10946, 2, 4, 'Anorak à capuche ouvert camo beige-orange', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo beige-orange"}', 0), + (10947, 2, 4, 'Anorak à capuche ouvert camo vert-orange', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo vert-orange"}', 0), + (10948, 2, 4, 'Anorak à capuche ouvert camo brun-orange', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"camo brun-orange"}', 0), + (10949, 2, 4, 'Anorak à capuche ouvert Blageur marron', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blageur marron"}', 0), + (10950, 2, 4, 'Anorak à capuche ouvert Blagueur noir', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur noir"}', 0), + (10951, 2, 4, 'Anorak à capuche ouvert Blagueur rouge', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur rouge"}', 0), + (10952, 2, 4, 'Anorak à capuche ouvert Blagueur lime', 50, '{"components":{"11":{"Drawable":314,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Anorak à capuche ouvert","colorLabel":"Blagueur lime"}', 0), + (10953, 3, 4, 'Manteau fourrure Santo Capra brun', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"Santo Capra brun"}', 0), + (10954, 3, 4, 'Manteau fourrure serpent jaune', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"serpent jaune"}', 0), + (10955, 3, 4, 'Manteau fourrure carreaux taupe', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"carreaux taupe"}', 0), + (10956, 3, 4, 'Manteau fourrure carreaux jaune', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"carreaux jaune"}', 0), + (10957, 3, 4, 'Manteau fourrure noir', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"noir"}', 0), + (10958, 3, 4, 'Manteau fourrure panthère blanche', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"panthère blanche"}', 0), + (10959, 3, 4, 'Manteau fourrure léopard', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"léopard"}', 0), + (10960, 3, 4, 'Manteau fourrure géométrique vert', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"géométrique vert"}', 0), + (10961, 3, 4, 'Manteau fourrure fleurs rouges', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"fleurs rouges"}', 0), + (10962, 3, 4, 'Manteau fourrure turquoise', 50, '{"components":{"11":{"Drawable":315,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Manteau fourrure ","colorLabel":"turquoise"}', 0), + (10963, 3, 5, 'Hoodie oversize D LS blanc', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS blanc"}', 0), + (10964, 3, 5, 'Hoodie oversize D LS noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS noir"}', 0), + (10965, 3, 5, 'Hoodie oversize D LS perle', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS perle"}', 0), + (10966, 3, 5, 'Hoodie oversize D LS gris', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS gris"}', 0), + (10967, 3, 5, 'Hoodie oversize D LS rouge', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS rouge"}', 0), + (10968, 3, 5, 'Hoodie oversize D LS orange', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS orange"}', 0), + (10969, 3, 5, 'Hoodie oversize D LS bleu', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS bleu"}', 0), + (10970, 3, 5, 'Hoodie oversize D LS vert', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS vert"}', 0), + (10971, 3, 5, 'Hoodie oversize D LS abricot', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS abricot"}', 0), + (10972, 3, 5, 'Hoodie oversize D LS violet', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS violet"}', 0), + (10973, 3, 5, 'Hoodie oversize D LS rose', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"D LS rose"}', 0), + (10974, 3, 5, 'Hoodie oversize SC noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"SC noir"}', 0), + (10975, 3, 5, 'Hoodie oversize Broker noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Broker noir"}', 0), + (10976, 3, 5, 'Hoodie oversize B liseré noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"B liseré noir"}', 0), + (10977, 3, 5, 'Hoodie oversize Blag blanc', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blag blanc"}', 0), + (10978, 3, 5, 'Hoodie oversize orange', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange"}', 0), + (10979, 3, 5, 'Hoodie oversize violet', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"violet"}', 0), + (10980, 3, 5, 'Hoodie oversize pétrole', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pétrole"}', 0), + (10981, 3, 5, 'Hoodie oversize carreaux multicolore', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"carreaux multicolore"}', 0), + (10982, 3, 5, 'Hoodie oversize Squash', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Squash"}', 0), + (10983, 3, 5, 'Hoodie oversize trefle noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"trefle noir"}', 0), + (10984, 3, 5, 'Hoodie oversize Blagueur gris', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Blagueur gris"}', 0), + (10985, 3, 5, 'Hoodie oversize yéti noir', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"yéti noir"}', 0), + (10986, 3, 5, 'Hoodie oversize LS camo gris', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"LS camo gris"}', 0), + (10987, 3, 5, 'Hoodie oversize LS camo jaune', 50, '{"components":{"11":{"Drawable":316,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"LS camo jaune"}', 0), + (10988, 3, 5, 'Hoodie oversize capuche tête D LS blanc', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS blanc"}', 0), + (10989, 3, 5, 'Hoodie oversize capuche tête D LS noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS noir"}', 0), + (10990, 3, 5, 'Hoodie oversize capuche tête D LS perle', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS perle"}', 0), + (10991, 3, 5, 'Hoodie oversize capuche tête D LS gris', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS gris"}', 0), + (10992, 3, 5, 'Hoodie oversize capuche tête D LS rouge', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS rouge"}', 0), + (10993, 3, 5, 'Hoodie oversize capuche tête D LS orange', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS orange"}', 0), + (10994, 3, 5, 'Hoodie oversize capuche tête D LS bleu', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS bleu"}', 0), + (10995, 3, 5, 'Hoodie oversize capuche tête D LS vert', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS vert"}', 0), + (10996, 3, 5, 'Hoodie oversize capuche tête D LS abricot', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS abricot"}', 0), + (10997, 3, 5, 'Hoodie oversize capuche tête D LS violet', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS violet"}', 0), + (10998, 3, 5, 'Hoodie oversize capuche tête D LS rose', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"D LS rose"}', 0), + (10999, 3, 5, 'Hoodie oversize capuche tête SC noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"SC noir"}', 0), + (11000, 3, 5, 'Hoodie oversize capuche tête Broker noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Broker noir"}', 0), + (11001, 3, 5, 'Hoodie oversize capuche tête B liseré noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"B liseré noir"}', 0), + (11002, 3, 5, 'Hoodie oversize capuche tête Blag blanc', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blag blanc"}', 0), + (11003, 3, 5, 'Hoodie oversize capuche tête orange', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange"}', 0), + (11004, 3, 5, 'Hoodie oversize capuche tête violet', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"violet"}', 0), + (11005, 3, 5, 'Hoodie oversize capuche tête pétrole', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pétrole"}', 0), + (11006, 3, 5, 'Hoodie oversize capuche tête carreaux multicolore', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"carreaux multicolore"}', 0), + (11007, 3, 5, 'Hoodie oversize capuche tête Squash', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Squash"}', 0), + (11008, 3, 5, 'Hoodie oversize capuche tête trefle noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"trefle noir"}', 0), + (11009, 3, 5, 'Hoodie oversize capuche tête Blagueur gris', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Blagueur gris"}', 0), + (11010, 3, 5, 'Hoodie oversize capuche tête yéti noir', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"yéti noir"}', 0), + (11011, 3, 5, 'Hoodie oversize capuche tête LS camo gris', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"LS camo gris"}', 0), + (11012, 3, 5, 'Hoodie oversize capuche tête LS camo jaune', 50, '{"components":{"11":{"Drawable":317,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"LS camo jaune"}', 0), + (11013, 3, 9, 'Pull manches 3/4 Broker', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Broker"}', 0), + (11014, 3, 9, 'Pull manches 3/4 Broker médaillon', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Broker médaillon"}', 0), + (11015, 3, 9, 'Pull manches 3/4 Broker médaillon blanc', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Broker médaillon blanc"}', 0), + (11016, 3, 9, 'Pull manches 3/4 Broker liseré', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Broker liseré"}', 0), + (11017, 3, 9, 'Pull manches 3/4 Santo Capra', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Santo Capra"}', 0), + (11018, 3, 9, 'Pull manches 3/4 Blagueur blanc', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Blagueur blanc"}', 0), + (11019, 3, 9, 'Pull manches 3/4 Blagueur noir', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Blagueur noir"}', 0), + (11020, 3, 9, 'Pull manches 3/4 Squash multicolore', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Squash multicolore"}', 0), + (11021, 3, 9, 'Pull manches 3/4 Squash blanc', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Squash blanc"}', 0), + (11022, 3, 9, 'Pull manches 3/4 carreaux blanc-noir', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"carreaux blanc-noir"}', 0), + (11023, 3, 9, 'Pull manches 3/4 carreaux blanc-rouge', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"carreaux blanc-rouge"}', 0), + (11024, 3, 9, 'Pull manches 3/4 bandes oranges', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"bandes oranges"}', 0), + (11025, 3, 9, 'Pull manches 3/4 bandes violet', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"bandes violet"}', 0), + (11026, 3, 9, 'Pull manches 3/4 gris', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"gris"}', 0), + (11027, 3, 9, 'Pull manches 3/4 skateur bleu', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"skateur bleu"}', 0), + (11028, 3, 9, 'Pull manches 3/4 skateur blanc', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"skateur blanc"}', 0), + (11029, 3, 9, 'Pull manches 3/4 skateur corail', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"skateur corail"}', 0), + (11030, 3, 9, 'Pull manches 3/4 skateur jaune', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"skateur jaune"}', 0), + (11031, 3, 9, 'Pull manches 3/4 skateur taupe', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"skateur taupe"}', 0), + (11032, 3, 9, 'Pull manches 3/4 arc-en-ciel', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"arc-en-ciel"}', 0), + (11033, 3, 9, 'Pull manches 3/4 NS noir-rose', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"NS noir-rose"}', 0), + (11034, 3, 9, 'Pull manches 3/4 bleu foncé fleurs', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"bleu foncé fleurs"}', 0), + (11035, 3, 9, 'Pull manches 3/4 beige fleurs', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"beige fleurs"}', 0), + (11036, 3, 9, 'Pull manches 3/4 turquoise fleurs', 50, '{"components":{"11":{"Drawable":318,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"turquoise fleurs"}', 0), + (11037, 3, 5, 'Sweat-shirt large Bigness blanc', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"Bigness blanc"}', 0), + (11038, 3, 5, 'Sweat-shirt large Bigness noir', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"Bigness noir"}', 0), + (11039, 3, 5, 'Sweat-shirt large Bigness logo noir blanc', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"Bigness logo noir blanc"}', 0), + (11040, 3, 5, 'Sweat-shirt large Bigness logo blanc noir', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"Bigness logo blanc noir"}', 0), + (11041, 3, 5, 'Sweat-shirt large noir symboles', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"noir symboles"}', 0), + (11042, 3, 5, 'Sweat-shirt large noir toile d\'araignée', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"noir toile d\'araignée"}', 0), + (11043, 3, 5, 'Sweat-shirt large blanc marin', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"blanc marin"}', 0), + (11044, 3, 5, 'Sweat-shirt large jaune marin', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"jaune marin"}', 0), + (11045, 3, 5, 'Sweat-shirt large noir Dix', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"noir Dix"}', 0), + (11046, 3, 5, 'Sweat-shirt large gris Dix', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"gris Dix"}', 0), + (11047, 3, 5, 'Sweat-shirt large noir Le Chien', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"noir Le Chien"}', 0), + (11048, 3, 5, 'Sweat-shirt large violet fleurs', 50, '{"components":{"11":{"Drawable":319,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt large","colorLabel":"violet fleurs"}', 0), + (11049, 3, 4, 'Doudoune chaude ouverte Broker rouge', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Broker rouge"}', 0), + (11050, 3, 4, 'Doudoune chaude ouverte Broker noir', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Broker noir"}', 0), + (11051, 3, 4, 'Doudoune chaude ouverte Broker turquoise', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"Broker turquoise"}', 0), + (11052, 3, 4, 'Doudoune chaude ouverte taupe Fly Bravo', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"taupe Fly Bravo"}', 0), + (11053, 3, 4, 'Doudoune chaude ouverte bleu foncé Fly Bravo', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"bleu foncé Fly Bravo"}', 0), + (11054, 3, 4, 'Doudoune chaude ouverte jaune Fly Bravo', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"jaune Fly Bravo"}', 0), + (11055, 3, 4, 'Doudoune chaude ouverte noir Guffy', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"noir Guffy"}', 0), + (11056, 3, 4, 'Doudoune chaude ouverte turquoise Guffy', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"turquoise Guffy"}', 0), + (11057, 3, 4, 'Doudoune chaude ouverte dégradé rose-bleu Guffy', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"dégradé rose-bleu Guffy"}', 0), + (11058, 3, 4, 'Doudoune chaude ouverte léopard rose Guffy', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"léopard rose Guffy"}', 0), + (11059, 3, 4, 'Doudoune chaude ouverte camo gris', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo gris"}', 0), + (11060, 3, 4, 'Doudoune chaude ouverte camo jaune-vert', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo jaune-vert"}', 0), + (11061, 3, 4, 'Doudoune chaude ouverte camo sable-brun', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"camo sable-brun"}', 0), + (11062, 3, 4, 'Doudoune chaude ouverte fleurs', 50, '{"components":{"11":{"Drawable":320,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Doudoune chaude ouverte","colorLabel":"fleurs"}', 0), + (11063, 3, 13, 'Haut de peignoir dorures blanc', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures blanc"}', 0), + (11064, 3, 13, 'Haut de peignoir dorures rouge', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures rouge"}', 0), + (11065, 3, 13, 'Haut de peignoir dorures manches gris', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures manches gris"}', 0), + (11066, 3, 13, 'Haut de peignoir dorures manches jaune', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"dorures manches jaune"}', 0), + (11067, 3, 13, 'Haut de peignoir blanc Diamond', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"blanc Diamond"}', 0), + (11068, 3, 13, 'Haut de peignoir noir Diamond', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir Diamond"}', 0), + (11069, 3, 13, 'Haut de peignoir anthracite étoiles', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"anthracite étoiles"}', 0), + (11070, 3, 13, 'Haut de peignoir noir et rouge', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"noir et rouge"}', 0), + (11071, 3, 13, 'Haut de peignoir rouge et noir', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"rouge et noir"}', 0), + (11072, 3, 13, 'Haut de peignoir rouge et jaune', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"rouge et jaune"}', 0), + (11073, 3, 13, 'Haut de peignoir blanc et jaune', 50, '{"components":{"11":{"Drawable":321,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Haut de peignoir","colorLabel":"blanc et jaune"}', 0), + (11074, 3, 8, 'Robe bustier dégradé doré-noir', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dégradé doré-noir"}', 0), + (11075, 3, 8, 'Robe bustier doré-noir', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"doré-noir"}', 0), + (11076, 3, 8, 'Robe bustier noir-doré', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"noir-doré"}', 0), + (11077, 3, 8, 'Robe bustier blanc feuilles noires', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"blanc feuilles noires"}', 0), + (11078, 3, 8, 'Robe bustier noir motifs dorés', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"noir motifs dorés"}', 0), + (11079, 3, 8, 'Robe bustier bleu diamants', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"bleu diamants"}', 0), + (11080, 3, 8, 'Robe bustier rouge et blanc', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"rouge et blanc"}', 0), + (11081, 3, 8, 'Robe bustier rouge', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"rouge"}', 0), + (11082, 3, 8, 'Robe bustier lila', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"lila"}', 0), + (11083, 3, 8, 'Robe bustier noir blanc', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"noir blanc"}', 0), + (11084, 3, 8, 'Robe bustier dégradé turquoise-pêche', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dégradé turquoise-pêche"}', 0), + (11085, 3, 8, 'Robe bustier bleu-vert', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"bleu-vert"}', 0), + (11086, 3, 8, 'Robe bustier blanc-violine', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"blanc-violine"}', 0), + (11087, 3, 8, 'Robe bustier bleu-doré-noir', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"bleu-doré-noir"}', 0), + (11088, 3, 8, 'Robe bustier bleu-jaune', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"bleu-jaune"}', 0), + (11089, 3, 8, 'Robe bustier dégradé turquoise-noir', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dégradé turquoise-noir"}', 0), + (11090, 3, 8, 'Robe bustier dégradé brun-jaune', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dégradé brun-jaune"}', 0), + (11091, 3, 8, 'Robe bustier degradé marron-turquoise', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"degradé marron-turquoise"}', 0), + (11092, 3, 8, 'Robe bustier blanc-marron', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"blanc-marron"}', 0), + (11093, 3, 8, 'Robe bustier vert motifs', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"vert motifs"}', 0), + (11094, 3, 8, 'Robe bustier poker turquoise', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"poker turquoise"}', 0), + (11095, 3, 8, 'Robe bustier dollars', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dollars"}', 0), + (11096, 3, 8, 'Robe bustier cartes noir-rouge', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"cartes noir-rouge"}', 0), + (11097, 3, 8, 'Robe bustier dame de coeur', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dame de coeur"}', 0), + (11098, 3, 8, 'Robe bustier dés', 50, '{"components":{"11":{"Drawable":322,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"dés"}', 0), + (11099, 3, 8, 'Robe bustier Broker jaune', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"Broker jaune"}', 0), + (11100, 3, 8, 'Robe bustier fleurs jaune', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"fleurs jaune"}', 0), + (11101, 3, 8, 'Robe bustier fleurs noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"fleurs noir"}', 0), + (11102, 3, 8, 'Robe bustier roses blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"roses blanc"}', 0), + (11103, 3, 8, 'Robe bustier roses rouge', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"roses rouge"}', 0), + (11104, 3, 8, 'Robe bustier motifs blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs blanc"}', 0), + (11105, 3, 8, 'Robe bustier motifs noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs noir"}', 0), + (11106, 3, 8, 'Robe bustier motifs rose', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs rose"}', 0), + (11107, 3, 8, 'Robe bustier motifs violet', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs violet"}', 0), + (11108, 3, 8, 'Robe bustier motifs bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs bleu"}', 0), + (11109, 3, 8, 'Robe bustier motifs orange-blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs orange-blanc"}', 0), + (11110, 3, 8, 'Robe bustier motifs pêche-bleu', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"motifs pêche-bleu"}', 0), + (11111, 3, 8, 'Robe bustier rubis blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"rubis blanc"}', 0), + (11112, 3, 8, 'Robe bustier rubis noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"rubis noir"}', 0), + (11113, 3, 8, 'Robe bustier rubis lila', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"rubis lila"}', 0), + (11114, 3, 8, 'Robe bustier carreaux rouge-blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"carreaux rouge-blanc"}', 0), + (11115, 3, 8, 'Robe bustier carreaux rouge-noir', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"carreaux rouge-noir"}', 0), + (11116, 3, 8, 'Robe bustier carreaux rouge-beige', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"carreaux rouge-beige"}', 0), + (11117, 3, 8, 'Robe bustier fleurs roses blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"fleurs roses blanc"}', 0), + (11118, 3, 8, 'Robe bustier fleurs bleues blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"fleurs bleues blanc"}', 0), + (11119, 3, 8, 'Robe bustier peinture blanc', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"peinture blanc"}', 0), + (11120, 3, 8, 'Robe bustier peinture rose', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"peinture rose"}', 0), + (11121, 3, 8, 'Robe bustier peinture turquoise', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"peinture turquoise"}', 0), + (11122, 3, 8, 'Robe bustier peinture lila', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"peinture lila"}', 0), + (11123, 3, 8, 'Robe bustier confettis turquoise', 50, '{"components":{"11":{"Drawable":323,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe bustier","colorLabel":"confettis turquoise"}', 0), + (11124, 1, 2, 'T-shirt sorti noir vaisseaux', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir vaisseaux"}', 0), + (11125, 1, 2, 'T-shirt sorti noir animaux', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir animaux"}', 0), + (11126, 1, 2, 'T-shirt sorti jaune tank', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune tank"}', 0), + (11127, 1, 2, 'T-shirt sorti vert militaire', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert militaire"}', 0), + (11128, 1, 2, 'T-shirt sorti rouge musclor', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge musclor"}', 0), + (11129, 1, 2, 'T-shirt sorti noir punk', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir punk"}', 0), + (11130, 1, 2, 'T-shirt sorti vert tank', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert tank"}', 0), + (11131, 1, 2, 'T-shirt sorti noir guerre', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir guerre"}', 0), + (11132, 1, 2, 'T-shirt sorti noir-rouge punk', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-rouge punk"}', 0), + (11133, 1, 2, 'T-shirt sorti blanc anarchiste', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc anarchiste"}', 0), + (11134, 1, 2, 'T-shirt sorti noir anarchiste', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir anarchiste"}', 0), + (11135, 1, 2, 'T-shirt sorti uni orange', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni orange"}', 0), + (11136, 1, 2, 'T-shirt sorti uni noir', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni noir"}', 0), + (11137, 1, 2, 'T-shirt sorti uni blanc', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni blanc"}', 0), + (11138, 1, 2, 'T-shirt sorti uni jaune', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni jaune"}', 0), + (11139, 1, 2, 'T-shirt sorti uni rose', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni rose"}', 0), + (11140, 1, 2, 'T-shirt sorti uni citron', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni citron"}', 0), + (11141, 1, 2, 'T-shirt sorti uni vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni vert"}', 0), + (11142, 1, 2, 'T-shirt sorti uni feu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni feu"}', 0), + (11143, 1, 2, 'T-shirt sorti uni prairie', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni prairie"}', 0), + (11144, 1, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (11145, 2, 2, 'T-shirt sorti noir vaisseaux', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir vaisseaux"}', 0), + (11146, 2, 2, 'T-shirt sorti noir animaux', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir animaux"}', 0), + (11147, 2, 2, 'T-shirt sorti jaune tank', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune tank"}', 0), + (11148, 2, 2, 'T-shirt sorti vert militaire', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert militaire"}', 0), + (11149, 2, 2, 'T-shirt sorti rouge musclor', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge musclor"}', 0), + (11150, 2, 2, 'T-shirt sorti noir punk', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir punk"}', 0), + (11151, 2, 2, 'T-shirt sorti vert tank', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert tank"}', 0), + (11152, 2, 2, 'T-shirt sorti noir guerre', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir guerre"}', 0), + (11153, 2, 2, 'T-shirt sorti noir-rouge punk', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-rouge punk"}', 0), + (11154, 2, 2, 'T-shirt sorti blanc anarchiste', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc anarchiste"}', 0), + (11155, 2, 2, 'T-shirt sorti noir anarchiste', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir anarchiste"}', 0), + (11156, 2, 2, 'T-shirt sorti uni orange', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni orange"}', 0), + (11157, 2, 2, 'T-shirt sorti uni noir', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni noir"}', 0), + (11158, 2, 2, 'T-shirt sorti uni blanc', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni blanc"}', 0), + (11159, 2, 2, 'T-shirt sorti uni jaune', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni jaune"}', 0), + (11160, 2, 2, 'T-shirt sorti uni rose', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni rose"}', 0), + (11161, 2, 2, 'T-shirt sorti uni citron', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni citron"}', 0), + (11162, 2, 2, 'T-shirt sorti uni vert', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni vert"}', 0), + (11163, 2, 2, 'T-shirt sorti uni feu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni feu"}', 0), + (11164, 2, 2, 'T-shirt sorti uni prairie', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni prairie"}', 0), + (11165, 2, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":324,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (11166, 1, 10, 'Pompier col fermé jaune clair', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col fermé","colorLabel":"jaune clair"}', 0), + (11167, 1, 10, 'Pompier col fermé jaune foncé', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col fermé","colorLabel":"jaune foncé"}', 0), + (11168, 2, 10, 'Pompier col fermé jaune clair', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col fermé","colorLabel":"jaune clair"}', 0), + (11169, 2, 10, 'Pompier col fermé jaune foncé', 50, '{"components":{"11":{"Drawable":325,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col fermé","colorLabel":"jaune foncé"}', 0), + (11170, 1, 10, 'Pompier col ouvert jaune clair', 50, '{"components":{"11":{"Drawable":326,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col ouvert","colorLabel":"jaune clair"}', 0), + (11171, 1, 10, 'Pompier col ouvert jaune foncé', 50, '{"components":{"11":{"Drawable":326,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col ouvert","colorLabel":"jaune foncé"}', 0), + (11172, 2, 10, 'Pompier col ouvert jaune clair', 50, '{"components":{"11":{"Drawable":326,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col ouvert","colorLabel":"jaune clair"}', 0), + (11173, 2, 10, 'Pompier col ouvert jaune foncé', 50, '{"components":{"11":{"Drawable":326,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pompier col ouvert","colorLabel":"jaune foncé"}', 0), + (11174, 3, 7, 'Chemise mili m longues col fermé bleu foncé', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"bleu foncé"}', 0), + (11175, 3, 7, 'Chemise mili m longues col fermé vert', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"vert"}', 0), + (11176, 3, 7, 'Chemise mili m longues col fermé crème', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"crème"}', 0), + (11177, 3, 7, 'Chemise mili m longues col fermé beige', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"beige"}', 0), + (11178, 3, 7, 'Chemise mili m longues col fermé taupe', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"taupe"}', 0), + (11179, 3, 7, 'Chemise mili m longues col fermé blanc', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"blanc"}', 0), + (11180, 3, 7, 'Chemise mili m longues col fermé perle', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"perle"}', 0), + (11181, 3, 7, 'Chemise mili m longues col fermé gris', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"gris"}', 0), + (11182, 3, 7, 'Chemise mili m longues col fermé noir', 50, '{"components":{"11":{"Drawable":327,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col fermé","colorLabel":"noir"}', 0), + (11183, 3, 7, 'Chemise mili m longues col ouvert bleu foncé', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"bleu foncé"}', 0), + (11184, 3, 7, 'Chemise mili m longues col ouvert vert', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"vert"}', 0), + (11185, 3, 7, 'Chemise mili m longues col ouvert crème', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"crème"}', 0), + (11186, 3, 7, 'Chemise mili m longues col ouvert beige', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"beige"}', 0), + (11187, 3, 7, 'Chemise mili m longues col ouvert taupe', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"taupe"}', 0), + (11188, 3, 7, 'Chemise mili m longues col ouvert blanc', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"blanc"}', 0), + (11189, 3, 7, 'Chemise mili m longues col ouvert perle', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"perle"}', 0), + (11190, 3, 7, 'Chemise mili m longues col ouvert gris', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"gris"}', 0), + (11191, 3, 7, 'Chemise mili m longues col ouvert noir', 50, '{"components":{"11":{"Drawable":328,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m longues col ouvert","colorLabel":"noir"}', 0), + (11192, 3, 7, 'Chemise mili m courtes col fermé bleu foncé', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"bleu foncé"}', 0), + (11193, 3, 7, 'Chemise mili m courtes col fermé vert', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"vert"}', 0), + (11194, 3, 7, 'Chemise mili m courtes col fermé crème', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"crème"}', 0), + (11195, 3, 7, 'Chemise mili m courtes col fermé beige', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"beige"}', 0), + (11196, 3, 7, 'Chemise mili m courtes col fermé taupe', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"taupe"}', 0), + (11197, 3, 7, 'Chemise mili m courtes col fermé blanc', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"blanc"}', 0), + (11198, 3, 7, 'Chemise mili m courtes col fermé perle', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"perle"}', 0), + (11199, 3, 7, 'Chemise mili m courtes col fermé gris', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"gris"}', 0), + (11200, 3, 7, 'Chemise mili m courtes col fermé noir', 50, '{"components":{"11":{"Drawable":329,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col fermé","colorLabel":"noir"}', 0), + (11201, 3, 7, 'Chemise mili m courtes col ouvert bleu foncé', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"bleu foncé"}', 0), + (11202, 3, 7, 'Chemise mili m courtes col ouvert vert', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"vert"}', 0), + (11203, 3, 7, 'Chemise mili m courtes col ouvert crème', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"crème"}', 0), + (11204, 3, 7, 'Chemise mili m courtes col ouvert beige', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"beige"}', 0), + (11205, 3, 7, 'Chemise mili m courtes col ouvert taupe', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"taupe"}', 0), + (11206, 3, 7, 'Chemise mili m courtes col ouvert blanc', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"blanc"}', 0), + (11207, 3, 7, 'Chemise mili m courtes col ouvert perle', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"perle"}', 0), + (11208, 3, 7, 'Chemise mili m courtes col ouvert gris', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"gris"}', 0), + (11209, 3, 7, 'Chemise mili m courtes col ouvert noir', 50, '{"components":{"11":{"Drawable":330,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise mili m courtes col ouvert","colorLabel":"noir"}', 0), + (11210, 3, 7, 'Chemise m longues col ouvert blanc', 50, '{"components":{"11":{"Drawable":332,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"blanc"}', 0), + (11211, 3, 7, 'Chemise m longues col fermé blanc', 50, '{"components":{"11":{"Drawable":333,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"blanc"}', 0), + (11212, 3, 11, 'Gilet costume gris', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"gris"}', 0), + (11213, 3, 11, 'Gilet costume noir', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"noir"}', 0), + (11214, 3, 11, 'Gilet costume rose', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"rose"}', 0), + (11215, 3, 11, 'Gilet costume rayures gris', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"rayures gris"}', 0), + (11216, 3, 11, 'Gilet costume beige', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"beige"}', 0), + (11217, 3, 11, 'Gilet costume bleu', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"bleu"}', 0), + (11218, 3, 11, 'Gilet costume gris', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"gris"}', 0), + (11219, 3, 11, 'Gilet costume marron', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"marron"}', 0), + (11220, 3, 11, 'Gilet costume rouge et noir', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"rouge et noir"}', 0), + (11221, 3, 11, 'Gilet costume bordeaux', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"bordeaux"}', 0), + (11222, 3, 11, 'Gilet costume col america', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"col america"}', 0), + (11223, 3, 11, 'Gilet costume USA', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"USA"}', 0), + (11224, 3, 11, 'Gilet costume america', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"america"}', 0), + (11225, 3, 11, 'Gilet costume carreaux bleu', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux bleu"}', 0), + (11226, 3, 11, 'Gilet costume rayures rouge', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"rayures rouge"}', 0), + (11227, 3, 11, 'Gilet costume carreaux gris', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux gris"}', 0), + (11228, 3, 11, 'Gilet costume carreaux violet', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux violet"}', 0), + (11229, 3, 11, 'Gilet costume carreaux blanc', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux blanc"}', 0), + (11230, 3, 11, 'Gilet costume carreaux ciel', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux ciel"}', 0), + (11231, 3, 11, 'Gilet costume carreaux brun', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux brun"}', 0), + (11232, 3, 11, 'Gilet costume rayures brun', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"rayures brun"}', 0), + (11233, 3, 11, 'Gilet costume carreaux rouge', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux rouge"}', 0), + (11234, 3, 11, 'Gilet costume carreaux beige', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux beige"}', 0), + (11235, 3, 11, 'Gilet costume carreaux crème', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux crème"}', 0), + (11236, 3, 11, 'Gilet costume carreaux bleu foncé', 50, '{"components":{"11":{"Drawable":334,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet costume","colorLabel":"carreaux bleu foncé"}', 0), + (11237, 1, 2, 'T-shirt sorti blanc banana', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc banana"}', 0), + (11238, 1, 2, 'T-shirt sorti jaune banana', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune banana"}', 0), + (11239, 1, 2, 'T-shirt sorti space monkey noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey noir"}', 0), + (11240, 1, 2, 'T-shirt sorti space monkey jaune', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey jaune"}', 0), + (11241, 1, 2, 'T-shirt sorti space monkey rose', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey rose"}', 0), + (11242, 1, 2, 'T-shirt sorti space monkey blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey blanc"}', 0), + (11243, 1, 2, 'T-shirt sorti radioactif blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"radioactif blanc"}', 0), + (11244, 1, 2, 'T-shirt sorti wizard motifs noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard motifs noir"}', 0), + (11245, 1, 2, 'T-shirt sorti wizard noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard noir"}', 0), + (11246, 1, 2, 'T-shirt sorti wizard motifs blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard motifs blanc"}', 0), + (11247, 1, 2, 'T-shirt sorti wizard bleu', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard bleu"}', 0), + (11248, 1, 2, 'T-shirt sorti monkey paradise blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"monkey paradise blanc"}', 0), + (11249, 1, 2, 'T-shirt sorti defender blanc rose', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"defender blanc rose"}', 0), + (11250, 1, 2, 'T-shirt sorti defender blanc bleu', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"defender blanc bleu"}', 0), + (11251, 1, 2, 'T-shirt sorti pentrator blanc bleu', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pentrator blanc bleu"}', 0), + (11252, 1, 2, 'T-shirt sorti blanc aigles', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc aigles"}', 0), + (11253, 1, 2, 'T-shirt sorti noir botte', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir botte"}', 0), + (11254, 1, 2, 'T-shirt sorti Badlands jaune ', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Badlands jaune "}', 0), + (11255, 1, 2, 'T-shirt sorti Badland blanc ', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Badland blanc "}', 0), + (11256, 1, 2, 'T-shirt sorti rouge BD', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge BD"}', 0), + (11257, 1, 2, 'T-shirt sorti race blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race blanc"}', 0), + (11258, 1, 2, 'T-shirt sorti blanc voitures', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc voitures"}', 0), + (11259, 1, 2, 'T-shirt sorti race jaune', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race jaune"}', 0), + (11260, 1, 2, 'T-shirt sorti race noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race noir"}', 0), + (11261, 1, 2, 'T-shirt sorti race rouge', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race rouge"}', 0), + (11262, 2, 2, 'T-shirt sorti blanc banana', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc banana"}', 0), + (11263, 2, 2, 'T-shirt sorti jaune banana', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune banana"}', 0), + (11264, 2, 2, 'T-shirt sorti space monkey noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey noir"}', 0), + (11265, 2, 2, 'T-shirt sorti space monkey jaune', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey jaune"}', 0), + (11266, 2, 2, 'T-shirt sorti space monkey rose', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey rose"}', 0), + (11267, 2, 2, 'T-shirt sorti space monkey blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"space monkey blanc"}', 0), + (11268, 2, 2, 'T-shirt sorti radioactif blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"radioactif blanc"}', 0), + (11269, 2, 2, 'T-shirt sorti wizard motifs noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard motifs noir"}', 0), + (11270, 2, 2, 'T-shirt sorti wizard noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard noir"}', 0), + (11271, 2, 2, 'T-shirt sorti wizard motifs blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard motifs blanc"}', 0), + (11272, 2, 2, 'T-shirt sorti wizard bleu', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"wizard bleu"}', 0), + (11273, 2, 2, 'T-shirt sorti monkey paradise blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"monkey paradise blanc"}', 0), + (11274, 2, 2, 'T-shirt sorti defender blanc rose', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"defender blanc rose"}', 0), + (11275, 2, 2, 'T-shirt sorti defender blanc bleu', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"defender blanc bleu"}', 0), + (11276, 2, 2, 'T-shirt sorti pentrator blanc bleu', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"pentrator blanc bleu"}', 0), + (11277, 2, 2, 'T-shirt sorti blanc aigles', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc aigles"}', 0), + (11278, 2, 2, 'T-shirt sorti noir botte', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir botte"}', 0), + (11279, 2, 2, 'T-shirt sorti Badlands jaune ', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Badlands jaune "}', 0), + (11280, 2, 2, 'T-shirt sorti Badland blanc ', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Badland blanc "}', 0), + (11281, 2, 2, 'T-shirt sorti rouge BD', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge BD"}', 0), + (11282, 2, 2, 'T-shirt sorti race blanc', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race blanc"}', 0), + (11283, 2, 2, 'T-shirt sorti blanc voitures', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc voitures"}', 0), + (11284, 2, 2, 'T-shirt sorti race jaune', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race jaune"}', 0), + (11285, 2, 2, 'T-shirt sorti race noir', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race noir"}', 0), + (11286, 2, 2, 'T-shirt sorti race rouge', 50, '{"components":{"11":{"Drawable":335,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"race rouge"}', 0), + (11287, 1, 12, 'Veste de travail protections bras bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"bleu"}', 0), + (11288, 1, 12, 'Veste de travail protections bras noir', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"noir"}', 0), + (11289, 1, 12, 'Veste de travail protections bras taupe', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"taupe"}', 0), + (11290, 1, 12, 'Veste de travail protections bras beige', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"beige"}', 0), + (11291, 1, 12, 'Veste de travail protections bras crème', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"crème"}', 0), + (11292, 1, 12, 'Veste de travail protections bras kaki', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"kaki"}', 0), + (11293, 1, 12, 'Veste de travail protections bras vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"vert"}', 0), + (11294, 1, 12, 'Veste de travail protections bras abricot', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"abricot"}', 0), + (11295, 1, 12, 'Veste de travail protections bras violet', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"violet"}', 0), + (11296, 1, 12, 'Veste de travail protections bras rose', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"rose"}', 0), + (11297, 1, 12, 'Veste de travail protections bras camo bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo bleu"}', 0), + (11298, 1, 12, 'Veste de travail protections bras géométrique vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"géométrique vert"}', 0), + (11299, 1, 12, 'Veste de travail protections bras camo olive', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo olive"}', 0), + (11300, 1, 12, 'Veste de travail protections bras pixel vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel vert"}', 0), + (11301, 1, 12, 'Veste de travail protections bras camo beige', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo beige"}', 0), + (11302, 1, 12, 'Veste de travail protections bras motifs vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs vert"}', 0), + (11303, 1, 12, 'Veste de travail protections bras camo vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo vert"}', 0), + (11304, 1, 12, 'Veste de travail protections bras pixel bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel bleu"}', 0), + (11305, 1, 12, 'Veste de travail protections bras motifs kaki', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs kaki"}', 0), + (11306, 1, 12, 'Veste de travail protections bras camo brun-vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo brun-vert"}', 0), + (11307, 2, 12, 'Veste de travail protections bras bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"bleu"}', 0), + (11308, 2, 12, 'Veste de travail protections bras noir', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"noir"}', 0), + (11309, 2, 12, 'Veste de travail protections bras taupe', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"taupe"}', 0), + (11310, 2, 12, 'Veste de travail protections bras beige', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"beige"}', 0), + (11311, 2, 12, 'Veste de travail protections bras crème', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"crème"}', 0), + (11312, 2, 12, 'Veste de travail protections bras kaki', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"kaki"}', 0), + (11313, 2, 12, 'Veste de travail protections bras vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"vert"}', 0), + (11314, 2, 12, 'Veste de travail protections bras abricot', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"abricot"}', 0), + (11315, 2, 12, 'Veste de travail protections bras violet', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"violet"}', 0), + (11316, 2, 12, 'Veste de travail protections bras rose', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"rose"}', 0), + (11317, 2, 12, 'Veste de travail protections bras camo bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo bleu"}', 0), + (11318, 2, 12, 'Veste de travail protections bras géométrique vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"géométrique vert"}', 0), + (11319, 2, 12, 'Veste de travail protections bras camo olive', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo olive"}', 0), + (11320, 2, 12, 'Veste de travail protections bras pixel vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel vert"}', 0), + (11321, 2, 12, 'Veste de travail protections bras camo beige', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo beige"}', 0), + (11322, 2, 12, 'Veste de travail protections bras motifs vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs vert"}', 0), + (11323, 2, 12, 'Veste de travail protections bras camo vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo vert"}', 0), + (11324, 2, 12, 'Veste de travail protections bras pixel bleu', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"pixel bleu"}', 0), + (11325, 2, 12, 'Veste de travail protections bras motifs kaki', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"motifs kaki"}', 0), + (11326, 2, 12, 'Veste de travail protections bras camo brun-vert', 50, '{"components":{"11":{"Drawable":336,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de travail protections bras","colorLabel":"camo brun-vert"}', 0), + (11327, 1, 2, 'T-shirt sorti logo jaune clair', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo jaune clair"}', 0), + (11328, 1, 2, 'T-shirt sorti logo blanc col bleu', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo blanc col bleu"}', 0), + (11329, 1, 2, 'T-shirt sorti logo crème col rouge', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo crème col rouge"}', 0), + (11330, 1, 2, 'T-shirt sorti logo anthracite col rouge', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo anthracite col rouge"}', 0), + (11331, 1, 2, 'T-shirt sorti logo crème col jaune', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo crème col jaune"}', 0), + (11332, 1, 2, 'T-shirt sorti logo crème col marron', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo crème col marron"}', 0), + (11333, 1, 2, 'T-shirt sorti bleu', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu"}', 0), + (11334, 1, 2, 'T-shirt sorti vert d\'eau', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert d\'eau"}', 0), + (11335, 1, 2, 'T-shirt sorti perle', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"perle"}', 0), + (11336, 1, 2, 'T-shirt sorti abricot', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"abricot"}', 0), + (11337, 1, 2, 'T-shirt sorti gris', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"gris"}', 0), + (11338, 1, 2, 'T-shirt sorti sable', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"sable"}', 0), + (11339, 1, 2, 'T-shirt sorti marron', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron"}', 0), + (11340, 1, 2, 'T-shirt sorti fuchsia', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"fuchsia"}', 0), + (11341, 1, 2, 'T-shirt sorti vert menthe', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert menthe"}', 0), + (11342, 1, 2, 'T-shirt sorti rose', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rose"}', 0), + (11343, 1, 2, 'T-shirt sorti lila', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"lila"}', 0), + (11344, 1, 2, 'T-shirt sorti orchidée', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"orchidée"}', 0), + (11345, 2, 2, 'T-shirt sorti logo jaune clair', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo jaune clair"}', 0), + (11346, 2, 2, 'T-shirt sorti logo blanc col bleu', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo blanc col bleu"}', 0), + (11347, 2, 2, 'T-shirt sorti logo crème col rouge', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo crème col rouge"}', 0), + (11348, 2, 2, 'T-shirt sorti logo anthracite col rouge', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo anthracite col rouge"}', 0), + (11349, 2, 2, 'T-shirt sorti logo crème col jaune', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo crème col jaune"}', 0), + (11350, 2, 2, 'T-shirt sorti logo crème col marron', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"logo crème col marron"}', 0), + (11351, 2, 2, 'T-shirt sorti bleu', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu"}', 0), + (11352, 2, 2, 'T-shirt sorti vert d\'eau', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert d\'eau"}', 0), + (11353, 2, 2, 'T-shirt sorti perle', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"perle"}', 0), + (11354, 2, 2, 'T-shirt sorti abricot', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"abricot"}', 0), + (11355, 2, 2, 'T-shirt sorti gris', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"gris"}', 0), + (11356, 2, 2, 'T-shirt sorti sable', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"sable"}', 0), + (11357, 2, 2, 'T-shirt sorti marron', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"marron"}', 0), + (11358, 2, 2, 'T-shirt sorti fuchsia', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"fuchsia"}', 0), + (11359, 2, 2, 'T-shirt sorti vert menthe', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert menthe"}', 0), + (11360, 2, 2, 'T-shirt sorti rose', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rose"}', 0), + (11361, 2, 2, 'T-shirt sorti lila', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"lila"}', 0), + (11362, 2, 2, 'T-shirt sorti orchidée', 50, '{"components":{"11":{"Drawable":337,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"orchidée"}', 0), + (11363, 1, 2, 'T-shirt sorti uni orange', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni orange"}', 0), + (11364, 1, 2, 'T-shirt sorti uni noir', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni noir"}', 0), + (11365, 1, 2, 'T-shirt sorti uni blanc', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni blanc"}', 0), + (11366, 1, 2, 'T-shirt sorti uni jaune', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni jaune"}', 0), + (11367, 1, 2, 'T-shirt sorti uni magenta', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni magenta"}', 0), + (11368, 1, 2, 'T-shirt sorti uni citron', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni citron"}', 0), + (11369, 1, 2, 'T-shirt sorti uni vert kaki', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni vert kaki"}', 0), + (11370, 1, 2, 'T-shirt sorti uni feu', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni feu"}', 0), + (11371, 1, 2, 'T-shirt sorti uni vert', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni vert"}', 0), + (11372, 1, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (11373, 1, 2, 'T-shirt sorti blanc mots', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc mots"}', 0), + (11374, 1, 2, 'T-shirt sorti His', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"His"}', 0), + (11375, 1, 2, 'T-shirt sorti Hers', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Hers"}', 0), + (11376, 1, 2, 'T-shirt sorti mains rose', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"mains rose"}', 0), + (11377, 1, 2, 'T-shirt sorti coeur violet', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"coeur violet"}', 0), + (11378, 1, 2, 'T-shirt sorti love professeur rose', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"love professeur rose"}', 0), + (11379, 2, 2, 'T-shirt sorti uni orange', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni orange"}', 0), + (11380, 2, 2, 'T-shirt sorti uni noir', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni noir"}', 0), + (11381, 2, 2, 'T-shirt sorti uni blanc', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni blanc"}', 0), + (11382, 2, 2, 'T-shirt sorti uni jaune', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni jaune"}', 0), + (11383, 2, 2, 'T-shirt sorti uni magenta', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni magenta"}', 0), + (11384, 2, 2, 'T-shirt sorti uni citron', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni citron"}', 0), + (11385, 2, 2, 'T-shirt sorti uni vert kaki', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni vert kaki"}', 0), + (11386, 2, 2, 'T-shirt sorti uni feu', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni feu"}', 0), + (11387, 2, 2, 'T-shirt sorti uni vert', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni vert"}', 0), + (11388, 2, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (11389, 2, 2, 'T-shirt sorti blanc mots', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc mots"}', 0), + (11390, 2, 2, 'T-shirt sorti His', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"His"}', 0), + (11391, 2, 2, 'T-shirt sorti Hers', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Hers"}', 0), + (11392, 2, 2, 'T-shirt sorti mains rose', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"mains rose"}', 0), + (11393, 2, 2, 'T-shirt sorti coeur violet', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"coeur violet"}', 0), + (11394, 2, 2, 'T-shirt sorti love professeur rose', 50, '{"components":{"11":{"Drawable":338,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"love professeur rose"}', 0), + (11395, 3, 6, 'Veste de costume sans pochette ouverte noir', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"noir"}', 0), + (11396, 3, 6, 'Veste de costume sans pochette ouverte gris', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"gris"}', 0), + (11397, 3, 6, 'Veste de costume sans pochette ouverte bleu foncé', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"bleu foncé"}', 0), + (11398, 3, 6, 'Veste de costume sans pochette ouverte vert pétrole', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"vert pétrole"}', 0), + (11399, 3, 6, 'Veste de costume sans pochette ouverte rouge', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"rouge"}', 0), + (11400, 3, 6, 'Veste de costume sans pochette ouverte blanc col noir', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"blanc col noir"}', 0), + (11401, 3, 6, 'Veste de costume sans pochette ouverte marron', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"marron"}', 0), + (11402, 3, 6, 'Veste de costume sans pochette ouverte blanc', 50, '{"components":{"11":{"Drawable":339,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume sans pochette ouverte","colorLabel":"blanc"}', 0), + (11403, 3, 6, 'Veste de costume sans pochette fermée noir', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"noir"}', 0), + (11404, 3, 6, 'Veste de costume sans pochette fermée gris', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"gris"}', 0), + (11405, 3, 6, 'Veste de costume sans pochette fermée bleu foncé', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"bleu foncé"}', 0), + (11406, 3, 6, 'Veste de costume sans pochette fermée vert pétrole', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"vert pétrole"}', 0), + (11407, 3, 6, 'Veste de costume sans pochette fermée rouge', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"rouge"}', 0), + (11408, 3, 6, 'Veste de costume sans pochette fermée blanc col noir', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"blanc col noir"}', 0), + (11409, 3, 6, 'Veste de costume sans pochette fermée marron', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"marron"}', 0), + (11410, 3, 6, 'Veste de costume sans pochette fermée blanc', 50, '{"components":{"11":{"Drawable":340,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume sans pochette fermée","colorLabel":"blanc"}', 0), + (11411, 1, 9, 'Pull manches 3/4 blanc écritures', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"blanc écritures"}', 0), + (11412, 2, 9, 'Pull manches 3/4 blanc écritures', 50, '{"components":{"11":{"Drawable":341,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"blanc écritures"}', 0), + (11413, 1, 11, 'Gilet sans manche renforcé noir', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir"}', 0), + (11414, 2, 11, 'Gilet sans manche renforcé noir', 50, '{"components":{"11":{"Drawable":342,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet sans manche renforcé","colorLabel":"noir"}', 0), + (11415, 1, 9, 'Polaire noire', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"noire"}', 0), + (11416, 2, 9, 'Polaire noire', 50, '{"components":{"11":{"Drawable":343,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polaire","colorLabel":"noire"}', 0), + (11417, 1, 12, 'Veste highschool football zip fermée noir-fuchsia', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"noir-fuchsia"}', 0), + (11418, 2, 12, 'Veste highschool football zip fermée noir-fuchsia', 50, '{"components":{"11":{"Drawable":344,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"noir-fuchsia"}', 0), + (11419, 1, 5, 'Hoodie oversize noir-fuchsia', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-fuchsia"}', 0), + (11420, 2, 5, 'Hoodie oversize noir-fuchsia', 50, '{"components":{"11":{"Drawable":345,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-fuchsia"}', 0), + (11421, 1, 5, 'Hoodie oversize capuche tête noir-fuchsia', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-fuchsia"}', 0), + (11422, 2, 5, 'Hoodie oversize capuche tête noir-fuchsia', 50, '{"components":{"11":{"Drawable":346,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-fuchsia"}', 0), + (11423, 1, 12, 'Veste de jogging crème', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"crème"}', 0), + (11424, 1, 12, 'Veste de jogging noir heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"noir heat"}', 0), + (11425, 1, 12, 'Veste de jogging jaune heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune heat"}', 0), + (11426, 1, 12, 'Veste de jogging violet heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"violet heat"}', 0), + (11427, 1, 12, 'Veste de jogging feu heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"feu heat"}', 0), + (11428, 1, 12, 'Veste de jogging rose heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rose heat"}', 0), + (11429, 1, 12, 'Veste de jogging rouge-blanc heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge-blanc heat"}', 0), + (11430, 1, 12, 'Veste de jogging bleu heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"bleu heat"}', 0), + (11431, 1, 12, 'Veste de jogging orange prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"orange prolaps"}', 0), + (11432, 1, 12, 'Veste de jogging jaune prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune prolaps"}', 0), + (11433, 1, 12, 'Veste de jogging turquoise prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"turquoise prolaps"}', 0), + (11434, 1, 12, 'Veste de jogging gris prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"gris prolaps"}', 0), + (11435, 1, 12, 'Veste de jogging carmin prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"carmin prolaps"}', 0), + (11436, 1, 12, 'Veste de jogging jaune prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune prolaps"}', 0), + (11437, 1, 12, 'Veste de jogging rouge prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge prolaps"}', 0), + (11438, 1, 12, 'Veste de jogging bleu DS', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"bleu DS"}', 0), + (11439, 1, 12, 'Veste de jogging rouge DS', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge DS"}', 0), + (11440, 1, 12, 'Veste de jogging jaune DS', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune DS"}', 0), + (11441, 1, 12, 'Veste de jogging noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"noir"}', 0), + (11442, 1, 12, 'Veste de jogging blanc', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"blanc"}', 0), + (11443, 1, 12, 'Veste de jogging gris', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"gris"}', 0), + (11444, 1, 12, 'Veste de jogging vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"vert"}', 0), + (11445, 1, 12, 'Veste de jogging abricot', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"abricot"}', 0), + (11446, 1, 12, 'Veste de jogging violet', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"violet"}', 0), + (11447, 1, 12, 'Veste de jogging rose', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rose"}', 0), + (11448, 2, 12, 'Veste de jogging crème', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"crème"}', 0), + (11449, 2, 12, 'Veste de jogging noir heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"noir heat"}', 0), + (11450, 2, 12, 'Veste de jogging jaune heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune heat"}', 0), + (11451, 2, 12, 'Veste de jogging violet heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"violet heat"}', 0), + (11452, 2, 12, 'Veste de jogging feu heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"feu heat"}', 0), + (11453, 2, 12, 'Veste de jogging rose heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rose heat"}', 0), + (11454, 2, 12, 'Veste de jogging rouge-blanc heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge-blanc heat"}', 0), + (11455, 2, 12, 'Veste de jogging bleu heat', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"bleu heat"}', 0), + (11456, 2, 12, 'Veste de jogging orange prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"orange prolaps"}', 0), + (11457, 2, 12, 'Veste de jogging jaune prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune prolaps"}', 0), + (11458, 2, 12, 'Veste de jogging turquoise prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"turquoise prolaps"}', 0), + (11459, 2, 12, 'Veste de jogging gris prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"gris prolaps"}', 0), + (11460, 2, 12, 'Veste de jogging carmin prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"carmin prolaps"}', 0), + (11461, 2, 12, 'Veste de jogging jaune prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune prolaps"}', 0), + (11462, 2, 12, 'Veste de jogging rouge prolaps', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge prolaps"}', 0), + (11463, 2, 12, 'Veste de jogging bleu DS', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"bleu DS"}', 0), + (11464, 2, 12, 'Veste de jogging rouge DS', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rouge DS"}', 0), + (11465, 2, 12, 'Veste de jogging jaune DS', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"jaune DS"}', 0), + (11466, 2, 12, 'Veste de jogging noir', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"noir"}', 0), + (11467, 2, 12, 'Veste de jogging blanc', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"blanc"}', 0), + (11468, 2, 12, 'Veste de jogging gris', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"gris"}', 0), + (11469, 2, 12, 'Veste de jogging vert', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"vert"}', 0), + (11470, 2, 12, 'Veste de jogging abricot', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"abricot"}', 0), + (11471, 2, 12, 'Veste de jogging violet', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"violet"}', 0), + (11472, 2, 12, 'Veste de jogging rose', 50, '{"components":{"11":{"Drawable":347,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de jogging","colorLabel":"rose"}', 0), + (11473, 1, 2, 'T-shirt large Bigness violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness violet"}', 0), + (11474, 1, 2, 'T-shirt large LS baseball violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"LS baseball violet"}', 0), + (11475, 1, 2, 'T-shirt large Broker violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Broker violet"}', 0), + (11476, 1, 2, 'T-shirt large champion violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"champion violet"}', 0), + (11477, 1, 2, 'T-shirt large Bigness basket violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness basket violet"}', 0), + (11478, 1, 2, 'T-shirt large camo violet-blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"camo violet-blanc"}', 0), + (11479, 1, 2, 'T-shirt large Bigness blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness blanc"}', 0), + (11480, 1, 2, 'T-shirt large LS baseball blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"LS baseball blanc"}', 0), + (11481, 1, 2, 'T-shirt large Broker blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Broker blanc"}', 0), + (11482, 1, 2, 'T-shirt large champion blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"champion blanc"}', 0), + (11483, 1, 2, 'T-shirt large Bigness basket blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness basket blanc"}', 0), + (11484, 1, 2, 'T-shirt large camio blanc-violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"camio blanc-violet"}', 0), + (11485, 1, 2, 'T-shirt large blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"blanc"}', 0), + (11486, 1, 2, 'T-shirt large noir', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"noir"}', 0), + (11487, 1, 2, 'T-shirt large gris', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"gris"}', 0), + (11488, 2, 2, 'T-shirt large Bigness violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness violet"}', 0), + (11489, 2, 2, 'T-shirt large LS baseball violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"LS baseball violet"}', 0), + (11490, 2, 2, 'T-shirt large Broker violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Broker violet"}', 0), + (11491, 2, 2, 'T-shirt large champion violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"champion violet"}', 0), + (11492, 2, 2, 'T-shirt large Bigness basket violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness basket violet"}', 0), + (11493, 2, 2, 'T-shirt large camo violet-blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"camo violet-blanc"}', 0), + (11494, 2, 2, 'T-shirt large Bigness blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness blanc"}', 0), + (11495, 2, 2, 'T-shirt large LS baseball blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"LS baseball blanc"}', 0), + (11496, 2, 2, 'T-shirt large Broker blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Broker blanc"}', 0), + (11497, 2, 2, 'T-shirt large champion blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"champion blanc"}', 0), + (11498, 2, 2, 'T-shirt large Bigness basket blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"Bigness basket blanc"}', 0), + (11499, 2, 2, 'T-shirt large camio blanc-violet', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"camio blanc-violet"}', 0), + (11500, 2, 2, 'T-shirt large blanc', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"blanc"}', 0), + (11501, 2, 2, 'T-shirt large noir', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"noir"}', 0), + (11502, 2, 2, 'T-shirt large gris', 50, '{"components":{"11":{"Drawable":349,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt large","colorLabel":"gris"}', 0), + (11503, 1, 5, 'Sweat-shirt col rond LS jaune', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS jaune"}', 0), + (11504, 1, 5, 'Sweat-shirt col rond LS violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS violet"}', 0), + (11505, 1, 5, 'Sweat-shirt col rond LS gris', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS gris"}', 0), + (11506, 1, 5, 'Sweat-shirt col rond panic violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"panic violet"}', 0), + (11507, 1, 5, 'Sweat-shirt col rond B violet-blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B violet-blanc"}', 0), + (11508, 1, 5, 'Sweat-shirt col rond B blanc-violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B blanc-violet"}', 0), + (11509, 2, 5, 'Sweat-shirt col rond LS jaune', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS jaune"}', 0), + (11510, 2, 5, 'Sweat-shirt col rond LS violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS violet"}', 0), + (11511, 2, 5, 'Sweat-shirt col rond LS gris', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"LS gris"}', 0), + (11512, 2, 5, 'Sweat-shirt col rond panic violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"panic violet"}', 0), + (11513, 2, 5, 'Sweat-shirt col rond B violet-blanc', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B violet-blanc"}', 0), + (11514, 2, 5, 'Sweat-shirt col rond B blanc-violet', 50, '{"components":{"11":{"Drawable":350,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"B blanc-violet"}', 0), + (11515, 1, 12, 'Veste imperméable col mao rentré olive', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"olive"}', 0), + (11516, 1, 12, 'Veste imperméable col mao rentré vert', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"vert"}', 0), + (11517, 1, 12, 'Veste imperméable col mao rentré beige', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"beige"}', 0), + (11518, 1, 12, 'Veste imperméable col mao rentré noir', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"noir"}', 0), + (11519, 1, 12, 'Veste imperméable col mao rentré anthracite', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"anthracite"}', 0), + (11520, 1, 12, 'Veste imperméable col mao rentré gris', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"gris"}', 0), + (11521, 1, 12, 'Veste imperméable col mao rentré marron', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"marron"}', 0), + (11522, 1, 12, 'Veste imperméable col mao rentré kaki', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"kaki"}', 0), + (11523, 1, 12, 'Veste imperméable col mao rentré bleu', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"bleu"}', 0), + (11524, 2, 12, 'Veste imperméable col mao rentré olive', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"olive"}', 0), + (11525, 2, 12, 'Veste imperméable col mao rentré vert', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"vert"}', 0), + (11526, 2, 12, 'Veste imperméable col mao rentré beige', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"beige"}', 0), + (11527, 2, 12, 'Veste imperméable col mao rentré noir', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"noir"}', 0), + (11528, 2, 12, 'Veste imperméable col mao rentré anthracite', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"anthracite"}', 0), + (11529, 2, 12, 'Veste imperméable col mao rentré gris', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"gris"}', 0), + (11530, 2, 12, 'Veste imperméable col mao rentré marron', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"marron"}', 0), + (11531, 2, 12, 'Veste imperméable col mao rentré kaki', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"kaki"}', 0), + (11532, 2, 12, 'Veste imperméable col mao rentré bleu', 50, '{"components":{"11":{"Drawable":351,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao rentré","colorLabel":"bleu"}', 0), + (11533, 1, 12, 'Veste imperméable col mao retroussé rentré olive', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"olive"}', 0), + (11534, 1, 12, 'Veste imperméable col mao retroussé rentré vert', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"vert"}', 0), + (11535, 1, 12, 'Veste imperméable col mao retroussé rentré beige', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"beige"}', 0), + (11536, 1, 12, 'Veste imperméable col mao retroussé rentré noir', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"noir"}', 0), + (11537, 1, 12, 'Veste imperméable col mao retroussé rentré anthracite', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"anthracite"}', 0), + (11538, 1, 12, 'Veste imperméable col mao retroussé rentré gris', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"gris"}', 0), + (11539, 1, 12, 'Veste imperméable col mao retroussé rentré marron', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"marron"}', 0), + (11540, 1, 12, 'Veste imperméable col mao retroussé rentré kaki', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"kaki"}', 0), + (11541, 1, 12, 'Veste imperméable col mao retroussé rentré bleu', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"bleu"}', 0), + (11542, 2, 12, 'Veste imperméable col mao retroussé rentré olive', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"olive"}', 0), + (11543, 2, 12, 'Veste imperméable col mao retroussé rentré vert', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"vert"}', 0), + (11544, 2, 12, 'Veste imperméable col mao retroussé rentré beige', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"beige"}', 0), + (11545, 2, 12, 'Veste imperméable col mao retroussé rentré noir', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"noir"}', 0), + (11546, 2, 12, 'Veste imperméable col mao retroussé rentré anthracite', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"anthracite"}', 0), + (11547, 2, 12, 'Veste imperméable col mao retroussé rentré gris', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"gris"}', 0), + (11548, 2, 12, 'Veste imperméable col mao retroussé rentré marron', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"marron"}', 0), + (11549, 2, 12, 'Veste imperméable col mao retroussé rentré kaki', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"kaki"}', 0), + (11550, 2, 12, 'Veste imperméable col mao retroussé rentré bleu', 50, '{"components":{"11":{"Drawable":352,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao retroussé rentré","colorLabel":"bleu"}', 0), + (11551, 1, 12, 'Veste baroudeur ouverte cuir brun', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir brun"}', 0), + (11552, 1, 12, 'Veste baroudeur ouverte cuir rouge', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir rouge"}', 0), + (11553, 1, 12, 'Veste baroudeur ouverte cuir noir', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir noir"}', 0), + (11554, 1, 12, 'Veste baroudeur ouverte cuir daim', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir daim"}', 0), + (11555, 1, 12, 'Veste baroudeur ouverte cuir perle', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir perle"}', 0), + (11556, 1, 12, 'Veste baroudeur ouverte cuir blanc', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir blanc"}', 0), + (11557, 2, 12, 'Veste baroudeur ouverte cuir brun', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir brun"}', 0), + (11558, 2, 12, 'Veste baroudeur ouverte cuir rouge', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir rouge"}', 0), + (11559, 2, 12, 'Veste baroudeur ouverte cuir noir', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir noir"}', 0), + (11560, 2, 12, 'Veste baroudeur ouverte cuir daim', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir daim"}', 0), + (11561, 2, 12, 'Veste baroudeur ouverte cuir perle', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir perle"}', 0), + (11562, 2, 12, 'Veste baroudeur ouverte cuir blanc', 50, '{"components":{"11":{"Drawable":353,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste baroudeur ouverte","colorLabel":"cuir blanc"}', 0), + (11563, 1, 7, 'Chemise large ouverte carreaux bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux bleu"}', 0), + (11564, 1, 7, 'Chemise large ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux beige"}', 0), + (11565, 1, 7, 'Chemise large ouverte carreaux vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux vert"}', 0), + (11566, 1, 7, 'Chemise large ouverte carreaux violet', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux violet"}', 0), + (11567, 1, 7, 'Chemise large ouverte carreaux brun', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux brun"}', 0), + (11568, 1, 7, 'Chemise large ouverte grands carreaux marron', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux marron"}', 0), + (11569, 1, 7, 'Chemise large ouverte grands carreaux bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux bleu"}', 0), + (11570, 1, 7, 'Chemise large ouverte grands carreaux violet', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux violet"}', 0), + (11571, 1, 7, 'Chemise large ouverte grands carreaux taupe', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux taupe"}', 0), + (11572, 1, 7, 'Chemise large ouverte grands carreaux ciel', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux ciel"}', 0), + (11573, 1, 7, 'Chemise large ouverte grands carreaux sable', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux sable"}', 0), + (11574, 1, 7, 'Chemise large ouverte petits carreaux blanc', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux blanc"}', 0), + (11575, 1, 7, 'Chemise large ouverte petits carreaux rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux rouge"}', 0), + (11576, 1, 7, 'Chemise large ouverte petits carreaux vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux vert"}', 0), + (11577, 1, 7, 'Chemise large ouverte petits carreaux anthracite', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux anthracite"}', 0), + (11578, 1, 7, 'Chemise large ouverte petits carreaux brun', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux brun"}', 0), + (11579, 1, 7, 'Chemise large ouverte petits carreaux violet', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux violet"}', 0), + (11580, 1, 7, 'Chemise large ouverte uni noir', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni noir"}', 0), + (11581, 1, 7, 'Chemise large ouverte uni gris', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni gris"}', 0), + (11582, 1, 7, 'Chemise large ouverte uni blanc', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni blanc"}', 0), + (11583, 1, 7, 'Chemise large ouverte uni bleu marine', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni bleu marine"}', 0), + (11584, 1, 7, 'Chemise large ouverte uni orange', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni orange"}', 0), + (11585, 1, 7, 'Chemise large ouverte uni pêche', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni pêche"}', 0), + (11586, 1, 7, 'Chemise large ouverte uni vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni vert"}', 0), + (11587, 1, 7, 'Chemise large ouverte uni rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni rouge"}', 0), + (11588, 2, 7, 'Chemise large ouverte carreaux bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux bleu"}', 0), + (11589, 2, 7, 'Chemise large ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux beige"}', 0), + (11590, 2, 7, 'Chemise large ouverte carreaux vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux vert"}', 0), + (11591, 2, 7, 'Chemise large ouverte carreaux violet', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux violet"}', 0), + (11592, 2, 7, 'Chemise large ouverte carreaux brun', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"carreaux brun"}', 0), + (11593, 2, 7, 'Chemise large ouverte grands carreaux marron', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux marron"}', 0), + (11594, 2, 7, 'Chemise large ouverte grands carreaux bleu', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux bleu"}', 0), + (11595, 2, 7, 'Chemise large ouverte grands carreaux violet', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux violet"}', 0), + (11596, 2, 7, 'Chemise large ouverte grands carreaux taupe', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux taupe"}', 0), + (11597, 2, 7, 'Chemise large ouverte grands carreaux ciel', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux ciel"}', 0), + (11598, 2, 7, 'Chemise large ouverte grands carreaux sable', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"grands carreaux sable"}', 0), + (11599, 2, 7, 'Chemise large ouverte petits carreaux blanc', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux blanc"}', 0), + (11600, 2, 7, 'Chemise large ouverte petits carreaux rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux rouge"}', 0), + (11601, 2, 7, 'Chemise large ouverte petits carreaux vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux vert"}', 0), + (11602, 2, 7, 'Chemise large ouverte petits carreaux anthracite', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux anthracite"}', 0), + (11603, 2, 7, 'Chemise large ouverte petits carreaux brun', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux brun"}', 0), + (11604, 2, 7, 'Chemise large ouverte petits carreaux violet', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"petits carreaux violet"}', 0), + (11605, 2, 7, 'Chemise large ouverte uni noir', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni noir"}', 0), + (11606, 2, 7, 'Chemise large ouverte uni gris', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni gris"}', 0), + (11607, 2, 7, 'Chemise large ouverte uni blanc', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni blanc"}', 0), + (11608, 2, 7, 'Chemise large ouverte uni bleu marine', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni bleu marine"}', 0), + (11609, 2, 7, 'Chemise large ouverte uni orange', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni orange"}', 0), + (11610, 2, 7, 'Chemise large ouverte uni pêche', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni pêche"}', 0), + (11611, 2, 7, 'Chemise large ouverte uni vert', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni vert"}', 0), + (11612, 2, 7, 'Chemise large ouverte uni rouge', 50, '{"components":{"11":{"Drawable":354,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large ouverte","colorLabel":"uni rouge"}', 0), + (11613, 1, 7, 'Chemise large col attaché ouverte uni noir', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni noir"}', 0), + (11614, 1, 7, 'Chemise large col attaché ouverte uni gris', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni gris"}', 0), + (11615, 1, 7, 'Chemise large col attaché ouverte uni blanc', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni blanc"}', 0), + (11616, 1, 7, 'Chemise large col attaché ouverte uni bleu marine', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni bleu marine"}', 0), + (11617, 1, 7, 'Chemise large col attaché ouverte uni orange', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni orange"}', 0), + (11618, 1, 7, 'Chemise large col attaché ouverte uni pêche', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni pêche"}', 0), + (11619, 1, 7, 'Chemise large col attaché ouverte uni vert', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni vert"}', 0), + (11620, 1, 7, 'Chemise large col attaché ouverte uni rouge', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni rouge"}', 0), + (11621, 2, 7, 'Chemise large col attaché ouverte uni noir', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni noir"}', 0), + (11622, 2, 7, 'Chemise large col attaché ouverte uni gris', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni gris"}', 0), + (11623, 2, 7, 'Chemise large col attaché ouverte uni blanc', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni blanc"}', 0), + (11624, 2, 7, 'Chemise large col attaché ouverte uni bleu marine', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni bleu marine"}', 0), + (11625, 2, 7, 'Chemise large col attaché ouverte uni orange', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni orange"}', 0), + (11626, 2, 7, 'Chemise large col attaché ouverte uni pêche', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni pêche"}', 0), + (11627, 2, 7, 'Chemise large col attaché ouverte uni vert', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni vert"}', 0), + (11628, 2, 7, 'Chemise large col attaché ouverte uni rouge', 50, '{"components":{"11":{"Drawable":355,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise large col attaché ouverte ","colorLabel":"uni rouge"}', 0), + (11629, 1, 7, 'Chemise large fermée uni noir', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni noir"}', 0), + (11630, 1, 7, 'Chemise large fermée uni gris', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni gris"}', 0), + (11631, 1, 7, 'Chemise large fermée uni blanc', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni blanc"}', 0), + (11632, 1, 7, 'Chemise large fermée uni bleu marine', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni bleu marine"}', 0), + (11633, 1, 7, 'Chemise large fermée uni orange', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni orange"}', 0), + (11634, 1, 7, 'Chemise large fermée uni pêche', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni pêche"}', 0), + (11635, 1, 7, 'Chemise large fermée uni vert', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni vert"}', 0), + (11636, 1, 7, 'Chemise large fermée uni rouge', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni rouge"}', 0), + (11637, 2, 7, 'Chemise large fermée uni noir', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni noir"}', 0), + (11638, 2, 7, 'Chemise large fermée uni gris', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni gris"}', 0), + (11639, 2, 7, 'Chemise large fermée uni blanc', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni blanc"}', 0), + (11640, 2, 7, 'Chemise large fermée uni bleu marine', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni bleu marine"}', 0), + (11641, 2, 7, 'Chemise large fermée uni orange', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni orange"}', 0), + (11642, 2, 7, 'Chemise large fermée uni pêche', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni pêche"}', 0), + (11643, 2, 7, 'Chemise large fermée uni vert', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni vert"}', 0), + (11644, 2, 7, 'Chemise large fermée uni rouge', 50, '{"components":{"11":{"Drawable":356,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large fermée","colorLabel":"uni rouge"}', 0), + (11645, 3, 7, 'Chemise rentrée m retroussées pêche', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"pêche"}', 0), + (11646, 3, 7, 'Chemise rentrée m retroussées beige', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"beige"}', 0), + (11647, 3, 7, 'Chemise rentrée m retroussées anthracite', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"anthracite"}', 0), + (11648, 3, 7, 'Chemise rentrée m retroussées corail', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"corail"}', 0), + (11649, 3, 7, 'Chemise rentrée m retroussées violine', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"violine"}', 0), + (11650, 3, 7, 'Chemise rentrée m retroussées citron', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"citron"}', 0), + (11651, 3, 7, 'Chemise rentrée m retroussées turquoise', 50, '{"components":{"11":{"Drawable":357,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m retroussées","colorLabel":"turquoise"}', 0), + (11652, 3, 7, 'Chemise rentrée m courtes pêche', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"pêche"}', 0), + (11653, 3, 7, 'Chemise rentrée m courtes beige', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"beige"}', 0), + (11654, 3, 7, 'Chemise rentrée m courtes anthracite', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"anthracite"}', 0), + (11655, 3, 7, 'Chemise rentrée m courtes corail', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"corail"}', 0), + (11656, 3, 7, 'Chemise rentrée m courtes violine', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"violine"}', 0), + (11657, 3, 7, 'Chemise rentrée m courtes citron', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"citron"}', 0), + (11658, 3, 7, 'Chemise rentrée m courtes turquoise', 50, '{"components":{"11":{"Drawable":358,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise rentrée m courtes","colorLabel":"turquoise"}', 0), + (11659, 3, 7, 'Chemise sortie manches retroussée pêche', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"pêche"}', 0), + (11660, 3, 7, 'Chemise sortie manches retroussée beige', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"beige"}', 0), + (11661, 3, 7, 'Chemise sortie manches retroussée anthracite', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"anthracite"}', 0), + (11662, 3, 7, 'Chemise sortie manches retroussée corail', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"corail"}', 0), + (11663, 3, 7, 'Chemise sortie manches retroussée violine', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"violine"}', 0), + (11664, 3, 7, 'Chemise sortie manches retroussée citron', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"citron"}', 0), + (11665, 3, 7, 'Chemise sortie manches retroussée turquoise', 50, '{"components":{"11":{"Drawable":359,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches retroussée","colorLabel":"turquoise"}', 0), + (11666, 3, 7, 'Chemise sortie manches courtes pêche', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"pêche"}', 0), + (11667, 3, 7, 'Chemise sortie manches courtes beige', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"beige"}', 0), + (11668, 3, 7, 'Chemise sortie manches courtes anthracite', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"anthracite"}', 0), + (11669, 3, 7, 'Chemise sortie manches courtes corail', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"corail"}', 0), + (11670, 3, 7, 'Chemise sortie manches courtes violine', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"violine"}', 0), + (11671, 3, 7, 'Chemise sortie manches courtes citron', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"citron"}', 0), + (11672, 3, 7, 'Chemise sortie manches courtes turquoise', 50, '{"components":{"11":{"Drawable":360,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise sortie manches courtes","colorLabel":"turquoise"}', 0), + (11673, 1, 12, 'Veste highschool football boutons blason noir', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blason noir"}', 0), + (11674, 1, 12, 'Veste highschool football boutons blason jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blason jaune"}', 0), + (11675, 1, 12, 'Veste highschool football boutons 22 noir-jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"22 noir-jaune"}', 0), + (11676, 1, 12, 'Veste highschool football boutons Solary noir', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Solary noir"}', 0), + (11677, 1, 12, 'Veste highschool football boutons Solary jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Solary jaune"}', 0), + (11678, 1, 12, 'Veste highschool football boutons T noir', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"T noir"}', 0), + (11679, 1, 12, 'Veste highschool football boutons T jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"T jaune"}', 0), + (11680, 2, 12, 'Veste highschool football boutons blason noir', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blason noir"}', 0), + (11681, 2, 12, 'Veste highschool football boutons blason jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"blason jaune"}', 0), + (11682, 2, 12, 'Veste highschool football boutons 22 noir-jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"22 noir-jaune"}', 0), + (11683, 2, 12, 'Veste highschool football boutons Solary noir', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Solary noir"}', 0), + (11684, 2, 12, 'Veste highschool football boutons Solary jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"Solary jaune"}', 0), + (11685, 2, 12, 'Veste highschool football boutons T noir', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"T noir"}', 0), + (11686, 2, 12, 'Veste highschool football boutons T jaune', 50, '{"components":{"11":{"Drawable":361,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"T jaune"}', 0), + (11687, 1, 12, 'Veste highschool football zip fermée blason noir', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"blason noir"}', 0), + (11688, 1, 12, 'Veste highschool football zip fermée blason jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"blason jaune"}', 0), + (11689, 1, 12, 'Veste highschool football zip fermée 23 noir-jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"23 noir-jaune"}', 0), + (11690, 1, 12, 'Veste highschool football zip fermée Solary noir', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"Solary noir"}', 0), + (11691, 1, 12, 'Veste highschool football zip fermée Solary jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"Solary jaune"}', 0), + (11692, 1, 12, 'Veste highschool football zip fermée T noir', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"T noir"}', 0), + (11693, 1, 12, 'Veste highschool football zip fermée T jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"T jaune"}', 0), + (11694, 2, 12, 'Veste highschool football zip fermée blason noir', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"blason noir"}', 0), + (11695, 2, 12, 'Veste highschool football zip fermée blason jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"blason jaune"}', 0), + (11696, 2, 12, 'Veste highschool football zip fermée 23 noir-jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"23 noir-jaune"}', 0), + (11697, 2, 12, 'Veste highschool football zip fermée Solary noir', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"Solary noir"}', 0), + (11698, 2, 12, 'Veste highschool football zip fermée Solary jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"Solary jaune"}', 0), + (11699, 2, 12, 'Veste highschool football zip fermée T noir', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"T noir"}', 0), + (11700, 2, 12, 'Veste highschool football zip fermée T jaune', 50, '{"components":{"11":{"Drawable":362,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"T jaune"}', 0), + (11701, 1, 12, 'Veste highschool football zip ouverte blason noir', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason noir"}', 0), + (11702, 1, 12, 'Veste highschool football zip ouverte blason jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason jaune"}', 0), + (11703, 1, 12, 'Veste highschool football zip ouverte 24 noir-jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"24 noir-jaune"}', 0), + (11704, 1, 12, 'Veste highschool football zip ouverte Solary noir', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary noir"}', 0), + (11705, 1, 12, 'Veste highschool football zip ouverte Solary jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary jaune"}', 0), + (11706, 1, 12, 'Veste highschool football zip ouverte T noir', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T noir"}', 0), + (11707, 1, 12, 'Veste highschool football zip ouverte T jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T jaune"}', 0), + (11708, 2, 12, 'Veste highschool football zip ouverte blason noir', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason noir"}', 0), + (11709, 2, 12, 'Veste highschool football zip ouverte blason jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"blason jaune"}', 0), + (11710, 2, 12, 'Veste highschool football zip ouverte 24 noir-jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"24 noir-jaune"}', 0), + (11711, 2, 12, 'Veste highschool football zip ouverte Solary noir', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary noir"}', 0), + (11712, 2, 12, 'Veste highschool football zip ouverte Solary jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"Solary jaune"}', 0), + (11713, 2, 12, 'Veste highschool football zip ouverte T noir', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T noir"}', 0), + (11714, 2, 12, 'Veste highschool football zip ouverte T jaune', 50, '{"components":{"11":{"Drawable":363,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"T jaune"}', 0), + (11715, 3, 7, 'Chemise manches 1/2 ouverte noir', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"noir"}', 0), + (11716, 3, 7, 'Chemise manches 1/2 ouverte anthracite', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"anthracite"}', 0), + (11717, 3, 7, 'Chemise manches 1/2 ouverte gris', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"gris"}', 0), + (11718, 3, 7, 'Chemise manches 1/2 ouverte perle', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"perle"}', 0), + (11719, 3, 7, 'Chemise manches 1/2 ouverte blanc', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"blanc"}', 0), + (11720, 3, 7, 'Chemise manches 1/2 ouverte kaki', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"kaki"}', 0), + (11721, 3, 7, 'Chemise manches 1/2 ouverte corail', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"corail"}', 0), + (11722, 3, 7, 'Chemise manches 1/2 ouverte turquoise-corail', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"turquoise-corail"}', 0), + (11723, 3, 7, 'Chemise manches 1/2 ouverte vert d\'eau', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"vert d\'eau"}', 0), + (11724, 3, 7, 'Chemise manches 1/2 ouverte léopard beige', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"léopard beige"}', 0), + (11725, 3, 7, 'Chemise manches 1/2 ouverte léopard turquoise', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"léopard turquoise"}', 0), + (11726, 3, 7, 'Chemise manches 1/2 ouverte motifs noir-rouge', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"motifs noir-rouge"}', 0), + (11727, 3, 7, 'Chemise manches 1/2 ouverte motifs blanc-rouge', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"motifs blanc-rouge"}', 0), + (11728, 3, 7, 'Chemise manches 1/2 ouverte motifs ciel', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"motifs ciel"}', 0), + (11729, 3, 7, 'Chemise manches 1/2 ouverte motifs rose-bleu', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"motifs rose-bleu"}', 0), + (11730, 3, 7, 'Chemise manches 1/2 ouverte motifs aqua', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"motifs aqua"}', 0), + (11731, 3, 7, 'Chemise manches 1/2 ouverte motifs lime', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"motifs lime"}', 0), + (11732, 3, 7, 'Chemise manches 1/2 ouverte carreaux bleu', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"carreaux bleu"}', 0), + (11733, 3, 7, 'Chemise manches 1/2 ouverte carreaux fins bleu', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"carreaux fins bleu"}', 0), + (11734, 3, 7, 'Chemise manches 1/2 ouverte carreaux rouge', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"carreaux rouge"}', 0), + (11735, 3, 7, 'Chemise manches 1/2 ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"carreaux beige"}', 0), + (11736, 3, 7, 'Chemise manches 1/2 ouverte carreaux gris', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"carreaux gris"}', 0), + (11737, 3, 7, 'Chemise manches 1/2 ouverte bleu points', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bleu points"}', 0), + (11738, 3, 7, 'Chemise manches 1/2 ouverte anthracite points', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"anthracite points"}', 0), + (11739, 3, 7, 'Chemise manches 1/2 ouverte gris points', 50, '{"components":{"11":{"Drawable":364,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"gris points"}', 0), + (11740, 3, 7, 'Chemise manches 1/2 ouverte dragon rouge', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"dragon rouge"}', 0), + (11741, 3, 7, 'Chemise manches 1/2 ouverte dragon noir', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"dragon noir"}', 0), + (11742, 3, 7, 'Chemise manches 1/2 ouverte savane jaune', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"savane jaune"}', 0), + (11743, 3, 7, 'Chemise manches 1/2 ouverte savane bleu', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"savane bleu"}', 0), + (11744, 3, 7, 'Chemise manches 1/2 ouverte savane rose', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"savane rose"}', 0), + (11745, 3, 7, 'Chemise manches 1/2 ouverte savane gris', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"savane gris"}', 0), + (11746, 3, 7, 'Chemise manches 1/2 ouverte feuilles beige', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuilles beige"}', 0), + (11747, 3, 7, 'Chemise manches 1/2 ouverte feuilles corail', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuilles corail"}', 0), + (11748, 3, 7, 'Chemise manches 1/2 ouverte feuilles vert', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuilles vert"}', 0), + (11749, 3, 7, 'Chemise manches 1/2 ouverte feuilles turquoise', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuilles turquoise"}', 0), + (11750, 3, 7, 'Chemise manches 1/2 ouverte feuillage bleu', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuillage bleu"}', 0), + (11751, 3, 7, 'Chemise manches 1/2 ouverte feuillage gris', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuillage gris"}', 0), + (11752, 3, 7, 'Chemise manches 1/2 ouverte feuillage rouge', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuillage rouge"}', 0), + (11753, 3, 7, 'Chemise manches 1/2 ouverte feuillage crème', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"feuillage crème"}', 0), + (11754, 3, 7, 'Chemise manches 1/2 ouverte bouquet pétrole', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bouquet pétrole"}', 0), + (11755, 3, 7, 'Chemise manches 1/2 ouverte bouquet bleu', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bouquet bleu"}', 0), + (11756, 3, 7, 'Chemise manches 1/2 ouverte tournesol rose', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tournesol rose"}', 0), + (11757, 3, 7, 'Chemise manches 1/2 ouverte fleurs rouge-noir', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs rouge-noir"}', 0), + (11758, 3, 7, 'Chemise manches 1/2 ouverte dégradé rose-vert', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"dégradé rose-vert"}', 0), + (11759, 3, 7, 'Chemise manches 1/2 ouverte dégradé orange-bleu', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"dégradé orange-bleu"}', 0), + (11760, 3, 7, 'Chemise manches 1/2 ouverte dégradé blanc-noir', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"dégradé blanc-noir"}', 0), + (11761, 3, 7, 'Chemise manches 1/2 ouverte dégradé jaune-bleu', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"dégradé jaune-bleu"}', 0), + (11762, 3, 7, 'Chemise manches 1/2 ouverte vert', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"vert"}', 0), + (11763, 3, 7, 'Chemise manches 1/2 ouverte jaune', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"jaune"}', 0), + (11764, 3, 7, 'Chemise manches 1/2 ouverte bleu foncé', 50, '{"components":{"11":{"Drawable":365,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bleu foncé"}', 0), + (11765, 3, 7, 'Chemise m longues col ouvert blanc', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"blanc"}', 0), + (11766, 3, 7, 'Chemise m longues col ouvert beige', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"beige"}', 0), + (11767, 3, 7, 'Chemise m longues col ouvert bleu marine', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"bleu marine"}', 0), + (11768, 3, 7, 'Chemise m longues col ouvert noir', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"noir"}', 0), + (11769, 3, 7, 'Chemise m longues col ouvert café', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"café"}', 0), + (11770, 3, 7, 'Chemise m longues col ouvert crème', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"crème"}', 0), + (11771, 3, 7, 'Chemise m longues col ouvert taupe', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"taupe"}', 0), + (11772, 3, 7, 'Chemise m longues col ouvert bordeaux', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"bordeaux"}', 0), + (11773, 3, 7, 'Chemise m longues col ouvert perle', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"perle"}', 0), + (11774, 3, 7, 'Chemise m longues col ouvert gris', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"gris"}', 0), + (11775, 3, 7, 'Chemise m longues col ouvert bleu', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"bleu"}', 0), + (11776, 3, 7, 'Chemise m longues col ouvert pêche', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"pêche"}', 0), + (11777, 3, 7, 'Chemise m longues col ouvert jacinthe', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"jacinthe"}', 0), + (11778, 3, 7, 'Chemise m longues col ouvert bleu points blanc', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"bleu points blanc"}', 0), + (11779, 3, 7, 'Chemise m longues col ouvert motifs bleu', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"motifs bleu"}', 0), + (11780, 3, 7, 'Chemise m longues col ouvert rayure bleu', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"rayure bleu"}', 0), + (11781, 3, 7, 'Chemise m longues col ouvert rayure beige', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"rayure beige"}', 0), + (11782, 3, 7, 'Chemise m longues col ouvert petits carreaux brun', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"petits carreaux brun"}', 0), + (11783, 3, 7, 'Chemise m longues col ouvert petits carreaux marine', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"petits carreaux marine"}', 0), + (11784, 3, 7, 'Chemise m longues col ouvert carreaux bleu', 50, '{"components":{"11":{"Drawable":366,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col ouvert","colorLabel":"carreaux bleu"}', 0), + (11785, 3, 7, 'Chemise m longues col fermé blanc', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"blanc"}', 0), + (11786, 3, 7, 'Chemise m longues col fermé beige', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"beige"}', 0), + (11787, 3, 7, 'Chemise m longues col fermé bleu marine', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"bleu marine"}', 0), + (11788, 3, 7, 'Chemise m longues col fermé noir', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"noir"}', 0), + (11789, 3, 7, 'Chemise m longues col fermé café', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"café"}', 0), + (11790, 3, 7, 'Chemise m longues col fermé crème', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"crème"}', 0), + (11791, 3, 7, 'Chemise m longues col fermé taupe', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"taupe"}', 0), + (11792, 3, 7, 'Chemise m longues col fermé bordeaux', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"bordeaux"}', 0), + (11793, 3, 7, 'Chemise m longues col fermé perle', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"perle"}', 0), + (11794, 3, 7, 'Chemise m longues col fermé gris', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"gris"}', 0), + (11795, 3, 7, 'Chemise m longues col fermé bleu', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"bleu"}', 0), + (11796, 3, 7, 'Chemise m longues col fermé pêche', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"pêche"}', 0), + (11797, 3, 7, 'Chemise m longues col fermé jacinthe', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"jacinthe"}', 0), + (11798, 3, 7, 'Chemise m longues col fermé bleu points blanc', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"bleu points blanc"}', 0), + (11799, 3, 7, 'Chemise m longues col fermé motifs bleu', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"motifs bleu"}', 0), + (11800, 3, 7, 'Chemise m longues col fermé rayure bleu', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"rayure bleu"}', 0), + (11801, 3, 7, 'Chemise m longues col fermé rayure beige', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"rayure beige"}', 0), + (11802, 3, 7, 'Chemise m longues col fermé petits carreaux brun', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"petits carreaux brun"}', 0), + (11803, 3, 7, 'Chemise m longues col fermé petits carreaux marine', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"petits carreaux marine"}', 0), + (11804, 3, 7, 'Chemise m longues col fermé carreaux bleu', 50, '{"components":{"11":{"Drawable":367,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise m longues col fermé","colorLabel":"carreaux bleu"}', 0), + (11805, 1, 3, 'Polo long Bigness violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness violet"}', 0), + (11806, 1, 3, 'Polo long Bigness blanc', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness blanc"}', 0), + (11807, 1, 3, 'Polo long Fly Bravo violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo violet"}', 0), + (11808, 1, 3, 'Polo long Fly Bravo blanc', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo blanc"}', 0), + (11809, 1, 3, 'Polo long Bigness rayé violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé violet"}', 0), + (11810, 1, 3, 'Polo long Bigness rayé blanc', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé blanc"}', 0), + (11811, 1, 3, 'Polo long vert', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"vert"}', 0), + (11812, 1, 3, 'Polo long abricot', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"abricot"}', 0), + (11813, 1, 3, 'Polo long violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"violet"}', 0), + (11814, 1, 3, 'Polo long rose', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose"}', 0), + (11815, 2, 3, 'Polo long Bigness violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness violet"}', 0), + (11816, 2, 3, 'Polo long Bigness blanc', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness blanc"}', 0), + (11817, 2, 3, 'Polo long Fly Bravo violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo violet"}', 0), + (11818, 2, 3, 'Polo long Fly Bravo blanc', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Fly Bravo blanc"}', 0), + (11819, 2, 3, 'Polo long Bigness rayé violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé violet"}', 0), + (11820, 2, 3, 'Polo long Bigness rayé blanc', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"Bigness rayé blanc"}', 0), + (11821, 2, 3, 'Polo long vert', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"vert"}', 0), + (11822, 2, 3, 'Polo long abricot', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"abricot"}', 0), + (11823, 2, 3, 'Polo long violet', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"violet"}', 0), + (11824, 2, 3, 'Polo long rose', 50, '{"components":{"11":{"Drawable":368,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"rose"}', 0), + (11825, 1, 2, 'T-shirt sorti Fire', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Fire"}', 0), + (11826, 1, 2, 'T-shirt sorti Space cube', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Space cube"}', 0), + (11827, 1, 2, 'T-shirt sorti Get metal', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Get metal"}', 0), + (11828, 1, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (11829, 1, 2, 'T-shirt sorti uni rouge', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni rouge"}', 0), + (11830, 2, 2, 'T-shirt sorti Fire', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Fire"}', 0), + (11831, 2, 2, 'T-shirt sorti Space cube', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Space cube"}', 0), + (11832, 2, 2, 'T-shirt sorti Get metal', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Get metal"}', 0), + (11833, 2, 2, 'T-shirt sorti uni bleu', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni bleu"}', 0), + (11834, 2, 2, 'T-shirt sorti uni rouge', 50, '{"components":{"11":{"Drawable":369,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"uni rouge"}', 0), + (11835, 1, 5, 'Hoodie oversize orange', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange"}', 0), + (11836, 1, 5, 'Hoodie oversize gris', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"gris"}', 0), + (11837, 1, 5, 'Hoodie oversize blanc', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc"}', 0), + (11838, 2, 5, 'Hoodie oversize orange', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"orange"}', 0), + (11839, 2, 5, 'Hoodie oversize gris', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"gris"}', 0), + (11840, 2, 5, 'Hoodie oversize blanc', 50, '{"components":{"11":{"Drawable":370,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc"}', 0), + (11841, 1, 5, 'Hoodie oversize capuche tête orange', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange"}', 0), + (11842, 1, 5, 'Hoodie oversize capuche tête gris', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"gris"}', 0), + (11843, 1, 5, 'Hoodie oversize capuche tête blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc"}', 0), + (11844, 2, 5, 'Hoodie oversize capuche tête orange', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"orange"}', 0), + (11845, 2, 5, 'Hoodie oversize capuche tête gris', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"gris"}', 0), + (11846, 2, 5, 'Hoodie oversize capuche tête blanc', 50, '{"components":{"11":{"Drawable":371,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc"}', 0), + (11847, 1, 7, 'Chemise manches 1/2 fermée tropical rouge', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical rouge"}', 0), + (11848, 1, 7, 'Chemise manches 1/2 fermée tropical noir', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical noir"}', 0), + (11849, 1, 7, 'Chemise manches 1/2 fermée tropical bleu', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical bleu"}', 0), + (11850, 1, 7, 'Chemise manches 1/2 fermée tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical vert d\'eau"}', 0), + (11851, 1, 7, 'Chemise manches 1/2 fermée tropical marine', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical marine"}', 0), + (11852, 1, 7, 'Chemise manches 1/2 fermée tropical orange', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical orange"}', 0), + (11853, 1, 7, 'Chemise manches 1/2 fermée tropical vert', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical vert"}', 0), + (11854, 1, 7, 'Chemise manches 1/2 fermée tropical beige', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical beige"}', 0), + (11855, 1, 7, 'Chemise manches 1/2 fermée palmier turquoise', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"palmier turquoise"}', 0), + (11856, 1, 7, 'Chemise manches 1/2 fermée palmier jaune', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"palmier jaune"}', 0), + (11857, 1, 7, 'Chemise manches 1/2 fermée flamant rose', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"flamant rose"}', 0), + (11858, 1, 7, 'Chemise manches 1/2 fermée palmier menthe', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"palmier menthe"}', 0), + (11859, 1, 7, 'Chemise manches 1/2 fermée fleurs vert', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs vert"}', 0), + (11860, 1, 7, 'Chemise manches 1/2 fermée fleurs bleu', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs bleu"}', 0), + (11861, 1, 7, 'Chemise manches 1/2 fermée oiseau bleu', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"oiseau bleu"}', 0), + (11862, 1, 7, 'Chemise manches 1/2 fermée oiseau orange', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"oiseau orange"}', 0), + (11863, 1, 7, 'Chemise manches 1/2 fermée bambou menthe', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bambou menthe"}', 0), + (11864, 1, 7, 'Chemise manches 1/2 fermée bambou abricot', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bambou abricot"}', 0), + (11865, 1, 7, 'Chemise manches 1/2 fermée volcan rouge', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"volcan rouge"}', 0), + (11866, 1, 7, 'Chemise manches 1/2 fermée volcan rose', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"volcan rose"}', 0), + (11867, 1, 7, 'Chemise manches 1/2 fermée poisson beige', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"poisson beige"}', 0), + (11868, 1, 7, 'Chemise manches 1/2 fermée poisson magenta', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"poisson magenta"}', 0), + (11869, 1, 7, 'Chemise manches 1/2 fermée tigre beige', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tigre beige"}', 0), + (11870, 1, 7, 'Chemise manches 1/2 fermée tigre corail', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tigre corail"}', 0), + (11871, 1, 7, 'Chemise manches 1/2 fermée fleurs rose', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs rose"}', 0), + (11872, 2, 7, 'Chemise manches 1/2 fermée tropical rouge', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical rouge"}', 0), + (11873, 2, 7, 'Chemise manches 1/2 fermée tropical noir', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical noir"}', 0), + (11874, 2, 7, 'Chemise manches 1/2 fermée tropical bleu', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical bleu"}', 0), + (11875, 2, 7, 'Chemise manches 1/2 fermée tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical vert d\'eau"}', 0), + (11876, 2, 7, 'Chemise manches 1/2 fermée tropical marine', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical marine"}', 0), + (11877, 2, 7, 'Chemise manches 1/2 fermée tropical orange', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical orange"}', 0), + (11878, 2, 7, 'Chemise manches 1/2 fermée tropical vert', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical vert"}', 0), + (11879, 2, 7, 'Chemise manches 1/2 fermée tropical beige', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tropical beige"}', 0), + (11880, 2, 7, 'Chemise manches 1/2 fermée palmier turquoise', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"palmier turquoise"}', 0), + (11881, 2, 7, 'Chemise manches 1/2 fermée palmier jaune', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"palmier jaune"}', 0), + (11882, 2, 7, 'Chemise manches 1/2 fermée flamant rose', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"flamant rose"}', 0), + (11883, 2, 7, 'Chemise manches 1/2 fermée palmier menthe', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"palmier menthe"}', 0), + (11884, 2, 7, 'Chemise manches 1/2 fermée fleurs vert', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs vert"}', 0), + (11885, 2, 7, 'Chemise manches 1/2 fermée fleurs bleu', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs bleu"}', 0), + (11886, 2, 7, 'Chemise manches 1/2 fermée oiseau bleu', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"oiseau bleu"}', 0), + (11887, 2, 7, 'Chemise manches 1/2 fermée oiseau orange', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"oiseau orange"}', 0), + (11888, 2, 7, 'Chemise manches 1/2 fermée bambou menthe', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bambou menthe"}', 0), + (11889, 2, 7, 'Chemise manches 1/2 fermée bambou abricot', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"bambou abricot"}', 0), + (11890, 2, 7, 'Chemise manches 1/2 fermée volcan rouge', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"volcan rouge"}', 0), + (11891, 2, 7, 'Chemise manches 1/2 fermée volcan rose', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"volcan rose"}', 0), + (11892, 2, 7, 'Chemise manches 1/2 fermée poisson beige', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"poisson beige"}', 0), + (11893, 2, 7, 'Chemise manches 1/2 fermée poisson magenta', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"poisson magenta"}', 0), + (11894, 2, 7, 'Chemise manches 1/2 fermée tigre beige', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tigre beige"}', 0), + (11895, 2, 7, 'Chemise manches 1/2 fermée tigre corail', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"tigre corail"}', 0), + (11896, 2, 7, 'Chemise manches 1/2 fermée fleurs rose', 50, '{"components":{"11":{"Drawable":372,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise manches 1/2 fermée","colorLabel":"fleurs rose"}', 0), + (11897, 1, 7, 'Chemise manches 1/2 ouverte tropical rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical rouge"}', 0), + (11898, 1, 7, 'Chemise manches 1/2 ouverte tropical noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical noir"}', 0), + (11899, 1, 7, 'Chemise manches 1/2 ouverte tropical bleu', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical bleu"}', 0), + (11900, 1, 7, 'Chemise manches 1/2 ouverte tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical vert d\'eau"}', 0), + (11901, 1, 7, 'Chemise manches 1/2 ouverte tropical marine', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical marine"}', 0), + (11902, 1, 7, 'Chemise manches 1/2 ouverte tropical orange', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical orange"}', 0), + (11903, 1, 7, 'Chemise manches 1/2 ouverte tropical vert', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical vert"}', 0), + (11904, 1, 7, 'Chemise manches 1/2 ouverte tropical beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical beige"}', 0), + (11905, 1, 7, 'Chemise manches 1/2 ouverte palmier turquoise', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"palmier turquoise"}', 0), + (11906, 1, 7, 'Chemise manches 1/2 ouverte palmier jaune', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"palmier jaune"}', 0), + (11907, 1, 7, 'Chemise manches 1/2 ouverte flamant rose', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"flamant rose"}', 0), + (11908, 1, 7, 'Chemise manches 1/2 ouverte palmier menthe', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"palmier menthe"}', 0), + (11909, 1, 7, 'Chemise manches 1/2 ouverte fleurs vert', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs vert"}', 0), + (11910, 1, 7, 'Chemise manches 1/2 ouverte fleurs bleu', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs bleu"}', 0), + (11911, 1, 7, 'Chemise manches 1/2 ouverte oiseau bleu', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"oiseau bleu"}', 0), + (11912, 1, 7, 'Chemise manches 1/2 ouverte oiseau orange', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"oiseau orange"}', 0), + (11913, 1, 7, 'Chemise manches 1/2 ouverte bambou menthe', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bambou menthe"}', 0), + (11914, 1, 7, 'Chemise manches 1/2 ouverte bambou abricot', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bambou abricot"}', 0), + (11915, 1, 7, 'Chemise manches 1/2 ouverte volcan rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"volcan rouge"}', 0), + (11916, 1, 7, 'Chemise manches 1/2 ouverte volcan rose', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"volcan rose"}', 0), + (11917, 1, 7, 'Chemise manches 1/2 ouverte poisson beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"poisson beige"}', 0), + (11918, 1, 7, 'Chemise manches 1/2 ouverte poisson magenta', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"poisson magenta"}', 0), + (11919, 1, 7, 'Chemise manches 1/2 ouverte tigre beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tigre beige"}', 0), + (11920, 1, 7, 'Chemise manches 1/2 ouverte tigre corail', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tigre corail"}', 0), + (11921, 1, 7, 'Chemise manches 1/2 ouverte fleurs rose', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs rose"}', 0), + (11922, 2, 7, 'Chemise manches 1/2 ouverte tropical rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical rouge"}', 0), + (11923, 2, 7, 'Chemise manches 1/2 ouverte tropical noir', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical noir"}', 0), + (11924, 2, 7, 'Chemise manches 1/2 ouverte tropical bleu', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical bleu"}', 0), + (11925, 2, 7, 'Chemise manches 1/2 ouverte tropical vert d\'eau', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical vert d\'eau"}', 0), + (11926, 2, 7, 'Chemise manches 1/2 ouverte tropical marine', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical marine"}', 0), + (11927, 2, 7, 'Chemise manches 1/2 ouverte tropical orange', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical orange"}', 0), + (11928, 2, 7, 'Chemise manches 1/2 ouverte tropical vert', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical vert"}', 0), + (11929, 2, 7, 'Chemise manches 1/2 ouverte tropical beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tropical beige"}', 0), + (11930, 2, 7, 'Chemise manches 1/2 ouverte palmier turquoise', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"palmier turquoise"}', 0), + (11931, 2, 7, 'Chemise manches 1/2 ouverte palmier jaune', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"palmier jaune"}', 0), + (11932, 2, 7, 'Chemise manches 1/2 ouverte flamant rose', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"flamant rose"}', 0), + (11933, 2, 7, 'Chemise manches 1/2 ouverte palmier menthe', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"palmier menthe"}', 0), + (11934, 2, 7, 'Chemise manches 1/2 ouverte fleurs vert', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs vert"}', 0), + (11935, 2, 7, 'Chemise manches 1/2 ouverte fleurs bleu', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs bleu"}', 0), + (11936, 2, 7, 'Chemise manches 1/2 ouverte oiseau bleu', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"oiseau bleu"}', 0), + (11937, 2, 7, 'Chemise manches 1/2 ouverte oiseau orange', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"oiseau orange"}', 0), + (11938, 2, 7, 'Chemise manches 1/2 ouverte bambou menthe', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bambou menthe"}', 0), + (11939, 2, 7, 'Chemise manches 1/2 ouverte bambou abricot', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"bambou abricot"}', 0), + (11940, 2, 7, 'Chemise manches 1/2 ouverte volcan rouge', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"volcan rouge"}', 0), + (11941, 2, 7, 'Chemise manches 1/2 ouverte volcan rose', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"volcan rose"}', 0), + (11942, 2, 7, 'Chemise manches 1/2 ouverte poisson beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"poisson beige"}', 0), + (11943, 2, 7, 'Chemise manches 1/2 ouverte poisson magenta', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"poisson magenta"}', 0), + (11944, 2, 7, 'Chemise manches 1/2 ouverte tigre beige', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tigre beige"}', 0), + (11945, 2, 7, 'Chemise manches 1/2 ouverte tigre corail', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"tigre corail"}', 0), + (11946, 2, 7, 'Chemise manches 1/2 ouverte fleurs rose', 50, '{"components":{"11":{"Drawable":373,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise manches 1/2 ouverte","colorLabel":"fleurs rose"}', 0), + (11947, 1, 5, 'Sweat-shirt col rond Rock bleu', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"Rock bleu"}', 0), + (11948, 2, 5, 'Sweat-shirt col rond Rock bleu', 50, '{"components":{"11":{"Drawable":374,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat-shirt col rond","colorLabel":"Rock bleu"}', 0), + (11949, 1, 2, 'Débardeur basket Broker léopard noir', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Broker léopard noir"}', 0), + (11950, 1, 2, 'Débardeur basket Panic léopard violet', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Panic léopard violet"}', 0), + (11951, 1, 2, 'Débardeur basket gris-blanc', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"gris-blanc"}', 0), + (11952, 2, 2, 'Débardeur basket Broker léopard noir', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Broker léopard noir"}', 0), + (11953, 2, 2, 'Débardeur basket Panic léopard violet', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"Panic léopard violet"}', 0), + (11954, 2, 2, 'Débardeur basket gris-blanc', 50, '{"components":{"11":{"Drawable":375,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Débardeur basket","colorLabel":"gris-blanc"}', 0), + (11955, 1, 9, 'Pull manches 3/4 turquoise-rose', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"turquoise-rose"}', 0), + (11956, 1, 9, 'Pull manches 3/4 lila-bleu', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"lila-bleu"}', 0), + (11957, 1, 9, 'Pull manches 3/4 Bigness lime', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Bigness lime"}', 0), + (11958, 1, 9, 'Pull manches 3/4 Rockstar blanc', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Rockstar blanc"}', 0), + (11959, 1, 9, 'Pull manches 3/4 Santo Capra multicolore', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Santo Capra multicolore"}', 0), + (11960, 1, 9, 'Pull manches 3/4 dance noir-bleu', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-bleu"}', 0), + (11961, 1, 9, 'Pull manches 3/4 dance noir-rose', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-rose"}', 0), + (11962, 1, 9, 'Pull manches 3/4 dance noir-rouge', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-rouge"}', 0), + (11963, 1, 9, 'Pull manches 3/4 dance noir-orange', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-orange"}', 0), + (11964, 1, 9, 'Pull manches 3/4 dance noir-vert', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-vert"}', 0), + (11965, 2, 9, 'Pull manches 3/4 turquoise-rose', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"turquoise-rose"}', 0), + (11966, 2, 9, 'Pull manches 3/4 lila-bleu', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"lila-bleu"}', 0), + (11967, 2, 9, 'Pull manches 3/4 Bigness lime', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Bigness lime"}', 0), + (11968, 2, 9, 'Pull manches 3/4 Rockstar blanc', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Rockstar blanc"}', 0), + (11969, 2, 9, 'Pull manches 3/4 Santo Capra multicolore', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"Santo Capra multicolore"}', 0), + (11970, 2, 9, 'Pull manches 3/4 dance noir-bleu', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-bleu"}', 0), + (11971, 2, 9, 'Pull manches 3/4 dance noir-rose', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-rose"}', 0), + (11972, 2, 9, 'Pull manches 3/4 dance noir-rouge', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-rouge"}', 0), + (11973, 2, 9, 'Pull manches 3/4 dance noir-orange', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-orange"}', 0), + (11974, 2, 9, 'Pull manches 3/4 dance noir-vert', 50, '{"components":{"11":{"Drawable":376,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"dance noir-vert"}', 0), + (11975, 1, 2, 'T-shirt sorti blanc-rouge', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc-rouge"}', 0), + (11976, 1, 2, 'T-shirt sorti grenouille', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"grenouille"}', 0), + (11977, 1, 2, 'T-shirt sorti Rockstard noir-jaune', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Rockstard noir-jaune"}', 0), + (11978, 1, 2, 'T-shirt sorti Rockstar noir-gris', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Rockstar noir-gris"}', 0), + (11979, 1, 2, 'T-shirt sorti turquoise-rouge', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"turquoise-rouge"}', 0), + (11980, 1, 2, 'T-shirt sorti M noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"M noir"}', 0), + (11981, 2, 2, 'T-shirt sorti blanc-rouge', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc-rouge"}', 0), + (11982, 2, 2, 'T-shirt sorti grenouille', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"grenouille"}', 0), + (11983, 2, 2, 'T-shirt sorti Rockstard noir-jaune', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Rockstard noir-jaune"}', 0), + (11984, 2, 2, 'T-shirt sorti Rockstar noir-gris', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Rockstar noir-gris"}', 0), + (11985, 2, 2, 'T-shirt sorti turquoise-rouge', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"turquoise-rouge"}', 0), + (11986, 2, 2, 'T-shirt sorti M noir', 50, '{"components":{"11":{"Drawable":377,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"M noir"}', 0), + (11987, 1, 12, 'Veste highschool football zip fermée anthracite', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"anthracite"}', 0), + (11988, 2, 12, 'Veste highschool football zip fermée anthracite', 50, '{"components":{"11":{"Drawable":378,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"anthracite"}', 0), + (11989, 1, 12, 'Veste highschool football zip ouverte anthracite', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"anthracite"}', 0), + (11990, 2, 12, 'Veste highschool football zip ouverte anthracite', 50, '{"components":{"11":{"Drawable":379,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste highschool football zip ouverte","colorLabel":"anthracite"}', 0), + (11991, 1, 12, 'Veste highschool football zip fermée Cayo Perico jaune', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"Cayo Perico jaune"}', 0), + (11992, 2, 12, 'Veste highschool football zip fermée Cayo Perico jaune', 50, '{"components":{"11":{"Drawable":380,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football zip fermée","colorLabel":"Cayo Perico jaune"}', 0), + (11993, 3, 4, 'Blouson court fermé daim', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson court fermé","colorLabel":"daim"}', 0), + (11994, 3, 4, 'Blouson court fermé vert', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson court fermé","colorLabel":"vert"}', 0), + (11995, 3, 4, 'Blouson court fermé orange', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson court fermé","colorLabel":"orange"}', 0), + (11996, 3, 4, 'Blouson court fermé gris', 50, '{"components":{"11":{"Drawable":382,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson court fermé","colorLabel":"gris"}', 0), + (11997, 1, 4, 'Veste courte avec sous pull daim', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"daim"}', 0), + (11998, 1, 4, 'Veste courte avec sous pull vert', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"vert"}', 0), + (11999, 2, 4, 'Veste courte avec sous pull daim', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"daim"}', 0), + (12000, 2, 4, 'Veste courte avec sous pull vert', 50, '{"components":{"11":{"Drawable":383,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste courte avec sous pull","colorLabel":"vert"}', 0), + (12001, 1, 11, 'Veste en cuir longue sans manche LOST couleur', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"LOST couleur"}', 0), + (12002, 1, 11, 'Veste en cuir longue sans manche LOST noir et blanc', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"LOST noir et blanc"}', 0), + (12003, 2, 11, 'Veste en cuir longue sans manche LOST couleur', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"LOST couleur"}', 0), + (12004, 2, 11, 'Veste en cuir longue sans manche LOST noir et blanc', 50, '{"components":{"11":{"Drawable":384,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Veste en cuir longue sans manche","colorLabel":"LOST noir et blanc"}', 0), + (12005, 1, 11, 'Cuir ouvert sans manche à zip LOST noir et blanc', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"LOST noir et blanc"}', 0), + (12006, 1, 11, 'Cuir ouvert sans manche à zip LOST couleur', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"LOST couleur"}', 0), + (12007, 2, 11, 'Cuir ouvert sans manche à zip LOST noir et blanc', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"LOST noir et blanc"}', 0), + (12008, 2, 11, 'Cuir ouvert sans manche à zip LOST couleur', 50, '{"components":{"11":{"Drawable":385,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Cuir ouvert sans manche à zip","colorLabel":"LOST couleur"}', 0), + (12009, 1, 11, 'Perfecto en cuir sans manche LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur noir usé"}', 0), + (12010, 1, 11, 'Perfecto en cuir sans manche LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur rouge usé"}', 0), + (12011, 1, 11, 'Perfecto en cuir sans manche LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur brun usé"}', 0), + (12012, 1, 11, 'Perfecto en cuir sans manche LOST couleur noir', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur noir"}', 0), + (12013, 1, 11, 'Perfecto en cuir sans manche LOST NB noir usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB noir usé"}', 0), + (12014, 1, 11, 'Perfecto en cuir sans manche LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB rouge usé"}', 0), + (12015, 1, 11, 'Perfecto en cuir sans manche LOST NB brun usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB brun usé"}', 0), + (12016, 1, 11, 'Perfecto en cuir sans manche LOST NB noir', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB noir"}', 0), + (12017, 2, 11, 'Perfecto en cuir sans manche LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur noir usé"}', 0), + (12018, 2, 11, 'Perfecto en cuir sans manche LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur rouge usé"}', 0), + (12019, 2, 11, 'Perfecto en cuir sans manche LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur brun usé"}', 0), + (12020, 2, 11, 'Perfecto en cuir sans manche LOST couleur noir', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST couleur noir"}', 0), + (12021, 2, 11, 'Perfecto en cuir sans manche LOST NB noir usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB noir usé"}', 0), + (12022, 2, 11, 'Perfecto en cuir sans manche LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB rouge usé"}', 0), + (12023, 2, 11, 'Perfecto en cuir sans manche LOST NB brun usé', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB brun usé"}', 0), + (12024, 2, 11, 'Perfecto en cuir sans manche LOST NB noir', 50, '{"components":{"11":{"Drawable":386,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[3, 4],"modelLabel":"Perfecto en cuir sans manche","colorLabel":"LOST NB noir"}', 0), + (12025, 1, 4, 'Perfecto en cuir LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur noir usé"}', 0), + (12026, 1, 4, 'Perfecto en cuir LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur rouge usé"}', 0), + (12027, 1, 4, 'Perfecto en cuir LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur brun usé"}', 0), + (12028, 1, 4, 'Perfecto en cuir LOST couleur noir', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur noir"}', 0), + (12029, 1, 4, 'Perfecto en cuir LOST NB noir usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB noir usé"}', 0), + (12030, 1, 4, 'Perfecto en cuir LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB rouge usé"}', 0), + (12031, 1, 4, 'Perfecto en cuir LOST NB brun usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB brun usé"}', 0), + (12032, 1, 4, 'Perfecto en cuir LOST NB noir', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB noir"}', 0), + (12033, 2, 4, 'Perfecto en cuir LOST couleur noir usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur noir usé"}', 0), + (12034, 2, 4, 'Perfecto en cuir LOST couleur rouge usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur rouge usé"}', 0), + (12035, 2, 4, 'Perfecto en cuir LOST couleur brun usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur brun usé"}', 0), + (12036, 2, 4, 'Perfecto en cuir LOST couleur noir', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST couleur noir"}', 0), + (12037, 2, 4, 'Perfecto en cuir LOST NB noir usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB noir usé"}', 0), + (12038, 2, 4, 'Perfecto en cuir LOST NB rouge usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB rouge usé"}', 0), + (12039, 2, 4, 'Perfecto en cuir LOST NB brun usé', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB brun usé"}', 0), + (12040, 2, 4, 'Perfecto en cuir LOST NB noir', 50, '{"components":{"11":{"Drawable":387,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto en cuir","colorLabel":"LOST NB noir"}', 0), + (12041, 1, 11, 'Doudoune légère sans manche camo turquoise', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo turquoise"}', 0), + (12042, 1, 11, 'Doudoune légère sans manche camo jaune-bleu', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo jaune-bleu"}', 0), + (12043, 1, 11, 'Doudoune légère sans manche carreaux rouge', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux rouge"}', 0), + (12044, 1, 11, 'Doudoune légère sans manche carreaux turquoise', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux turquoise"}', 0), + (12045, 1, 11, 'Doudoune légère sans manche géométrique beige', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique beige"}', 0), + (12046, 1, 11, 'Doudoune légère sans manche géométrique noir', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique noir"}', 0), + (12047, 1, 11, 'Doudoune légère sans manche noir-blanc', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"noir-blanc"}', 0), + (12048, 1, 11, 'Doudoune légère sans manche blanc-fuchsia', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"blanc-fuchsia"}', 0), + (12049, 1, 11, 'Doudoune légère sans manche Bigness vanille', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness vanille"}', 0), + (12050, 1, 11, 'Doudoune légère sans manche Bigness violet', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness violet"}', 0), + (12051, 1, 11, 'Doudoune légère sans manche motifs indien vert', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien vert"}', 0), + (12052, 1, 11, 'Doudoune légère sans manche motifs indien noir', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien noir"}', 0), + (12053, 1, 11, 'Doudoune légère sans manche motifs indien corail', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien corail"}', 0), + (12054, 1, 11, 'Doudoune légère sans manche motifs indien rouge', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien rouge"}', 0), + (12055, 1, 11, 'Doudoune légère sans manche motifs indien brun', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien brun"}', 0), + (12056, 1, 11, 'Doudoune légère sans manche motifs indien jaune', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien jaune"}', 0), + (12057, 2, 11, 'Doudoune légère sans manche camo turquoise', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo turquoise"}', 0), + (12058, 2, 11, 'Doudoune légère sans manche camo jaune-bleu', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"camo jaune-bleu"}', 0), + (12059, 2, 11, 'Doudoune légère sans manche carreaux rouge', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux rouge"}', 0), + (12060, 2, 11, 'Doudoune légère sans manche carreaux turquoise', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"carreaux turquoise"}', 0), + (12061, 2, 11, 'Doudoune légère sans manche géométrique beige', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique beige"}', 0), + (12062, 2, 11, 'Doudoune légère sans manche géométrique noir', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"géométrique noir"}', 0), + (12063, 2, 11, 'Doudoune légère sans manche noir-blanc', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"noir-blanc"}', 0), + (12064, 2, 11, 'Doudoune légère sans manche blanc-fuchsia', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"blanc-fuchsia"}', 0), + (12065, 2, 11, 'Doudoune légère sans manche Bigness vanille', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness vanille"}', 0), + (12066, 2, 11, 'Doudoune légère sans manche Bigness violet', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"Bigness violet"}', 0), + (12067, 2, 11, 'Doudoune légère sans manche motifs indien vert', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien vert"}', 0), + (12068, 2, 11, 'Doudoune légère sans manche motifs indien noir', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien noir"}', 0), + (12069, 2, 11, 'Doudoune légère sans manche motifs indien corail', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien corail"}', 0), + (12070, 2, 11, 'Doudoune légère sans manche motifs indien rouge', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien rouge"}', 0), + (12071, 2, 11, 'Doudoune légère sans manche motifs indien brun', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien brun"}', 0), + (12072, 2, 11, 'Doudoune légère sans manche motifs indien jaune', 50, '{"components":{"11":{"Drawable":388,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère sans manche","colorLabel":"motifs indien jaune"}', 0), + (12073, 1, 4, 'Doudoune légère manches longues camo turquoise', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo turquoise"}', 0), + (12074, 1, 4, 'Doudoune légère manches longues camo jaune-bleu', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo jaune-bleu"}', 0), + (12075, 1, 4, 'Doudoune légère manches longues carreaux rouge', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux rouge"}', 0), + (12076, 1, 4, 'Doudoune légère manches longues carreaux turquoise', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux turquoise"}', 0), + (12077, 1, 4, 'Doudoune légère manches longues géométrique beige', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique beige"}', 0), + (12078, 1, 4, 'Doudoune légère manches longues géométrique noir', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique noir"}', 0), + (12079, 1, 4, 'Doudoune légère manches longues noir-blanc', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"noir-blanc"}', 0), + (12080, 1, 4, 'Doudoune légère manches longues blanc-fuchsia', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"blanc-fuchsia"}', 0), + (12081, 1, 4, 'Doudoune légère manches longues Bigness vanille', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness vanille"}', 0), + (12082, 1, 4, 'Doudoune légère manches longues Bigness violet', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness violet"}', 0), + (12083, 1, 4, 'Doudoune légère manches longues motifs indien vert', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien vert"}', 0), + (12084, 1, 4, 'Doudoune légère manches longues motifs indien noir', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien noir"}', 0), + (12085, 1, 4, 'Doudoune légère manches longues motifs indien corail', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien corail"}', 0), + (12086, 1, 4, 'Doudoune légère manches longues motifs indien rouge', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien rouge"}', 0), + (12087, 1, 4, 'Doudoune légère manches longues motifs indien brun', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien brun"}', 0), + (12088, 1, 4, 'Doudoune légère manches longues motifs indien jaune', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien jaune"}', 0), + (12089, 2, 4, 'Doudoune légère manches longues camo turquoise', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo turquoise"}', 0), + (12090, 2, 4, 'Doudoune légère manches longues camo jaune-bleu', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"camo jaune-bleu"}', 0), + (12091, 2, 4, 'Doudoune légère manches longues carreaux rouge', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux rouge"}', 0), + (12092, 2, 4, 'Doudoune légère manches longues carreaux turquoise', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"carreaux turquoise"}', 0), + (12093, 2, 4, 'Doudoune légère manches longues géométrique beige', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique beige"}', 0), + (12094, 2, 4, 'Doudoune légère manches longues géométrique noir', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"géométrique noir"}', 0), + (12095, 2, 4, 'Doudoune légère manches longues noir-blanc', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"noir-blanc"}', 0), + (12096, 2, 4, 'Doudoune légère manches longues blanc-fuchsia', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"blanc-fuchsia"}', 0), + (12097, 2, 4, 'Doudoune légère manches longues Bigness vanille', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness vanille"}', 0), + (12098, 2, 4, 'Doudoune légère manches longues Bigness violet', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"Bigness violet"}', 0), + (12099, 2, 4, 'Doudoune légère manches longues motifs indien vert', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien vert"}', 0), + (12100, 2, 4, 'Doudoune légère manches longues motifs indien noir', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien noir"}', 0), + (12101, 2, 4, 'Doudoune légère manches longues motifs indien corail', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien corail"}', 0), + (12102, 2, 4, 'Doudoune légère manches longues motifs indien rouge', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien rouge"}', 0), + (12103, 2, 4, 'Doudoune légère manches longues motifs indien brun', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien brun"}', 0), + (12104, 2, 4, 'Doudoune légère manches longues motifs indien jaune', 50, '{"components":{"11":{"Drawable":389,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Doudoune légère manches longues","colorLabel":"motifs indien jaune"}', 0), + (12105, 1, 12, 'Blouson sportif noir damier', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir damier"}', 0), + (12106, 1, 12, 'Blouson sportif blanc-bleu damier', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu damier"}', 0), + (12107, 1, 12, 'Blouson sportif noir-vert damier', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-vert damier"}', 0), + (12108, 1, 12, 'Blouson sportif jaune', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"jaune"}', 0), + (12109, 1, 12, 'Blouson sportif rouge-noir', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-noir"}', 0), + (12110, 1, 12, 'Blouson sportif rouge-blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-blanc"}', 0), + (12111, 1, 12, 'Blouson sportif rouge', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge"}', 0), + (12112, 1, 12, 'Blouson sportif bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu"}', 0), + (12113, 1, 12, 'Blouson sportif blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc"}', 0), + (12114, 1, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (12115, 1, 12, 'Blouson sportif blanc-bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu"}', 0), + (12116, 1, 12, 'Blouson sportif orange', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"orange"}', 10); +INSERT INTO `shop_content` (`id`, `shop_id`, `category_id`, `label`, `price`, `data`, `stock`) VALUES + (12117, 1, 12, 'Blouson sportif rouge-bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-bleu"}', 0), + (12118, 1, 12, 'Blouson sportif noir-bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu"}', 0), + (12119, 1, 12, 'Blouson sportif noir-bleu-blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu-blanc"}', 0), + (12120, 1, 12, 'Blouson sportif marine-blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"marine-blanc"}', 0), + (12121, 2, 12, 'Blouson sportif noir damier', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir damier"}', 0), + (12122, 2, 12, 'Blouson sportif blanc-bleu damier', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu damier"}', 0), + (12123, 2, 12, 'Blouson sportif noir-vert damier', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-vert damier"}', 0), + (12124, 2, 12, 'Blouson sportif jaune', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"jaune"}', 0), + (12125, 2, 12, 'Blouson sportif rouge-noir', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-noir"}', 0), + (12126, 2, 12, 'Blouson sportif rouge-blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-blanc"}', 0), + (12127, 2, 12, 'Blouson sportif rouge', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge"}', 0), + (12128, 2, 12, 'Blouson sportif bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"bleu"}', 0), + (12129, 2, 12, 'Blouson sportif blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc"}', 0), + (12130, 2, 12, 'Blouson sportif noir', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir"}', 0), + (12131, 2, 12, 'Blouson sportif blanc-bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"blanc-bleu"}', 0), + (12132, 2, 12, 'Blouson sportif orange', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"orange"}', 0), + (12133, 2, 12, 'Blouson sportif rouge-bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"rouge-bleu"}', 0), + (12134, 2, 12, 'Blouson sportif noir-bleu', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu"}', 0), + (12135, 2, 12, 'Blouson sportif noir-bleu-blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"noir-bleu-blanc"}', 0), + (12136, 2, 12, 'Blouson sportif marine-blanc', 50, '{"components":{"11":{"Drawable":390,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Blouson sportif","colorLabel":"marine-blanc"}', 0), + (12137, 1, 10, 'Combinaison couvrante rouge-blanc', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"rouge-blanc"}', 0), + (12138, 1, 10, 'Combinaison couvrante vert', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (12139, 2, 10, 'Combinaison couvrante rouge-blanc', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"rouge-blanc"}', 0), + (12140, 2, 10, 'Combinaison couvrante vert', 50, '{"components":{"11":{"Drawable":391,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (12141, 1, 5, 'Hoodie oversize bleu dents', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu dents"}', 0), + (12142, 1, 5, 'Hoodie oversize ciel-noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"ciel-noir"}', 0), + (12143, 1, 5, 'Hoodie oversize taupe-gris', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris"}', 0), + (12144, 1, 5, 'Hoodie oversize blanc-noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc-noir"}', 0), + (12145, 1, 5, 'Hoodie oversize taupe-corail', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-corail"}', 0), + (12146, 1, 5, 'Hoodie oversize kaki', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki"}', 0), + (12147, 1, 5, 'Hoodie oversize beige', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige"}', 0), + (12148, 1, 5, 'Hoodie oversize kaki-jaune', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki-jaune"}', 0), + (12149, 1, 5, 'Hoodie oversize noir-rouge', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge"}', 0), + (12150, 1, 5, 'Hoodie oversize beige-rouge', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige-rouge"}', 0), + (12151, 1, 5, 'Hoodie oversize marine-rouge', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"marine-rouge"}', 0), + (12152, 1, 5, 'Hoodie oversize noir-vanille', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-vanille"}', 0), + (12153, 1, 5, 'Hoodie oversize italy', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"italy"}', 0), + (12154, 1, 5, 'Hoodie oversize noir-rouge Obey', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge Obey"}', 0), + (12155, 1, 5, 'Hoodie oversize taupe-gris Obey', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris Obey"}', 0), + (12156, 1, 5, 'Hoodie oversize anthracite', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"anthracite"}', 0), + (12157, 1, 5, 'Hoodie oversize vanille', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vanille"}', 0), + (12158, 1, 5, 'Hoodie oversize Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht noir-blanc"}', 0), + (12159, 1, 5, 'Hoodie oversize Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht rouge-noir"}', 0), + (12160, 1, 5, 'Hoodie oversize noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir"}', 0), + (12161, 1, 5, 'Hoodie oversize pétrole', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pétrole"}', 0), + (12162, 2, 5, 'Hoodie oversize bleu dents', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"bleu dents"}', 0), + (12163, 2, 5, 'Hoodie oversize ciel-noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"ciel-noir"}', 0), + (12164, 2, 5, 'Hoodie oversize taupe-gris', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris"}', 0), + (12165, 2, 5, 'Hoodie oversize blanc-noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"blanc-noir"}', 0), + (12166, 2, 5, 'Hoodie oversize taupe-corail', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-corail"}', 0), + (12167, 2, 5, 'Hoodie oversize kaki', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki"}', 0), + (12168, 2, 5, 'Hoodie oversize beige', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige"}', 0), + (12169, 2, 5, 'Hoodie oversize kaki-jaune', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"kaki-jaune"}', 0), + (12170, 2, 5, 'Hoodie oversize noir-rouge', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge"}', 0), + (12171, 2, 5, 'Hoodie oversize beige-rouge', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"beige-rouge"}', 0), + (12172, 2, 5, 'Hoodie oversize marine-rouge', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"marine-rouge"}', 0), + (12173, 2, 5, 'Hoodie oversize noir-vanille', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-vanille"}', 0), + (12174, 2, 5, 'Hoodie oversize italy', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"italy"}', 0), + (12175, 2, 5, 'Hoodie oversize noir-rouge Obey', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir-rouge Obey"}', 0), + (12176, 2, 5, 'Hoodie oversize taupe-gris Obey', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"taupe-gris Obey"}', 0), + (12177, 2, 5, 'Hoodie oversize anthracite', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"anthracite"}', 0), + (12178, 2, 5, 'Hoodie oversize vanille', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"vanille"}', 0), + (12179, 2, 5, 'Hoodie oversize Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht noir-blanc"}', 0), + (12180, 2, 5, 'Hoodie oversize Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"Ubermacht rouge-noir"}', 0), + (12181, 2, 5, 'Hoodie oversize noir', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"noir"}', 0), + (12182, 2, 5, 'Hoodie oversize pétrole', 50, '{"components":{"11":{"Drawable":392,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize","colorLabel":"pétrole"}', 0), + (12183, 1, 5, 'Hoodie oversize capuche tête bleu dents', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu dents"}', 0), + (12184, 1, 5, 'Hoodie oversize capuche tête ciel-noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"ciel-noir"}', 0), + (12185, 1, 5, 'Hoodie oversize capuche tête taupe-gris', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris"}', 0), + (12186, 1, 5, 'Hoodie oversize capuche tête blanc-noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc-noir"}', 0), + (12187, 1, 5, 'Hoodie oversize capuche tête taupe-corail', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-corail"}', 0), + (12188, 1, 5, 'Hoodie oversize capuche tête kaki', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki"}', 0), + (12189, 1, 5, 'Hoodie oversize capuche tête beige', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige"}', 0), + (12190, 1, 5, 'Hoodie oversize capuche tête kaki-jaune', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki-jaune"}', 0), + (12191, 1, 5, 'Hoodie oversize capuche tête noir-rouge', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge"}', 0), + (12192, 1, 5, 'Hoodie oversize capuche tête beige-rouge', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige-rouge"}', 0), + (12193, 1, 5, 'Hoodie oversize capuche tête marine-rouge', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"marine-rouge"}', 0), + (12194, 1, 5, 'Hoodie oversize capuche tête noir-vanille', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-vanille"}', 0), + (12195, 1, 5, 'Hoodie oversize capuche tête italy', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"italy"}', 0), + (12196, 1, 5, 'Hoodie oversize capuche tête noir-rouge Obey', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge Obey"}', 0), + (12197, 1, 5, 'Hoodie oversize capuche tête taupe-gris Obey', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris Obey"}', 0), + (12198, 1, 5, 'Hoodie oversize capuche tête anthracite', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"anthracite"}', 0), + (12199, 1, 5, 'Hoodie oversize capuche tête vanille', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vanille"}', 0), + (12200, 1, 5, 'Hoodie oversize capuche tête Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht noir-blanc"}', 0), + (12201, 1, 5, 'Hoodie oversize capuche tête Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht rouge-noir"}', 0), + (12202, 1, 5, 'Hoodie oversize capuche tête noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir"}', 0), + (12203, 1, 5, 'Hoodie oversize capuche tête pétrole', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pétrole"}', 0), + (12204, 2, 5, 'Hoodie oversize capuche tête bleu dents', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"bleu dents"}', 0), + (12205, 2, 5, 'Hoodie oversize capuche tête ciel-noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"ciel-noir"}', 0), + (12206, 2, 5, 'Hoodie oversize capuche tête taupe-gris', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris"}', 0), + (12207, 2, 5, 'Hoodie oversize capuche tête blanc-noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"blanc-noir"}', 0), + (12208, 2, 5, 'Hoodie oversize capuche tête taupe-corail', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-corail"}', 0), + (12209, 2, 5, 'Hoodie oversize capuche tête kaki', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki"}', 0), + (12210, 2, 5, 'Hoodie oversize capuche tête beige', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige"}', 0), + (12211, 2, 5, 'Hoodie oversize capuche tête kaki-jaune', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"kaki-jaune"}', 0), + (12212, 2, 5, 'Hoodie oversize capuche tête noir-rouge', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge"}', 0), + (12213, 2, 5, 'Hoodie oversize capuche tête beige-rouge', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"beige-rouge"}', 0), + (12214, 2, 5, 'Hoodie oversize capuche tête marine-rouge', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"marine-rouge"}', 0), + (12215, 2, 5, 'Hoodie oversize capuche tête noir-vanille', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-vanille"}', 0), + (12216, 2, 5, 'Hoodie oversize capuche tête italy', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"italy"}', 0), + (12217, 2, 5, 'Hoodie oversize capuche tête noir-rouge Obey', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir-rouge Obey"}', 0), + (12218, 2, 5, 'Hoodie oversize capuche tête taupe-gris Obey', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"taupe-gris Obey"}', 0), + (12219, 2, 5, 'Hoodie oversize capuche tête anthracite', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"anthracite"}', 0), + (12220, 2, 5, 'Hoodie oversize capuche tête vanille', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"vanille"}', 0), + (12221, 2, 5, 'Hoodie oversize capuche tête Ubermacht noir-blanc', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht noir-blanc"}', 0), + (12222, 2, 5, 'Hoodie oversize capuche tête Ubermacht rouge-noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"Ubermacht rouge-noir"}', 0), + (12223, 2, 5, 'Hoodie oversize capuche tête noir', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"noir"}', 0), + (12224, 2, 5, 'Hoodie oversize capuche tête pétrole', 50, '{"components":{"11":{"Drawable":393,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie oversize capuche tête","colorLabel":"pétrole"}', 0), + (12225, 1, 12, 'Veste highschool football boutons vert ', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"vert "}', 0), + (12226, 1, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (12227, 1, 12, 'Veste highschool football boutons noir', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"noir"}', 0), + (12228, 2, 12, 'Veste highschool football boutons vert ', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"vert "}', 0), + (12229, 2, 12, 'Veste highschool football boutons rouge', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"rouge"}', 0), + (12230, 2, 12, 'Veste highschool football boutons noir', 50, '{"components":{"11":{"Drawable":394,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"noir"}', 0), + (12231, 1, 2, 'T-shirt sorti jaune clair', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune clair"}', 0), + (12232, 1, 2, 'T-shirt sorti bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu"}', 0), + (12233, 1, 2, 'T-shirt sorti noir-gris', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-gris"}', 0), + (12234, 1, 2, 'T-shirt sorti bleu-pétrole', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu-pétrole"}', 0), + (12235, 1, 2, 'T-shirt sorti blanc-taupe', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc-taupe"}', 0), + (12236, 1, 2, 'T-shirt sorti noir-orange', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-orange"}', 0), + (12237, 1, 2, 'T-shirt sorti Vapid noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Vapid noir"}', 0), + (12238, 1, 2, 'T-shirt sorti voiture noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture noir"}', 0), + (12239, 1, 2, 'T-shirt sorti voiture jaune', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture jaune"}', 0), + (12240, 1, 2, 'T-shirt sorti truck beige', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"truck beige"}', 0), + (12241, 1, 2, 'T-shirt sorti truck bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"truck bleu"}', 0), + (12242, 1, 2, 'T-shirt sorti 90\'s noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"90\'s noir"}', 0), + (12243, 1, 2, 'T-shirt sorti Obey blanc', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Obey blanc"}', 0), + (12244, 1, 2, 'T-shirt sorti Obey rouge', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Obey rouge"}', 0), + (12245, 1, 2, 'T-shirt sorti noir-blanc', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-blanc"}', 0), + (12246, 1, 2, 'T-shirt sorti Ruiner noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Ruiner noir"}', 0), + (12247, 1, 2, 'T-shirt sorti Ruiner noir-orange', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Ruiner noir-orange"}', 0), + (12248, 1, 2, 'T-shirt sorti voiture bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture bleu"}', 0), + (12249, 1, 2, 'T-shirt sorti voiture anthracite', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture anthracite"}', 0), + (12250, 1, 2, 'T-shirt sorti European motors bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"European motors bleu"}', 0), + (12251, 1, 2, 'T-shirt sorti European motors blanc', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"European motors blanc"}', 0), + (12252, 2, 2, 'T-shirt sorti jaune clair', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"jaune clair"}', 0), + (12253, 2, 2, 'T-shirt sorti bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu"}', 0), + (12254, 2, 2, 'T-shirt sorti noir-gris', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-gris"}', 0), + (12255, 2, 2, 'T-shirt sorti bleu-pétrole', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"bleu-pétrole"}', 0), + (12256, 2, 2, 'T-shirt sorti blanc-taupe', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"blanc-taupe"}', 0), + (12257, 2, 2, 'T-shirt sorti noir-orange', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-orange"}', 0), + (12258, 2, 2, 'T-shirt sorti Vapid noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Vapid noir"}', 0), + (12259, 2, 2, 'T-shirt sorti voiture noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture noir"}', 0), + (12260, 2, 2, 'T-shirt sorti voiture jaune', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture jaune"}', 0), + (12261, 2, 2, 'T-shirt sorti truck beige', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"truck beige"}', 0), + (12262, 2, 2, 'T-shirt sorti truck bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"truck bleu"}', 0), + (12263, 2, 2, 'T-shirt sorti 90\'s noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"90\'s noir"}', 0), + (12264, 2, 2, 'T-shirt sorti Obey blanc', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Obey blanc"}', 0), + (12265, 2, 2, 'T-shirt sorti Obey rouge', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Obey rouge"}', 0), + (12266, 2, 2, 'T-shirt sorti noir-blanc', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"noir-blanc"}', 0), + (12267, 2, 2, 'T-shirt sorti Ruiner noir', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Ruiner noir"}', 0), + (12268, 2, 2, 'T-shirt sorti Ruiner noir-orange', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"Ruiner noir-orange"}', 0), + (12269, 2, 2, 'T-shirt sorti voiture bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture bleu"}', 0), + (12270, 2, 2, 'T-shirt sorti voiture anthracite', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"voiture anthracite"}', 0), + (12271, 2, 2, 'T-shirt sorti European motors bleu', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"European motors bleu"}', 0), + (12272, 2, 2, 'T-shirt sorti European motors blanc', 50, '{"components":{"11":{"Drawable":395,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"European motors blanc"}', 0), + (12273, 1, 12, 'Veste de course rouge', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"rouge"}', 0), + (12274, 1, 12, 'Veste de course vanille', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vanille"}', 0), + (12275, 1, 12, 'Veste de course noir', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"noir"}', 0), + (12276, 1, 12, 'Veste de course vert', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vert"}', 0), + (12277, 1, 12, 'Veste de course citron', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"citron"}', 0), + (12278, 1, 12, 'Veste de course aqua', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"aqua"}', 0), + (12279, 1, 12, 'Veste de course Redwood bleu', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Redwood bleu"}', 0), + (12280, 1, 12, 'Veste de course Rdewood rouge', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Rdewood rouge"}', 0), + (12281, 1, 12, 'Veste de course perle', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"perle"}', 0), + (12282, 1, 12, 'Veste de course blanc-bleu', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"blanc-bleu"}', 0), + (12283, 2, 12, 'Veste de course rouge', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"rouge"}', 0), + (12284, 2, 12, 'Veste de course vanille', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vanille"}', 0), + (12285, 2, 12, 'Veste de course noir', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"noir"}', 0), + (12286, 2, 12, 'Veste de course vert', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"vert"}', 0), + (12287, 2, 12, 'Veste de course citron', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"citron"}', 0), + (12288, 2, 12, 'Veste de course aqua', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"aqua"}', 0), + (12289, 2, 12, 'Veste de course Redwood bleu', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Redwood bleu"}', 0), + (12290, 2, 12, 'Veste de course Rdewood rouge', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"Rdewood rouge"}', 0), + (12291, 2, 12, 'Veste de course perle', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"perle"}', 0), + (12292, 2, 12, 'Veste de course blanc-bleu', 50, '{"components":{"11":{"Drawable":396,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste de course","colorLabel":"blanc-bleu"}', 0), + (12293, 3, 12, 'Veste en simili cuir à zip fermée noir', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"noir"}', 0), + (12294, 3, 12, 'Veste en simili cuir à zip fermée bordeaux', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"bordeaux"}', 0), + (12295, 3, 12, 'Veste en simili cuir à zip fermée orange', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"orange"}', 0), + (12296, 3, 12, 'Veste en simili cuir à zip fermée vert', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"vert"}', 0), + (12297, 3, 12, 'Veste en simili cuir à zip fermée chocolat', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"chocolat"}', 0), + (12298, 3, 12, 'Veste en simili cuir à zip fermée abricot', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"abricot"}', 0), + (12299, 3, 12, 'Veste en simili cuir à zip fermée bleu', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"bleu"}', 0), + (12300, 3, 12, 'Veste en simili cuir à zip fermée rouge', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"rouge"}', 0), + (12301, 3, 12, 'Veste en simili cuir à zip fermée jaune', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"jaune"}', 0), + (12302, 3, 12, 'Veste en simili cuir à zip fermée camel', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"camel"}', 0), + (12303, 3, 12, 'Veste en simili cuir à zip fermée blanc', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"blanc"}', 0), + (12304, 3, 12, 'Veste en simili cuir à zip fermée gris', 50, '{"components":{"11":{"Drawable":397,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en simili cuir à zip fermée","colorLabel":"gris"}', 0), + (12305, 1, 12, 'Veste moto large col mao Diamond noir', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond noir"}', 0), + (12306, 1, 12, 'Veste moto large col mao Diamond blanc', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond blanc"}', 0), + (12307, 1, 12, 'Veste moto large col mao Crowex vert', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex vert"}', 0), + (12308, 1, 12, 'Veste moto large col mao Crowex noir', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex noir"}', 0), + (12309, 1, 12, 'Veste moto large col mao turquoise-blanc', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise-blanc"}', 0), + (12310, 1, 12, 'Veste moto large col mao rouge-blanc', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge-blanc"}', 0), + (12311, 1, 12, 'Veste moto large col mao kingkong', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"kingkong"}', 0), + (12312, 1, 12, 'Veste moto large col mao bleu fire', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"bleu fire"}', 0), + (12313, 2, 12, 'Veste moto large col mao Diamond noir', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond noir"}', 0), + (12314, 2, 12, 'Veste moto large col mao Diamond blanc', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Diamond blanc"}', 0), + (12315, 2, 12, 'Veste moto large col mao Crowex vert', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex vert"}', 0), + (12316, 2, 12, 'Veste moto large col mao Crowex noir', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"Crowex noir"}', 0), + (12317, 2, 12, 'Veste moto large col mao turquoise-blanc', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"turquoise-blanc"}', 0), + (12318, 2, 12, 'Veste moto large col mao rouge-blanc', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"rouge-blanc"}', 0), + (12319, 2, 12, 'Veste moto large col mao kingkong', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"kingkong"}', 0), + (12320, 2, 12, 'Veste moto large col mao bleu fire', 50, '{"components":{"11":{"Drawable":398,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste moto large col mao","colorLabel":"bleu fire"}', 0), + (12321, 3, 12, 'Veste en simili cuir à zip ouverte noir', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"noir"}', 0), + (12322, 3, 12, 'Veste en simili cuir à zip ouverte bordeaux', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"bordeaux"}', 0), + (12323, 3, 12, 'Veste en simili cuir à zip ouverte orange', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"orange"}', 0), + (12324, 3, 12, 'Veste en simili cuir à zip ouverte vert', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"vert"}', 0), + (12325, 3, 12, 'Veste en simili cuir à zip ouverte chocolat', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"chocolat"}', 0), + (12326, 3, 12, 'Veste en simili cuir à zip ouverte abricot', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"abricot"}', 0), + (12327, 3, 12, 'Veste en simili cuir à zip ouverte bleu', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"bleu"}', 0), + (12328, 3, 12, 'Veste en simili cuir à zip ouverte rouge', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"rouge"}', 0), + (12329, 3, 12, 'Veste en simili cuir à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"jaune"}', 0), + (12330, 3, 12, 'Veste en simili cuir à zip ouverte camel', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"camel"}', 0), + (12331, 3, 12, 'Veste en simili cuir à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"blanc"}', 0), + (12332, 3, 12, 'Veste en simili cuir à zip ouverte gris', 50, '{"components":{"11":{"Drawable":399,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en simili cuir à zip ouverte","colorLabel":"gris"}', 0), + (12333, 3, 3, 'Polo sportif sorti ciel', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"ciel"}', 0), + (12334, 3, 3, 'Polo sportif sorti pêche', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"pêche"}', 0), + (12335, 3, 3, 'Polo sportif sorti jaune', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"jaune"}', 0), + (12336, 3, 3, 'Polo sportif sorti beige', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"beige"}', 0), + (12337, 3, 3, 'Polo sportif sorti marine', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"marine"}', 0), + (12338, 3, 3, 'Polo sportif sorti rose', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"rose"}', 0), + (12339, 3, 3, 'Polo sportif sorti taupe', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"taupe"}', 0), + (12340, 3, 3, 'Polo sportif sorti vert', 50, '{"components":{"11":{"Drawable":400,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif sorti","colorLabel":"vert"}', 0), + (12341, 3, 3, 'Polo sportif rentré ciel', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"ciel"}', 0), + (12342, 3, 3, 'Polo sportif rentré pêche', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"pêche"}', 0), + (12343, 3, 3, 'Polo sportif rentré jaune', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"jaune"}', 0), + (12344, 3, 3, 'Polo sportif rentré beige', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"beige"}', 0), + (12345, 3, 3, 'Polo sportif rentré marine', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"marine"}', 0), + (12346, 3, 3, 'Polo sportif rentré rose', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"rose"}', 0), + (12347, 3, 3, 'Polo sportif rentré taupe', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"taupe"}', 0), + (12348, 3, 3, 'Polo sportif rentré vert', 50, '{"components":{"11":{"Drawable":401,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo sportif rentré","colorLabel":"vert"}', 0), + (12349, 3, 12, 'Veste en tissus à zip fermée orange', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"orange"}', 0), + (12350, 3, 12, 'Veste en tissus à zip fermée citron', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"citron"}', 0), + (12351, 3, 12, 'Veste en tissus à zip fermée fraise', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"fraise"}', 0), + (12352, 3, 12, 'Veste en tissus à zip fermée myrtille', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"myrtille"}', 0), + (12353, 3, 12, 'Veste en tissus à zip fermée jaune', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"jaune"}', 0), + (12354, 3, 12, 'Veste en tissus à zip fermée gris', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"gris"}', 0), + (12355, 3, 12, 'Veste en tissus à zip fermée vert', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"vert"}', 0), + (12356, 3, 12, 'Veste en tissus à zip fermée feu', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"feu"}', 0), + (12357, 3, 12, 'Veste en tissus à zip fermée marron', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"marron"}', 0), + (12358, 3, 12, 'Veste en tissus à zip fermée noir', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"noir"}', 0), + (12359, 3, 12, 'Veste en tissus à zip fermée ciel', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"ciel"}', 0), + (12360, 3, 12, 'Veste en tissus à zip fermée abricot', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"abricot"}', 0), + (12361, 3, 12, 'Veste en tissus à zip fermée perle', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"perle"}', 0), + (12362, 3, 12, 'Veste en tissus à zip fermée blanc', 50, '{"components":{"11":{"Drawable":402,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en tissus à zip fermée","colorLabel":"blanc"}', 0), + (12363, 3, 12, 'Veste en tissus à zip ouverte orange', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"orange"}', 0), + (12364, 3, 12, 'Veste en tissus à zip ouverte citron', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"citron"}', 0), + (12365, 3, 12, 'Veste en tissus à zip ouverte fraise', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"fraise"}', 0), + (12366, 3, 12, 'Veste en tissus à zip ouverte myrtille', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"myrtille"}', 0), + (12367, 3, 12, 'Veste en tissus à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"jaune"}', 0), + (12368, 3, 12, 'Veste en tissus à zip ouverte gris', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"gris"}', 0), + (12369, 3, 12, 'Veste en tissus à zip ouverte vert', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"vert"}', 0), + (12370, 3, 12, 'Veste en tissus à zip ouverte feu', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"feu"}', 0), + (12371, 3, 12, 'Veste en tissus à zip ouverte marron', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"marron"}', 0), + (12372, 3, 12, 'Veste en tissus à zip ouverte noir', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"noir"}', 0), + (12373, 3, 12, 'Veste en tissus à zip ouverte ciel', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"ciel"}', 0), + (12374, 3, 12, 'Veste en tissus à zip ouverte abricot', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"abricot"}', 0), + (12375, 3, 12, 'Veste en tissus à zip ouverte perle', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"perle"}', 0), + (12376, 3, 12, 'Veste en tissus à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":403,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus à zip ouverte","colorLabel":"blanc"}', 0), + (12377, 3, 11, 'Chemisier sans manche pêche', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"pêche"}', 0), + (12378, 3, 11, 'Chemisier sans manche blanc', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"blanc"}', 0), + (12379, 3, 11, 'Chemisier sans manche gris', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"gris"}', 0), + (12380, 3, 11, 'Chemisier sans manche noir', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"noir"}', 0), + (12381, 3, 11, 'Chemisier sans manche ciel', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"ciel"}', 0), + (12382, 3, 11, 'Chemisier sans manche bleu', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"bleu"}', 0), + (12383, 3, 11, 'Chemisier sans manche rouge', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"rouge"}', 0), + (12384, 3, 11, 'Chemisier sans manche jaune', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"jaune"}', 0), + (12385, 3, 11, 'Chemisier sans manche carreaux rose', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"carreaux rose"}', 0), + (12386, 3, 11, 'Chemisier sans manche carreaux jaune', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"carreaux jaune"}', 0), + (12387, 3, 11, 'Chemisier sans manche carreaux rouge', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"carreaux rouge"}', 0), + (12388, 3, 11, 'Chemisier sans manche Blagueurs turquoise', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"Blagueurs turquoise"}', 0), + (12389, 3, 11, 'Chemisier sans manche Blagueurs blanc', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"Blagueurs blanc"}', 0), + (12390, 3, 11, 'Chemisier sans manche Blagueur fuchsia', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"Blagueur fuchsia"}', 0), + (12391, 3, 11, 'Chemisier sans manche Blagueur citron', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"Blagueur citron"}', 0), + (12392, 3, 11, 'Chemisier sans manche rectangle floral jaune', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"rectangle floral jaune"}', 0), + (12393, 3, 11, 'Chemisier sans manche rectangle floral blanc', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"rectangle floral blanc"}', 0), + (12394, 3, 11, 'Chemisier sans manche rectangle floral pêche', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"rectangle floral pêche"}', 0), + (12395, 3, 11, 'Chemisier sans manche rose-bleu', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"rose-bleu"}', 0), + (12396, 3, 11, 'Chemisier sans manche rose-orange', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"rose-orange"}', 0), + (12397, 3, 11, 'Chemisier sans manche blanc-beige', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"blanc-beige"}', 0), + (12398, 3, 11, 'Chemisier sans manche bleu-rose', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"bleu-rose"}', 0), + (12399, 3, 11, 'Chemisier sans manche vert-turquoise', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"vert-turquoise"}', 0), + (12400, 3, 11, 'Chemisier sans manche turquoise-violet', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"turquoise-violet"}', 0), + (12401, 3, 11, 'Chemisier sans manche zèbre blanc-vanille', 50, '{"components":{"11":{"Drawable":404,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"zèbre blanc-vanille"}', 0), + (12402, 3, 11, 'Chemisier sans manche zèbre blanc-rose', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"zèbre blanc-rose"}', 0), + (12403, 3, 11, 'Chemisier sans manche zèbre vanille-rose', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"zèbre vanille-rose"}', 0), + (12404, 3, 11, 'Chemisier sans manche motifs pêches', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"motifs pêches"}', 0), + (12405, 3, 11, 'Chemisier sans manche motifs violet', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"motifs violet"}', 0), + (12406, 3, 11, 'Chemisier sans manche motifs turquoise', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"motifs turquoise"}', 0), + (12407, 3, 11, 'Chemisier sans manche motifs vanille-noir', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"motifs vanille-noir"}', 0), + (12408, 3, 11, 'Chemisier sans manche VDG vanille', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"VDG vanille"}', 0), + (12409, 3, 11, 'Chemisier sans manche VDG bleu', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"VDG bleu"}', 0), + (12410, 3, 11, 'Chemisier sans manche VDG rose', 50, '{"components":{"11":{"Drawable":405,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemisier sans manche","colorLabel":"VDG rose"}', 0), + (12411, 3, 9, 'Pull col en V noir', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"noir"}', 0), + (12412, 3, 9, 'Pull col en V gris', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"gris"}', 0), + (12413, 3, 9, 'Pull col en V crème', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"crème"}', 0), + (12414, 3, 9, 'Pull col en V blanc', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"blanc"}', 0), + (12415, 3, 9, 'Pull col en V beige', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"beige"}', 0), + (12416, 3, 9, 'Pull col en V brun', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"brun"}', 0), + (12417, 3, 9, 'Pull col en V framboise', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"framboise"}', 0), + (12418, 3, 9, 'Pull col en V fuchsia', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"fuchsia"}', 0), + (12419, 3, 9, 'Pull col en V rouge', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"rouge"}', 0), + (12420, 3, 9, 'Pull col en V orange', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"orange"}', 0), + (12421, 3, 9, 'Pull col en V citron', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"citron"}', 0), + (12422, 3, 9, 'Pull col en V vanille', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"vanille"}', 0), + (12423, 3, 9, 'Pull col en V marine', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"marine"}', 0), + (12424, 3, 9, 'Pull col en V indigo', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"indigo"}', 0), + (12425, 3, 9, 'Pull col en V bleu', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"bleu"}', 0), + (12426, 3, 9, 'Pull col en V turquoise', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"turquoise"}', 0), + (12427, 3, 9, 'Pull col en V perle', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"perle"}', 0), + (12428, 3, 9, 'Pull col en V pêche', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"pêche"}', 0), + (12429, 3, 9, 'Pull col en V vert', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"vert"}', 0), + (12430, 3, 9, 'Pull col en V menthe', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"menthe"}', 0), + (12431, 3, 9, 'Pull col en V kaki', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"kaki"}', 0), + (12432, 3, 9, 'Pull col en V lime', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"lime"}', 0), + (12433, 3, 9, 'Pull col en V abricot', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"abricot"}', 0), + (12434, 3, 9, 'Pull col en V rose', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"rose"}', 0), + (12435, 3, 9, 'Pull col en V violet', 50, '{"components":{"11":{"Drawable":406,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull col en V","colorLabel":"violet"}', 0), + (12436, 3, 5, 'Hoodie noir', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"noir"}', 0), + (12437, 3, 5, 'Hoodie gris', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"gris"}', 0), + (12438, 3, 5, 'Hoodie crème', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"crème"}', 0), + (12439, 3, 5, 'Hoodie blanc', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"blanc"}', 0), + (12440, 3, 5, 'Hoodie beige', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"beige"}', 0), + (12441, 3, 5, 'Hoodie brun', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"brun"}', 0), + (12442, 3, 5, 'Hoodie framboise', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"framboise"}', 0), + (12443, 3, 5, 'Hoodie fuchsia', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"fuchsia"}', 0), + (12444, 3, 5, 'Hoodie rouge', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rouge"}', 0), + (12445, 3, 5, 'Hoodie orange', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"orange"}', 0), + (12446, 3, 5, 'Hoodie citron', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"citron"}', 0), + (12447, 3, 5, 'Hoodie vanille', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"vanille"}', 0), + (12448, 3, 5, 'Hoodie marine', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"marine"}', 0), + (12449, 3, 5, 'Hoodie indigo', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"indigo"}', 0), + (12450, 3, 5, 'Hoodie bleu', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"bleu"}', 0), + (12451, 3, 5, 'Hoodie turquoise', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"turquoise"}', 0), + (12452, 3, 5, 'Hoodie perle', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"perle"}', 0), + (12453, 3, 5, 'Hoodie pêche', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"pêche"}', 0), + (12454, 3, 5, 'Hoodie vert', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"vert"}', 0), + (12455, 3, 5, 'Hoodie menthe', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"menthe"}', 0), + (12456, 3, 5, 'Hoodie kaki', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"kaki"}', 0), + (12457, 3, 5, 'Hoodie lime', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"lime"}', 0), + (12458, 3, 5, 'Hoodie abricot', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"abricot"}', 0), + (12459, 3, 5, 'Hoodie rose', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"rose"}', 0), + (12460, 3, 5, 'Hoodie violet', 50, '{"components":{"11":{"Drawable":407,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"violet"}', 0), + (12461, 3, 5, 'Hoodie capuche tête noir', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"noir"}', 0), + (12462, 3, 5, 'Hoodie capuche tête gris', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"gris"}', 0), + (12463, 3, 5, 'Hoodie capuche tête crème', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"crème"}', 0), + (12464, 3, 5, 'Hoodie capuche tête blanc', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"blanc"}', 0), + (12465, 3, 5, 'Hoodie capuche tête beige', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"beige"}', 0), + (12466, 3, 5, 'Hoodie capuche tête brun', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"brun"}', 0), + (12467, 3, 5, 'Hoodie capuche tête framboise', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"framboise"}', 0), + (12468, 3, 5, 'Hoodie capuche tête fuchsia', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"fuchsia"}', 0), + (12469, 3, 5, 'Hoodie capuche tête rouge', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"rouge"}', 0), + (12470, 3, 5, 'Hoodie capuche tête orange', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"orange"}', 0), + (12471, 3, 5, 'Hoodie capuche tête citron', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"citron"}', 0), + (12472, 3, 5, 'Hoodie capuche tête vanille', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"vanille"}', 0), + (12473, 3, 5, 'Hoodie capuche tête marine', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"marine"}', 0), + (12474, 3, 5, 'Hoodie capuche tête indigo', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"indigo"}', 0), + (12475, 3, 5, 'Hoodie capuche tête bleu', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"bleu"}', 0), + (12476, 3, 5, 'Hoodie capuche tête turquoise', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"turquoise"}', 0), + (12477, 3, 5, 'Hoodie capuche tête perle', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"perle"}', 0), + (12478, 3, 5, 'Hoodie capuche tête pêche', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"pêche"}', 0), + (12479, 3, 5, 'Hoodie capuche tête vert', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"vert"}', 0), + (12480, 3, 5, 'Hoodie capuche tête menthe', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"menthe"}', 0), + (12481, 3, 5, 'Hoodie capuche tête kaki', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"kaki"}', 0), + (12482, 3, 5, 'Hoodie capuche tête lime', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"lime"}', 0), + (12483, 3, 5, 'Hoodie capuche tête abricot', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"abricot"}', 0), + (12484, 3, 5, 'Hoodie capuche tête rose', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"rose"}', 0), + (12485, 3, 5, 'Hoodie capuche tête violet', 50, '{"components":{"11":{"Drawable":408,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"violet"}', 0), + (12486, 3, 12, 'Veste à zip fermée blanc', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"blanc"}', 0), + (12487, 3, 12, 'Veste à zip fermée gris', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"gris"}', 0), + (12488, 3, 12, 'Veste à zip fermée anthracite', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"anthracite"}', 0), + (12489, 3, 12, 'Veste à zip fermée noir', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"noir"}', 0), + (12490, 3, 12, 'Veste à zip fermée jaune', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"jaune"}', 0), + (12491, 3, 12, 'Veste à zip fermée marine', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"marine"}', 0), + (12492, 3, 12, 'Veste à zip fermée kaki', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"kaki"}', 0), + (12493, 3, 12, 'Veste à zip fermée pêche', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"pêche"}', 0), + (12494, 3, 12, 'Veste à zip fermée Broker taupe', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Broker taupe"}', 0), + (12495, 3, 12, 'Veste à zip fermée Broker brun', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Broker brun"}', 0), + (12496, 3, 12, 'Veste à zip fermée dégradé bleu-jaune', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"dégradé bleu-jaune"}', 0), + (12497, 3, 12, 'Veste à zip fermée dégradé noir-orange', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"dégradé noir-orange"}', 0), + (12498, 3, 12, 'Veste à zip fermée carreaux taupe', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"carreaux taupe"}', 0), + (12499, 3, 12, 'Veste à zip fermée carreaux beige', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"carreaux beige"}', 0), + (12500, 3, 12, 'Veste à zip fermée léopard', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"léopard"}', 0), + (12501, 3, 12, 'Veste à zip fermée léopard violet', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"léopard violet"}', 0), + (12502, 3, 12, 'Veste à zip fermée Hinterland taupe', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Hinterland taupe"}', 0), + (12503, 3, 12, 'Veste à zip fermée Hinterland brun', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Hinterland brun"}', 0), + (12504, 3, 12, 'Veste à zip fermée HVY beige', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"HVY beige"}', 0), + (12505, 3, 12, 'Veste à zip fermée HVY gris', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"HVY gris"}', 0), + (12506, 3, 12, 'Veste à zip fermée Yoga brun', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Yoga brun"}', 0), + (12507, 3, 12, 'Veste à zip fermée Yoga gris', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"Yoga gris"}', 0), + (12508, 3, 12, 'Veste à zip fermée zèbre rose', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"zèbre rose"}', 0), + (12509, 3, 12, 'Veste à zip fermée zèbre noir', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"zèbre noir"}', 0), + (12510, 3, 12, 'Veste à zip fermée tâches bleu', 50, '{"components":{"11":{"Drawable":409,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"tâches bleu"}', 0), + (12511, 3, 12, 'Veste à zip fermée multicolore-noire', 50, '{"components":{"11":{"Drawable":410,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"multicolore-noire"}', 0), + (12512, 3, 12, 'Veste à zip fermée gris-blanc', 50, '{"components":{"11":{"Drawable":410,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"gris-blanc"}', 0), + (12513, 3, 12, 'Veste à zip fermée camo olive', 50, '{"components":{"11":{"Drawable":410,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste à zip fermée","colorLabel":"camo olive"}', 0), + (12514, 3, 12, 'Veste à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"blanc"}', 0), + (12515, 3, 12, 'Veste à zip ouverte gris', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"gris"}', 0), + (12516, 3, 12, 'Veste à zip ouverte anthracite', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"anthracite"}', 0), + (12517, 3, 12, 'Veste à zip ouverte noir', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"noir"}', 0), + (12518, 3, 12, 'Veste à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"jaune"}', 0), + (12519, 3, 12, 'Veste à zip ouverte marine', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"marine"}', 0), + (12520, 3, 12, 'Veste à zip ouverte kaki', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"kaki"}', 0), + (12521, 3, 12, 'Veste à zip ouverte pêche', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"pêche"}', 0), + (12522, 3, 12, 'Veste à zip ouverte Broker taupe', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Broker taupe"}', 0), + (12523, 3, 12, 'Veste à zip ouverte Broker brun', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Broker brun"}', 0), + (12524, 3, 12, 'Veste à zip ouverte dégradé bleu-jaune', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"dégradé bleu-jaune"}', 0), + (12525, 3, 12, 'Veste à zip ouverte dégradé noir-orange', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"dégradé noir-orange"}', 0), + (12526, 3, 12, 'Veste à zip ouverte carreaux taupe', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"carreaux taupe"}', 0), + (12527, 3, 12, 'Veste à zip ouverte carreaux beige', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"carreaux beige"}', 0), + (12528, 3, 12, 'Veste à zip ouverte léopard', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"léopard"}', 0), + (12529, 3, 12, 'Veste à zip ouverte léopard violet', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"léopard violet"}', 0), + (12530, 3, 12, 'Veste à zip ouverte Hinterland taupe', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Hinterland taupe"}', 0), + (12531, 3, 12, 'Veste à zip ouverte Hinterland brun', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Hinterland brun"}', 0), + (12532, 3, 12, 'Veste à zip ouverte HVY beige', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"HVY beige"}', 0), + (12533, 3, 12, 'Veste à zip ouverte HVY gris', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"HVY gris"}', 0), + (12534, 3, 12, 'Veste à zip ouverte Yoga brun', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Yoga brun"}', 0), + (12535, 3, 12, 'Veste à zip ouverte Yoga gris', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"Yoga gris"}', 0), + (12536, 3, 12, 'Veste à zip ouverte zèbre rose', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"zèbre rose"}', 0), + (12537, 3, 12, 'Veste à zip ouverte zèbre noir', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"zèbre noir"}', 0), + (12538, 3, 12, 'Veste à zip ouverte tâches bleu', 50, '{"components":{"11":{"Drawable":411,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"tâches bleu"}', 0), + (12539, 3, 12, 'Veste à zip ouverte multicolore-noire', 50, '{"components":{"11":{"Drawable":412,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"multicolore-noire"}', 0), + (12540, 3, 12, 'Veste à zip ouverte gris-blanc', 50, '{"components":{"11":{"Drawable":412,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"gris-blanc"}', 0), + (12541, 3, 12, 'Veste à zip ouverte camo olive', 50, '{"components":{"11":{"Drawable":412,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste à zip ouverte","colorLabel":"camo olive"}', 0), + (12542, 1, 2, 'T-shirt sorti vert motifs', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert motifs"}', 0), + (12543, 1, 2, 'T-shirt sorti rouge motifs', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge motifs"}', 0), + (12544, 1, 2, 'T-shirt sorti DJ Pooh orange', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"DJ Pooh orange"}', 0), + (12545, 1, 2, 'T-shirt sorti WestCoast blanc', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"WestCoast blanc"}', 0), + (12546, 1, 2, 'T-shirt sorti WestCoast bleu', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"WestCoast bleu"}', 0), + (12547, 2, 2, 'T-shirt sorti vert motifs', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"vert motifs"}', 0), + (12548, 2, 2, 'T-shirt sorti rouge motifs', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"rouge motifs"}', 0), + (12549, 2, 2, 'T-shirt sorti DJ Pooh orange', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"DJ Pooh orange"}', 0), + (12550, 2, 2, 'T-shirt sorti WestCoast blanc', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"WestCoast blanc"}', 0), + (12551, 2, 2, 'T-shirt sorti WestCoast bleu', 50, '{"components":{"11":{"Drawable":413,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"WestCoast bleu"}', 0), + (12552, 1, 2, 'T-shirt rentré vert motifs', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"vert motifs"}', 0), + (12553, 1, 2, 'T-shirt rentré rouge motifs', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"rouge motifs"}', 0), + (12554, 1, 2, 'T-shirt rentré DJ Pooh orange', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"DJ Pooh orange"}', 0), + (12555, 1, 2, 'T-shirt rentré WestCoast blanc', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"WestCoast blanc"}', 0), + (12556, 1, 2, 'T-shirt rentré WestCoast bleu', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"WestCoast bleu"}', 0), + (12557, 2, 2, 'T-shirt rentré vert motifs', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"vert motifs"}', 0), + (12558, 2, 2, 'T-shirt rentré rouge motifs', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"rouge motifs"}', 0), + (12559, 2, 2, 'T-shirt rentré DJ Pooh orange', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"DJ Pooh orange"}', 0), + (12560, 2, 2, 'T-shirt rentré WestCoast blanc', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"WestCoast blanc"}', 0), + (12561, 2, 2, 'T-shirt rentré WestCoast bleu', 50, '{"components":{"11":{"Drawable":414,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"WestCoast bleu"}', 0), + (12562, 1, 10, 'Perfecto manches longues blanc clous', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"blanc clous"}', 0), + (12563, 2, 10, 'Perfecto manches longues blanc clous', 50, '{"components":{"11":{"Drawable":416,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"blanc clous"}', 0), + (12564, 1, 10, 'Perfecto sans manche blanc clous', 50, '{"components":{"11":{"Drawable":417,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"blanc clous"}', 0), + (12565, 2, 10, 'Perfecto sans manche blanc clous', 50, '{"components":{"11":{"Drawable":417,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"blanc clous"}', 0), + (12566, 1, 10, 'Perfecto manches longues noir patché', 50, '{"components":{"11":{"Drawable":418,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"noir patché"}', 0), + (12567, 2, 10, 'Perfecto manches longues noir patché', 50, '{"components":{"11":{"Drawable":418,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"noir patché"}', 0), + (12568, 1, 10, 'Perfecto sans manche noir patché', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"noir patché"}', 0), + (12569, 2, 10, 'Perfecto sans manche noir patché', 50, '{"components":{"11":{"Drawable":419,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"noir patché"}', 0), + (12570, 1, 10, 'Perfecto manches longues brun patché', 50, '{"components":{"11":{"Drawable":421,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brun patché"}', 0), + (12571, 2, 10, 'Perfecto manches longues brun patché', 50, '{"components":{"11":{"Drawable":421,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brun patché"}', 0), + (12572, 1, 10, 'Perfecto sans manche brun patché', 50, '{"components":{"11":{"Drawable":422,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brun patché"}', 0), + (12573, 2, 10, 'Perfecto sans manche brun patché', 50, '{"components":{"11":{"Drawable":422,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brun patché"}', 0), + (12574, 3, 9, 'Pull manches 3/4 noir justice', 50, '{"components":{"11":{"Drawable":423,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4","colorLabel":"noir justice"}', 0), + (12575, 1, 10, 'Perfecto manches longues rouge munition', 50, '{"components":{"11":{"Drawable":424,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"rouge munition"}', 0), + (12576, 2, 10, 'Perfecto manches longues rouge munition', 50, '{"components":{"11":{"Drawable":424,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"rouge munition"}', 0), + (12577, 1, 10, 'Perfecto sans manche rouge munition', 50, '{"components":{"11":{"Drawable":425,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"rouge munition"}', 0), + (12578, 2, 10, 'Perfecto sans manche rouge munition', 50, '{"components":{"11":{"Drawable":425,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"rouge munition"}', 0), + (12579, 3, 12, 'Veste en cuir à zip fermée noir', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"noir"}', 0), + (12580, 3, 12, 'Veste en cuir à zip fermée gris', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"gris"}', 0), + (12581, 3, 12, 'Veste en cuir à zip fermée crème', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"crème"}', 0), + (12582, 3, 12, 'Veste en cuir à zip fermée blanc', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"blanc"}', 0), + (12583, 3, 12, 'Veste en cuir à zip fermée bordeaux', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"bordeaux"}', 0), + (12584, 3, 12, 'Veste en cuir à zip fermée feu', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"feu"}', 0), + (12585, 3, 12, 'Veste en cuir à zip fermée vert', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"vert"}', 0), + (12586, 3, 12, 'Veste en cuir à zip fermée rouge', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"rouge"}', 0), + (12587, 3, 12, 'Veste en cuir à zip fermée orange', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"orange"}', 0), + (12588, 3, 12, 'Veste en cuir à zip fermée jaune', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"jaune"}', 0), + (12589, 3, 12, 'Veste en cuir à zip fermée camel', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"camel"}', 0), + (12590, 3, 12, 'Veste en cuir à zip fermée pêche', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"pêche"}', 0), + (12591, 3, 12, 'Veste en cuir à zip fermée marine', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"marine"}', 0), + (12592, 3, 12, 'Veste en cuir à zip fermée ciel', 50, '{"components":{"11":{"Drawable":426,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste en cuir à zip fermée","colorLabel":"ciel"}', 0), + (12593, 3, 12, 'Veste en cuir à zip ouverte noir', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"noir"}', 0), + (12594, 3, 12, 'Veste en cuir à zip ouverte gris', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"gris"}', 0), + (12595, 3, 12, 'Veste en cuir à zip ouverte crème', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"crème"}', 0), + (12596, 3, 12, 'Veste en cuir à zip ouverte blanc', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"blanc"}', 0), + (12597, 3, 12, 'Veste en cuir à zip ouverte bordeaux', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"bordeaux"}', 0), + (12598, 3, 12, 'Veste en cuir à zip ouverte feu', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"feu"}', 0), + (12599, 3, 12, 'Veste en cuir à zip ouverte vert', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"vert"}', 0), + (12600, 3, 12, 'Veste en cuir à zip ouverte rouge', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"rouge"}', 0), + (12601, 3, 12, 'Veste en cuir à zip ouverte orange', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"orange"}', 0), + (12602, 3, 12, 'Veste en cuir à zip ouverte jaune', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"jaune"}', 0), + (12603, 3, 12, 'Veste en cuir à zip ouverte camel', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"camel"}', 0), + (12604, 3, 12, 'Veste en cuir à zip ouverte pêche', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"pêche"}', 0), + (12605, 3, 12, 'Veste en cuir à zip ouverte marine', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"marine"}', 0), + (12606, 3, 12, 'Veste en cuir à zip ouverte ciel', 50, '{"components":{"11":{"Drawable":427,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en cuir à zip ouverte","colorLabel":"ciel"}', 0), + (12607, 1, 7, 'Chemise longue m courtes uni noir', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"noir"}', 0), + (12608, 1, 7, 'Chemise longue m courtes uni gris', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"gris"}', 0), + (12609, 1, 7, 'Chemise longue m courtes uni crème', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"crème"}', 0), + (12610, 1, 7, 'Chemise longue m courtes uni blanc', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"blanc"}', 0), + (12611, 1, 7, 'Chemise longue m courtes uni beige', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"beige"}', 0), + (12612, 1, 7, 'Chemise longue m courtes uni brun', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"brun"}', 0), + (12613, 1, 7, 'Chemise longue m courtes uni framboise', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"framboise"}', 0), + (12614, 1, 7, 'Chemise longue m courtes uni fuchsia', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"fuchsia"}', 0), + (12615, 1, 7, 'Chemise longue m courtes uni rouge', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"rouge"}', 0), + (12616, 1, 7, 'Chemise longue m courtes uni orange', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"orange"}', 0), + (12617, 1, 7, 'Chemise longue m courtes uni citron', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"citron"}', 0), + (12618, 1, 7, 'Chemise longue m courtes uni vanille', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"vanille"}', 0), + (12619, 1, 7, 'Chemise longue m courtes uni marine', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"marine"}', 0), + (12620, 1, 7, 'Chemise longue m courtes uni indigo', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"indigo"}', 0), + (12621, 1, 7, 'Chemise longue m courtes uni bleu', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"bleu"}', 0), + (12622, 1, 7, 'Chemise longue m courtes uni turquoise', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"turquoise"}', 0), + (12623, 1, 7, 'Chemise longue m courtes uni perle', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"perle"}', 0), + (12624, 1, 7, 'Chemise longue m courtes uni pêche', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"pêche"}', 0), + (12625, 1, 7, 'Chemise longue m courtes uni vert', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"vert"}', 0), + (12626, 1, 7, 'Chemise longue m courtes uni menthe', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"menthe"}', 0), + (12627, 1, 7, 'Chemise longue m courtes uni kaki', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"kaki"}', 0), + (12628, 1, 7, 'Chemise longue m courtes uni lime', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"lime"}', 0), + (12629, 1, 7, 'Chemise longue m courtes uni abricot', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"abricot"}', 0), + (12630, 1, 7, 'Chemise longue m courtes uni rose', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"rose"}', 0), + (12631, 1, 7, 'Chemise longue m courtes uni violet', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"violet"}', 0), + (12632, 2, 7, 'Chemise longue m courtes uni noir', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"noir"}', 0), + (12633, 2, 7, 'Chemise longue m courtes uni gris', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"gris"}', 0), + (12634, 2, 7, 'Chemise longue m courtes uni crème', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"crème"}', 0), + (12635, 2, 7, 'Chemise longue m courtes uni blanc', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"blanc"}', 0), + (12636, 2, 7, 'Chemise longue m courtes uni beige', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"beige"}', 0), + (12637, 2, 7, 'Chemise longue m courtes uni brun', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"brun"}', 0), + (12638, 2, 7, 'Chemise longue m courtes uni framboise', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"framboise"}', 0), + (12639, 2, 7, 'Chemise longue m courtes uni fuchsia', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"fuchsia"}', 0), + (12640, 2, 7, 'Chemise longue m courtes uni rouge', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"rouge"}', 0), + (12641, 2, 7, 'Chemise longue m courtes uni orange', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"orange"}', 0), + (12642, 2, 7, 'Chemise longue m courtes uni citron', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"citron"}', 0), + (12643, 2, 7, 'Chemise longue m courtes uni vanille', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"vanille"}', 0), + (12644, 2, 7, 'Chemise longue m courtes uni marine', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"marine"}', 0), + (12645, 2, 7, 'Chemise longue m courtes uni indigo', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"indigo"}', 0), + (12646, 2, 7, 'Chemise longue m courtes uni bleu', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"bleu"}', 0), + (12647, 2, 7, 'Chemise longue m courtes uni turquoise', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"turquoise"}', 0), + (12648, 2, 7, 'Chemise longue m courtes uni perle', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"perle"}', 0), + (12649, 2, 7, 'Chemise longue m courtes uni pêche', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"pêche"}', 0), + (12650, 2, 7, 'Chemise longue m courtes uni vert', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"vert"}', 0), + (12651, 2, 7, 'Chemise longue m courtes uni menthe', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"menthe"}', 0), + (12652, 2, 7, 'Chemise longue m courtes uni kaki', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"kaki"}', 0), + (12653, 2, 7, 'Chemise longue m courtes uni lime', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"lime"}', 0), + (12654, 2, 7, 'Chemise longue m courtes uni abricot', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"abricot"}', 0), + (12655, 2, 7, 'Chemise longue m courtes uni rose', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"rose"}', 0), + (12656, 2, 7, 'Chemise longue m courtes uni violet', 50, '{"components":{"11":{"Drawable":428,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes uni","colorLabel":"violet"}', 0), + (12657, 1, 7, 'Chemise longue m courtes motifs tropical feuilles vert', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"tropical feuilles vert"}', 0), + (12658, 1, 7, 'Chemise longue m courtes motifs tropical feuilles corail', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"tropical feuilles corail"}', 0), + (12659, 1, 7, 'Chemise longue m courtes motifs feuillage taupe', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuillage taupe"}', 0), + (12660, 1, 7, 'Chemise longue m courtes motifs feuillage rouge', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuillage rouge"}', 0), + (12661, 1, 7, 'Chemise longue m courtes motifs feuilles menthe', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuilles menthe"}', 0), + (12662, 1, 7, 'Chemise longue m courtes motifs feuilles rose', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuilles rose"}', 0), + (12663, 1, 7, 'Chemise longue m courtes motifs palmiers menthe', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"palmiers menthe"}', 0), + (12664, 1, 7, 'Chemise longue m courtes motifs palmiers dégradé', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"palmiers dégradé"}', 0), + (12665, 1, 7, 'Chemise longue m courtes motifs ananas noir', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"ananas noir"}', 0), + (12666, 1, 7, 'Chemise longue m courtes motifs ananas rouge', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"ananas rouge"}', 0), + (12667, 1, 7, 'Chemise longue m courtes motifs photos noir', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"photos noir"}', 0), + (12668, 1, 7, 'Chemise longue m courtes motifs photos blanc', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"photos blanc"}', 0), + (12669, 1, 7, 'Chemise longue m courtes motifs fleurs bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"fleurs bleu"}', 0), + (12670, 1, 7, 'Chemise longue m courtes motifs fleurs pétrole', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"fleurs pétrole"}', 0), + (12671, 1, 7, 'Chemise longue m courtes motifs rayures rouge', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"rayures rouge"}', 0), + (12672, 1, 7, 'Chemise longue m courtes motifs rayures bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"rayures bleu"}', 0), + (12673, 1, 7, 'Chemise longue m courtes motifs nuage bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"nuage bleu"}', 0), + (12674, 1, 7, 'Chemise longue m courtes motifs nuage rose', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"nuage rose"}', 0), + (12675, 1, 7, 'Chemise longue m courtes motifs passion bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"passion bleu"}', 0), + (12676, 1, 7, 'Chemise longue m courtes motifs passion blanc', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"passion blanc"}', 0), + (12677, 2, 7, 'Chemise longue m courtes motifs tropical feuilles vert', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"tropical feuilles vert"}', 0), + (12678, 2, 7, 'Chemise longue m courtes motifs tropical feuilles corail', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"tropical feuilles corail"}', 0), + (12679, 2, 7, 'Chemise longue m courtes motifs feuillage taupe', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuillage taupe"}', 0), + (12680, 2, 7, 'Chemise longue m courtes motifs feuillage rouge', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuillage rouge"}', 0), + (12681, 2, 7, 'Chemise longue m courtes motifs feuilles menthe', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuilles menthe"}', 0), + (12682, 2, 7, 'Chemise longue m courtes motifs feuilles rose', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"feuilles rose"}', 0), + (12683, 2, 7, 'Chemise longue m courtes motifs palmiers menthe', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"palmiers menthe"}', 0), + (12684, 2, 7, 'Chemise longue m courtes motifs palmiers dégradé', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"palmiers dégradé"}', 0), + (12685, 2, 7, 'Chemise longue m courtes motifs ananas noir', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"ananas noir"}', 0), + (12686, 2, 7, 'Chemise longue m courtes motifs ananas rouge', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"ananas rouge"}', 0), + (12687, 2, 7, 'Chemise longue m courtes motifs photos noir', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"photos noir"}', 0), + (12688, 2, 7, 'Chemise longue m courtes motifs photos blanc', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"photos blanc"}', 0), + (12689, 2, 7, 'Chemise longue m courtes motifs fleurs bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"fleurs bleu"}', 0), + (12690, 2, 7, 'Chemise longue m courtes motifs fleurs pétrole', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"fleurs pétrole"}', 0), + (12691, 2, 7, 'Chemise longue m courtes motifs rayures rouge', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"rayures rouge"}', 0), + (12692, 2, 7, 'Chemise longue m courtes motifs rayures bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"rayures bleu"}', 0), + (12693, 2, 7, 'Chemise longue m courtes motifs nuage bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"nuage bleu"}', 0), + (12694, 2, 7, 'Chemise longue m courtes motifs nuage rose', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"nuage rose"}', 0), + (12695, 2, 7, 'Chemise longue m courtes motifs passion bleu', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"passion bleu"}', 0), + (12696, 2, 7, 'Chemise longue m courtes motifs passion blanc', 50, '{"components":{"11":{"Drawable":429,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"passion blanc"}', 0), + (12697, 1, 2, 'T-shirt sorti halloween', 50, '{"components":{"11":{"Drawable":430,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"halloween"}', 0), + (12698, 2, 2, 'T-shirt sorti halloween', 50, '{"components":{"11":{"Drawable":430,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"halloween"}', 0), + (12699, 1, 2, 'T-shirt rentré halloween', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"halloween"}', 0), + (12700, 2, 2, 'T-shirt rentré halloween', 50, '{"components":{"11":{"Drawable":431,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"halloween"}', 0), + (12701, 3, 8, 'Robe à bretelles noir', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"noir"}', 0), + (12702, 3, 8, 'Robe à bretelles gris', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"gris"}', 0), + (12703, 3, 8, 'Robe à bretelles crème', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"crème"}', 0), + (12704, 3, 8, 'Robe à bretelles blanc', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"blanc"}', 0), + (12705, 3, 8, 'Robe à bretelles beige', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"beige"}', 0), + (12706, 3, 8, 'Robe à bretelles brun', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"brun"}', 0), + (12707, 3, 8, 'Robe à bretelles framboise', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"framboise"}', 0), + (12708, 3, 8, 'Robe à bretelles fuchsia', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"fuchsia"}', 0), + (12709, 3, 8, 'Robe à bretelles rouge', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"rouge"}', 0), + (12710, 3, 8, 'Robe à bretelles orange', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"orange"}', 0), + (12711, 3, 8, 'Robe à bretelles citron', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"citron"}', 0), + (12712, 3, 8, 'Robe à bretelles vanille', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"vanille"}', 0), + (12713, 3, 8, 'Robe à bretelles marine', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"marine"}', 0), + (12714, 3, 8, 'Robe à bretelles indigo', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"indigo"}', 0), + (12715, 3, 8, 'Robe à bretelles bleu', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"bleu"}', 0), + (12716, 3, 8, 'Robe à bretelles turquoise', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"turquoise"}', 0), + (12717, 3, 8, 'Robe à bretelles perle', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"perle"}', 0), + (12718, 3, 8, 'Robe à bretelles pêche', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"pêche"}', 0), + (12719, 3, 8, 'Robe à bretelles vert', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"vert"}', 0), + (12720, 3, 8, 'Robe à bretelles menthe', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"menthe"}', 0), + (12721, 3, 8, 'Robe à bretelles kaki', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"kaki"}', 0), + (12722, 3, 8, 'Robe à bretelles lime', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"lime"}', 0), + (12723, 3, 8, 'Robe à bretelles abricot', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"abricot"}', 0), + (12724, 3, 8, 'Robe à bretelles rose', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"rose"}', 0), + (12725, 3, 8, 'Robe à bretelles violet', 50, '{"components":{"11":{"Drawable":432,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"violet"}', 0), + (12726, 3, 8, 'Robe à bretelles zèbre blanc', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"zèbre blanc"}', 0), + (12727, 3, 8, 'Robe à bretelles zèbre fuchsia', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"zèbre fuchsia"}', 0), + (12728, 3, 8, 'Robe à bretelles zèbre lime', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"zèbre lime"}', 0), + (12729, 3, 8, 'Robe à bretelles zèbre jaune', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"zèbre jaune"}', 0), + (12730, 3, 8, 'Robe à bretelles blagueurs noir', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"blagueurs noir"}', 0), + (12731, 3, 8, 'Robe à bretelles blagueur blanc', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"blagueur blanc"}', 0), + (12732, 3, 8, 'Robe à bretelles végétal bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"végétal bleu"}', 0), + (12733, 3, 8, 'Robe à bretelles végétal rose', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"végétal rose"}', 0), + (12734, 3, 8, 'Robe à bretelles tâches lime', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"tâches lime"}', 0), + (12735, 3, 8, 'Robe à bretelles tâches pêche', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"tâches pêche"}', 0), + (12736, 3, 8, 'Robe à bretelles tâches framboise', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"tâches framboise"}', 0), + (12737, 3, 8, 'Robe à bretelles tâches citron', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"tâches citron"}', 0), + (12738, 3, 8, 'Robe à bretelles traits bleu', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"traits bleu"}', 0), + (12739, 3, 8, 'Robe à bretelles traits orange', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"traits orange"}', 0), + (12740, 3, 8, 'Robe à bretelles motifs orange', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs orange"}', 0), + (12741, 3, 8, 'Robe à bretelles motifs pêche', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs pêche"}', 0), + (12742, 3, 8, 'Robe à bretelles motifs brun-turquoise', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs brun-turquoise"}', 0), + (12743, 3, 8, 'Robe à bretelles motifs vanille', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs vanille"}', 0), + (12744, 3, 8, 'Robe à bretelles motifs noir-blanc', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs noir-blanc"}', 0), + (12745, 3, 8, 'Robe à bretelles motifs blanc-noir', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs blanc-noir"}', 0), + (12746, 3, 8, 'Robe à bretelles motifs menthe', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs menthe"}', 0), + (12747, 3, 8, 'Robe à bretelles motifs corail', 50, '{"components":{"11":{"Drawable":433,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe à bretelles","colorLabel":"motifs corail"}', 0), + (12748, 1, 7, 'Chemise longue m courtes motifs noir-jaune', 50, '{"components":{"11":{"Drawable":434,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"noir-jaune"}', 0), + (12749, 2, 7, 'Chemise longue m courtes motifs noir-jaune', 50, '{"components":{"11":{"Drawable":434,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise longue m courtes motifs","colorLabel":"noir-jaune"}', 0), + (12750, 1, 12, 'Veste highschool football boutons daddy', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"daddy"}', 0), + (12751, 1, 12, 'Veste highschool football boutons justice', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"justice"}', 0), + (12752, 1, 12, 'Veste highschool football boutons diamond', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"diamond"}', 0), + (12753, 2, 12, 'Veste highschool football boutons daddy', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"daddy"}', 0), + (12754, 2, 12, 'Veste highschool football boutons justice', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"justice"}', 0), + (12755, 2, 12, 'Veste highschool football boutons diamond', 50, '{"components":{"11":{"Drawable":435,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste highschool football boutons","colorLabel":"diamond"}', 0), + (12756, 1, 5, 'Hoodie capuche tête daddy noir', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"daddy noir"}', 0), + (12757, 2, 5, 'Hoodie capuche tête daddy noir', 50, '{"components":{"11":{"Drawable":436,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie capuche tête","colorLabel":"daddy noir"}', 0), + (12758, 3, 8, 'Robe moulante Santo Capra noir', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"Santo Capra noir"}', 0), + (12759, 3, 8, 'Robe moulante Santo Capra blanc', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"Santo Capra blanc"}', 0), + (12760, 3, 8, 'Robe moulante médaillon noir', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"médaillon noir"}', 0), + (12761, 3, 8, 'Robe moulante médaillon rose', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"médaillon rose"}', 0), + (12762, 3, 8, 'Robe moulante médaillon ciel', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"médaillon ciel"}', 0), + (12763, 3, 8, 'Robe moulante le chien blanc', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"le chien blanc"}', 0), + (12764, 3, 8, 'Robe moulante le chien noir', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"le chien noir"}', 0), + (12765, 3, 8, 'Robe moulante NS blanc', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"NS blanc"}', 0), + (12766, 3, 8, 'Robe moulante NS noir', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"NS noir"}', 0), + (12767, 3, 8, 'Robe moulante dégradé vert-violet', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"dégradé vert-violet"}', 0), + (12768, 3, 8, 'Robe moulante motifs blanc', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"motifs blanc"}', 0), + (12769, 3, 8, 'Robe moulante motifs pêche', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"motifs pêche"}', 0), + (12770, 3, 8, 'Robe moulante motifs jaune', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"motifs jaune"}', 0), + (12771, 3, 8, 'Robe moulante motifs rose', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"motifs rose"}', 0), + (12772, 3, 8, 'Robe moulante tigre bleu', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre bleu"}', 0), + (12773, 3, 8, 'Robe moulante tigre rouge', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre rouge"}', 0), + (12774, 3, 8, 'Robe moulante tigre taupe', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre taupe"}', 0), + (12775, 3, 8, 'Robe moulante tigre rose', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre rose"}', 0), + (12776, 3, 8, 'Robe moulante tigre perle', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre perle"}', 0), + (12777, 3, 8, 'Robe moulante tigre jaune', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre jaune"}', 0), + (12778, 3, 8, 'Robe moulante tigre anthracite', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"tigre anthracite"}', 0), + (12779, 3, 8, 'Robe moulante dorures noir', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"dorures noir"}', 0), + (12780, 3, 8, 'Robe moulante dorures rose', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"dorures rose"}', 0), + (12781, 3, 8, 'Robe moulante dorures turquoise', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"dorures turquoise"}', 0), + (12782, 3, 8, 'Robe moulante arabesque noir', 50, '{"components":{"11":{"Drawable":437,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"arabesque noir"}', 0), + (12783, 3, 8, 'Robe moulante arabesque turquoise', 50, '{"components":{"11":{"Drawable":438,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Robe moulante","colorLabel":"arabesque turquoise"}', 0), + (12784, 1, 5, 'Hoodie daddy noir', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"daddy noir"}', 0), + (12785, 2, 5, 'Hoodie daddy noir', 50, '{"components":{"11":{"Drawable":439,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Hoodie","colorLabel":"daddy noir"}', 0), + (12786, 3, 9, 'Gilet en laine noir', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"noir"}', 0), + (12787, 3, 9, 'Gilet en laine gris', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"gris"}', 0), + (12788, 3, 9, 'Gilet en laine crème', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"crème"}', 0), + (12789, 3, 9, 'Gilet en laine blanc', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"blanc"}', 0), + (12790, 3, 9, 'Gilet en laine beige', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"beige"}', 0), + (12791, 3, 9, 'Gilet en laine brun', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"brun"}', 0), + (12792, 3, 9, 'Gilet en laine framboise', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"framboise"}', 0), + (12793, 3, 9, 'Gilet en laine fuchsia', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"fuchsia"}', 0), + (12794, 3, 9, 'Gilet en laine rouge', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"rouge"}', 0), + (12795, 3, 9, 'Gilet en laine orange', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"orange"}', 0), + (12796, 3, 9, 'Gilet en laine citron', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"citron"}', 0), + (12797, 3, 9, 'Gilet en laine vanille', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"vanille"}', 0), + (12798, 3, 9, 'Gilet en laine marine', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"marine"}', 0), + (12799, 3, 9, 'Gilet en laine indigo', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"indigo"}', 0), + (12800, 3, 9, 'Gilet en laine bleu', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"bleu"}', 0), + (12801, 3, 9, 'Gilet en laine turquoise', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"turquoise"}', 0), + (12802, 3, 9, 'Gilet en laine perle', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"perle"}', 0), + (12803, 3, 9, 'Gilet en laine pêche', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"pêche"}', 0), + (12804, 3, 9, 'Gilet en laine vert', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"vert"}', 0), + (12805, 3, 9, 'Gilet en laine menthe', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"menthe"}', 0), + (12806, 3, 9, 'Gilet en laine kaki', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"kaki"}', 0), + (12807, 3, 9, 'Gilet en laine lime', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"lime"}', 0), + (12808, 3, 9, 'Gilet en laine abricot', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"abricot"}', 0), + (12809, 3, 9, 'Gilet en laine rose', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"rose"}', 0), + (12810, 3, 9, 'Gilet en laine violet', 50, '{"components":{"11":{"Drawable":441,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"violet"}', 0), + (12811, 3, 11, 'Perfecto sans manche brillant noir', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant noir"}', 0), + (12812, 3, 11, 'Perfecto sans manche brillant anthracite', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant anthracite"}', 0), + (12813, 3, 11, 'Perfecto sans manche brillant gris', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant gris"}', 9), + (12814, 3, 11, 'Perfecto sans manche brillant blanc', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant blanc"}', 0), + (12815, 3, 11, 'Perfecto sans manche brillant marron', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant marron"}', 0), + (12816, 3, 11, 'Perfecto sans manche brillant feu', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant feu"}', 0), + (12817, 3, 11, 'Perfecto sans manche brillant vert', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant vert"}', 0), + (12818, 3, 11, 'Perfecto sans manche brillant rouge', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant rouge"}', 0), + (12819, 3, 11, 'Perfecto sans manche brillant orange', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant orange"}', 0), + (12820, 3, 11, 'Perfecto sans manche brillant jaune', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant jaune"}', 0), + (12821, 3, 11, 'Perfecto sans manche brillant poils de chameau', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant poils de chameau"}', 0), + (12822, 3, 11, 'Perfecto sans manche brillant camel', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant camel"}', 0), + (12823, 3, 11, 'Perfecto sans manche brillant marine', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant marine"}', 0), + (12824, 3, 11, 'Perfecto sans manche brillant ciel', 50, '{"components":{"11":{"Drawable":442,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto sans manche","colorLabel":"brillant ciel"}', 0), + (12825, 3, 4, 'Perfecto manches longues brillant noir', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant noir"}', 0), + (12826, 3, 4, 'Perfecto manches longues brillant anthracite', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant anthracite"}', 0), + (12827, 3, 4, 'Perfecto manches longues brillant gris', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant gris"}', 0), + (12828, 3, 4, 'Perfecto manches longues brillant blanc', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant blanc"}', 0), + (12829, 3, 4, 'Perfecto manches longues brillant marron', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant marron"}', 0), + (12830, 3, 4, 'Perfecto manches longues brillant feu', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant feu"}', 0), + (12831, 3, 4, 'Perfecto manches longues brillant vert', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant vert"}', 0), + (12832, 3, 4, 'Perfecto manches longues brillant rouge', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant rouge"}', 0), + (12833, 3, 4, 'Perfecto manches longues brillant orange', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant orange"}', 0), + (12834, 3, 4, 'Perfecto manches longues brillant jaune', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant jaune"}', 0), + (12835, 3, 4, 'Perfecto manches longues brillant poils de chameau', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant poils de chameau"}', 0), + (12836, 3, 4, 'Perfecto manches longues brillant camel', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant camel"}', 0), + (12837, 3, 4, 'Perfecto manches longues brillant marine', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant marine"}', 0), + (12838, 3, 4, 'Perfecto manches longues brillant ciel', 50, '{"components":{"11":{"Drawable":443,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Perfecto manches longues","colorLabel":"brillant ciel"}', 0), + (12839, 1, 2, 'T-shirt retroussé rentré crâne', 50, '{"components":{"11":{"Drawable":444,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"crâne"}', 0), + (12840, 1, 2, 'T-shirt retroussé rentré crâne sang', 50, '{"components":{"11":{"Drawable":444,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"crâne sang"}', 0), + (12841, 2, 2, 'T-shirt retroussé rentré crâne', 50, '{"components":{"11":{"Drawable":444,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"crâne"}', 0), + (12842, 2, 2, 'T-shirt retroussé rentré crâne sang', 50, '{"components":{"11":{"Drawable":444,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé rentré","colorLabel":"crâne sang"}', 0), + (12843, 1, 2, 'T-shirt rentré crâne', 50, '{"components":{"11":{"Drawable":445,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"crâne"}', 0), + (12844, 1, 2, 'T-shirt rentré crâne sang', 50, '{"components":{"11":{"Drawable":445,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"crâne sang"}', 0), + (12845, 2, 2, 'T-shirt rentré crâne', 50, '{"components":{"11":{"Drawable":445,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"crâne"}', 0), + (12846, 2, 2, 'T-shirt rentré crâne sang', 50, '{"components":{"11":{"Drawable":445,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"crâne sang"}', 0), + (12847, 1, 2, 'T-shirt retroussé sorti crâne', 50, '{"components":{"11":{"Drawable":446,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"crâne"}', 0), + (12848, 1, 2, 'T-shirt retroussé sorti crâne sang', 50, '{"components":{"11":{"Drawable":446,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"crâne sang"}', 0), + (12849, 2, 2, 'T-shirt retroussé sorti crâne', 50, '{"components":{"11":{"Drawable":446,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"crâne"}', 0), + (12850, 2, 2, 'T-shirt retroussé sorti crâne sang', 50, '{"components":{"11":{"Drawable":446,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt retroussé sorti","colorLabel":"crâne sang"}', 0), + (12851, 1, 2, 'T-shirt sorti crâne', 50, '{"components":{"11":{"Drawable":447,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"crâne"}', 0), + (12852, 1, 2, 'T-shirt sorti crâne sang', 50, '{"components":{"11":{"Drawable":447,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"crâne sang"}', 0), + (12853, 2, 2, 'T-shirt sorti crâne', 50, '{"components":{"11":{"Drawable":447,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"crâne"}', 0), + (12854, 2, 2, 'T-shirt sorti crâne sang', 50, '{"components":{"11":{"Drawable":447,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"crâne sang"}', 0), + (12855, 1, 7, 'Chemise longue m courtes ouverte uni noir', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"noir"}', 0), + (12856, 1, 7, 'Chemise longue m courtes ouverte uni gris', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"gris"}', 0), + (12857, 1, 7, 'Chemise longue m courtes ouverte uni crème', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"crème"}', 0), + (12858, 1, 7, 'Chemise longue m courtes ouverte uni blanc', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"blanc"}', 0), + (12859, 1, 7, 'Chemise longue m courtes ouverte uni beige', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"beige"}', 0), + (12860, 1, 7, 'Chemise longue m courtes ouverte uni brun', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"brun"}', 0), + (12861, 1, 7, 'Chemise longue m courtes ouverte uni framboise', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"framboise"}', 0), + (12862, 1, 7, 'Chemise longue m courtes ouverte uni fuchsia', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"fuchsia"}', 0), + (12863, 1, 7, 'Chemise longue m courtes ouverte uni rouge', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"rouge"}', 0), + (12864, 1, 7, 'Chemise longue m courtes ouverte uni orange', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"orange"}', 0), + (12865, 1, 7, 'Chemise longue m courtes ouverte uni citron', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"citron"}', 0), + (12866, 1, 7, 'Chemise longue m courtes ouverte uni vanille', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"vanille"}', 0), + (12867, 1, 7, 'Chemise longue m courtes ouverte uni marine', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"marine"}', 0), + (12868, 1, 7, 'Chemise longue m courtes ouverte uni indigo', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"indigo"}', 0), + (12869, 1, 7, 'Chemise longue m courtes ouverte uni bleu', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"bleu"}', 0), + (12870, 1, 7, 'Chemise longue m courtes ouverte uni turquoise', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"turquoise"}', 0), + (12871, 1, 7, 'Chemise longue m courtes ouverte uni perle', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"perle"}', 0), + (12872, 1, 7, 'Chemise longue m courtes ouverte uni pêche', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"pêche"}', 0), + (12873, 1, 7, 'Chemise longue m courtes ouverte uni vert', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"vert"}', 0), + (12874, 1, 7, 'Chemise longue m courtes ouverte uni menthe', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"menthe"}', 0), + (12875, 1, 7, 'Chemise longue m courtes ouverte uni kaki', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"kaki"}', 0), + (12876, 1, 7, 'Chemise longue m courtes ouverte uni lime', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"lime"}', 0), + (12877, 1, 7, 'Chemise longue m courtes ouverte uni abricot', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"abricot"}', 0), + (12878, 1, 7, 'Chemise longue m courtes ouverte uni rose', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"rose"}', 0), + (12879, 1, 7, 'Chemise longue m courtes ouverte uni violet', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"violet"}', 0), + (12880, 2, 7, 'Chemise longue m courtes ouverte uni noir', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"noir"}', 0), + (12881, 2, 7, 'Chemise longue m courtes ouverte uni gris', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"gris"}', 0), + (12882, 2, 7, 'Chemise longue m courtes ouverte uni crème', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"crème"}', 0), + (12883, 2, 7, 'Chemise longue m courtes ouverte uni blanc', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"blanc"}', 0), + (12884, 2, 7, 'Chemise longue m courtes ouverte uni beige', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"beige"}', 0), + (12885, 2, 7, 'Chemise longue m courtes ouverte uni brun', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"brun"}', 0), + (12886, 2, 7, 'Chemise longue m courtes ouverte uni framboise', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"framboise"}', 0), + (12887, 2, 7, 'Chemise longue m courtes ouverte uni fuchsia', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"fuchsia"}', 0), + (12888, 2, 7, 'Chemise longue m courtes ouverte uni rouge', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"rouge"}', 0), + (12889, 2, 7, 'Chemise longue m courtes ouverte uni orange', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"orange"}', 0), + (12890, 2, 7, 'Chemise longue m courtes ouverte uni citron', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"citron"}', 0), + (12891, 2, 7, 'Chemise longue m courtes ouverte uni vanille', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"vanille"}', 0), + (12892, 2, 7, 'Chemise longue m courtes ouverte uni marine', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"marine"}', 0), + (12893, 2, 7, 'Chemise longue m courtes ouverte uni indigo', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"indigo"}', 0), + (12894, 2, 7, 'Chemise longue m courtes ouverte uni bleu', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"bleu"}', 0), + (12895, 2, 7, 'Chemise longue m courtes ouverte uni turquoise', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"turquoise"}', 0), + (12896, 2, 7, 'Chemise longue m courtes ouverte uni perle', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"perle"}', 0), + (12897, 2, 7, 'Chemise longue m courtes ouverte uni pêche', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"pêche"}', 0), + (12898, 2, 7, 'Chemise longue m courtes ouverte uni vert', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"vert"}', 0), + (12899, 2, 7, 'Chemise longue m courtes ouverte uni menthe', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"menthe"}', 0), + (12900, 2, 7, 'Chemise longue m courtes ouverte uni kaki', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"kaki"}', 0), + (12901, 2, 7, 'Chemise longue m courtes ouverte uni lime', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"lime"}', 0), + (12902, 2, 7, 'Chemise longue m courtes ouverte uni abricot', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"abricot"}', 0), + (12903, 2, 7, 'Chemise longue m courtes ouverte uni rose', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"rose"}', 0), + (12904, 2, 7, 'Chemise longue m courtes ouverte uni violet', 50, '{"components":{"11":{"Drawable":448,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte uni","colorLabel":"violet"}', 0), + (12905, 1, 7, 'Chemise longue m courtes ouverte motifs tropical feuilles vert', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"tropical feuilles vert"}', 0), + (12906, 1, 7, 'Chemise longue m courtes ouverte motifs tropical feuilles corail', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"tropical feuilles corail"}', 0), + (12907, 1, 7, 'Chemise longue m courtes ouverte motifs feuillage taupe', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuillage taupe"}', 0), + (12908, 1, 7, 'Chemise longue m courtes ouverte motifs feuillage rouge', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuillage rouge"}', 0), + (12909, 1, 7, 'Chemise longue m courtes ouverte motifs feuilles menthe', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuilles menthe"}', 0), + (12910, 1, 7, 'Chemise longue m courtes ouverte motifs feuilles rose', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuilles rose"}', 0), + (12911, 1, 7, 'Chemise longue m courtes ouverte motifs palmiers menthe', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"palmiers menthe"}', 0), + (12912, 1, 7, 'Chemise longue m courtes ouverte motifs palmiers dégradé', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"palmiers dégradé"}', 0), + (12913, 1, 7, 'Chemise longue m courtes ouverte motifs ananas noir', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"ananas noir"}', 0), + (12914, 1, 7, 'Chemise longue m courtes ouverte motifs ananas rouge', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"ananas rouge"}', 0), + (12915, 1, 7, 'Chemise longue m courtes ouverte motifs photos noir', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"photos noir"}', 0), + (12916, 1, 7, 'Chemise longue m courtes ouverte motifs photos blanc', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"photos blanc"}', 0), + (12917, 1, 7, 'Chemise longue m courtes ouverte motifs fleurs bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"fleurs bleu"}', 0), + (12918, 1, 7, 'Chemise longue m courtes ouverte motifs fleurs pétrole', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"fleurs pétrole"}', 0), + (12919, 1, 7, 'Chemise longue m courtes ouverte motifs rayures rouge', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"rayures rouge"}', 0), + (12920, 1, 7, 'Chemise longue m courtes ouverte motifs rayures bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"rayures bleu"}', 0), + (12921, 1, 7, 'Chemise longue m courtes ouverte motifs nuage bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"nuage bleu"}', 0), + (12922, 1, 7, 'Chemise longue m courtes ouverte motifs nuage rose', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"nuage rose"}', 0), + (12923, 1, 7, 'Chemise longue m courtes ouverte motifs passion bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"passion bleu"}', 0), + (12924, 1, 7, 'Chemise longue m courtes ouverte motifs passion blanc', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"passion blanc"}', 0), + (12925, 2, 7, 'Chemise longue m courtes ouverte motifs tropical feuilles vert', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"tropical feuilles vert"}', 0), + (12926, 2, 7, 'Chemise longue m courtes ouverte motifs tropical feuilles corail', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"tropical feuilles corail"}', 0), + (12927, 2, 7, 'Chemise longue m courtes ouverte motifs feuillage taupe', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuillage taupe"}', 0), + (12928, 2, 7, 'Chemise longue m courtes ouverte motifs feuillage rouge', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuillage rouge"}', 0), + (12929, 2, 7, 'Chemise longue m courtes ouverte motifs feuilles menthe', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuilles menthe"}', 0), + (12930, 2, 7, 'Chemise longue m courtes ouverte motifs feuilles rose', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"feuilles rose"}', 0), + (12931, 2, 7, 'Chemise longue m courtes ouverte motifs palmiers menthe', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"palmiers menthe"}', 0), + (12932, 2, 7, 'Chemise longue m courtes ouverte motifs palmiers dégradé', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"palmiers dégradé"}', 0), + (12933, 2, 7, 'Chemise longue m courtes ouverte motifs ananas noir', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"ananas noir"}', 0), + (12934, 2, 7, 'Chemise longue m courtes ouverte motifs ananas rouge', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"ananas rouge"}', 0), + (12935, 2, 7, 'Chemise longue m courtes ouverte motifs photos noir', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"photos noir"}', 0), + (12936, 2, 7, 'Chemise longue m courtes ouverte motifs photos blanc', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"photos blanc"}', 0), + (12937, 2, 7, 'Chemise longue m courtes ouverte motifs fleurs bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"fleurs bleu"}', 0), + (12938, 2, 7, 'Chemise longue m courtes ouverte motifs fleurs pétrole', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"fleurs pétrole"}', 0), + (12939, 2, 7, 'Chemise longue m courtes ouverte motifs rayures rouge', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"rayures rouge"}', 0), + (12940, 2, 7, 'Chemise longue m courtes ouverte motifs rayures bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"rayures bleu"}', 0), + (12941, 2, 7, 'Chemise longue m courtes ouverte motifs nuage bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"nuage bleu"}', 0), + (12942, 2, 7, 'Chemise longue m courtes ouverte motifs nuage rose', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"nuage rose"}', 0), + (12943, 2, 7, 'Chemise longue m courtes ouverte motifs passion bleu', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"passion bleu"}', 0), + (12944, 2, 7, 'Chemise longue m courtes ouverte motifs passion blanc', 50, '{"components":{"11":{"Drawable":449,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Chemise longue m courtes ouverte motifs","colorLabel":"passion blanc"}', 0), + (12945, 3, 6, 'Veste de costume fermée rouge', 50, '{"components":{"11":{"Drawable":450,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[2, 3],"modelLabel":"Veste de costume fermée","colorLabel":"rouge"}', 0), + (12946, 3, 6, 'Veste de costume ouverte rouge', 50, '{"components":{"11":{"Drawable":451,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste de costume ouverte","colorLabel":"rouge"}', 0), + (12947, 1, 9, 'Pull manches 3/4 d\'hiver vert-rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"vert-rouge"}', 0), + (12948, 1, 9, 'Pull manches 3/4 d\'hiver blanc-vert', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"blanc-vert"}', 0), + (12949, 1, 9, 'Pull manches 3/4 d\'hiver menthe-blanc', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"menthe-blanc"}', 0), + (12950, 1, 9, 'Pull manches 3/4 d\'hiver rouge-blanc', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"rouge-blanc"}', 0), + (12951, 1, 9, 'Pull manches 3/4 d\'hiver patriot bleu', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot bleu"}', 0), + (12952, 1, 9, 'Pull manches 3/4 d\'hiver patriot noir', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot noir"}', 0), + (12953, 1, 9, 'Pull manches 3/4 d\'hiver patriot rouge-bleu', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot rouge-bleu"}', 0), + (12954, 1, 9, 'Pull manches 3/4 d\'hiver patriot bleu-rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot bleu-rouge"}', 0), + (12955, 1, 9, 'Pull manches 3/4 d\'hiver Pisswasser rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser rouge"}', 0), + (12956, 1, 9, 'Pull manches 3/4 d\'hiver Pisswasser jaune', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser jaune"}', 0), + (12957, 1, 9, 'Pull manches 3/4 d\'hiver Pisswasser feu', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser feu"}', 0), + (12958, 1, 9, 'Pull manches 3/4 d\'hiver Pisswasser citron', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser citron"}', 0), + (12959, 1, 9, 'Pull manches 3/4 d\'hiver pride vert', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride vert"}', 0), + (12960, 1, 9, 'Pull manches 3/4 d\'hiver pride jaune', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride jaune"}', 0), + (12961, 1, 9, 'Pull manches 3/4 d\'hiver pride jaune-vert', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride jaune-vert"}', 0), + (12962, 1, 9, 'Pull manches 3/4 d\'hiver pride blanc-rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride blanc-rouge"}', 0), + (12963, 1, 9, 'Pull manches 3/4 d\'hiver Sprunk vert-noir', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Sprunk vert-noir"}', 0), + (12964, 1, 9, 'Pull manches 3/4 d\'hiver Sprunk noir', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Sprunk noir"}', 0), + (12965, 2, 9, 'Pull manches 3/4 d\'hiver vert-rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"vert-rouge"}', 0), + (12966, 2, 9, 'Pull manches 3/4 d\'hiver blanc-vert', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"blanc-vert"}', 0), + (12967, 2, 9, 'Pull manches 3/4 d\'hiver menthe-blanc', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"menthe-blanc"}', 0), + (12968, 2, 9, 'Pull manches 3/4 d\'hiver rouge-blanc', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"rouge-blanc"}', 0), + (12969, 2, 9, 'Pull manches 3/4 d\'hiver patriot bleu', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot bleu"}', 0), + (12970, 2, 9, 'Pull manches 3/4 d\'hiver patriot noir', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot noir"}', 0), + (12971, 2, 9, 'Pull manches 3/4 d\'hiver patriot rouge-bleu', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot rouge-bleu"}', 0), + (12972, 2, 9, 'Pull manches 3/4 d\'hiver patriot bleu-rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"patriot bleu-rouge"}', 0), + (12973, 2, 9, 'Pull manches 3/4 d\'hiver Pisswasser rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser rouge"}', 0), + (12974, 2, 9, 'Pull manches 3/4 d\'hiver Pisswasser jaune', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser jaune"}', 0), + (12975, 2, 9, 'Pull manches 3/4 d\'hiver Pisswasser feu', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser feu"}', 0), + (12976, 2, 9, 'Pull manches 3/4 d\'hiver Pisswasser citron', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Pisswasser citron"}', 0), + (12977, 2, 9, 'Pull manches 3/4 d\'hiver pride vert', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride vert"}', 0), + (12978, 2, 9, 'Pull manches 3/4 d\'hiver pride jaune', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride jaune"}', 0), + (12979, 2, 9, 'Pull manches 3/4 d\'hiver pride jaune-vert', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride jaune-vert"}', 0), + (12980, 2, 9, 'Pull manches 3/4 d\'hiver pride blanc-rouge', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"pride blanc-rouge"}', 0), + (12981, 2, 9, 'Pull manches 3/4 d\'hiver Sprunk vert-noir', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Sprunk vert-noir"}', 0), + (12982, 2, 9, 'Pull manches 3/4 d\'hiver Sprunk noir', 50, '{"components":{"11":{"Drawable":452,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Pull manches 3/4 d\'hiver","colorLabel":"Sprunk noir"}', 0), + (12983, 1, 2, 'T-shirt rentré banana singe', 50, '{"components":{"11":{"Drawable":454,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"banana singe"}', 0), + (12984, 2, 2, 'T-shirt rentré banana singe', 50, '{"components":{"11":{"Drawable":454,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"banana singe"}', 0), + (12985, 1, 2, 'T-shirt sorti banana singe', 50, '{"components":{"11":{"Drawable":455,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"banana singe"}', 0), + (12986, 2, 2, 'T-shirt sorti banana singe', 50, '{"components":{"11":{"Drawable":455,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"banana singe"}', 0), + (12987, 1, 5, 'Sweat coupe vent Benefactor', 50, '{"components":{"11":{"Drawable":456,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"Benefactor"}', 0), + (12988, 2, 5, 'Sweat coupe vent Benefactor', 50, '{"components":{"11":{"Drawable":456,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent","colorLabel":"Benefactor"}', 0), + (12989, 1, 5, 'Sweat coupe vent capuche tête noir', 50, '{"components":{"11":{"Drawable":457,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"noir"}', 0), + (12990, 2, 5, 'Sweat coupe vent capuche tête noir', 50, '{"components":{"11":{"Drawable":457,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Sweat coupe vent capuche tête","colorLabel":"noir"}', 0), + (12991, 1, 12, 'Veste imperméable col mao sortie blanc', 50, '{"components":{"11":{"Drawable":458,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"blanc"}', 0), + (12992, 2, 12, 'Veste imperméable col mao sortie blanc', 50, '{"components":{"11":{"Drawable":458,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Veste imperméable col mao sortie","colorLabel":"blanc"}', 0), + (12993, 1, 2, 'T-shirt rentré damier noir-blanc', 50, '{"components":{"11":{"Drawable":459,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"damier noir-blanc"}', 0), + (12994, 2, 2, 'T-shirt rentré damier noir-blanc', 50, '{"components":{"11":{"Drawable":459,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt rentré","colorLabel":"damier noir-blanc"}', 0), + (12995, 1, 2, 'T-shirt sorti damier noir-blanc', 50, '{"components":{"11":{"Drawable":460,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"damier noir-blanc"}', 0), + (12996, 2, 2, 'T-shirt sorti damier noir-blanc', 50, '{"components":{"11":{"Drawable":460,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"T-shirt sorti","colorLabel":"damier noir-blanc"}', 0), + (12997, 1, 3, 'Polo long anthracite', 50, '{"components":{"11":{"Drawable":461,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"anthracite"}', 0), + (12998, 2, 3, 'Polo long anthracite', 50, '{"components":{"11":{"Drawable":461,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Polo long","colorLabel":"anthracite"}', 0), + (12999, 3, 12, 'Gilet à zip noir', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"noir"}', 0), + (13000, 3, 12, 'Gilet à zip gris', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"gris"}', 0), + (13001, 3, 12, 'Gilet à zip crème', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"crème"}', 0), + (13002, 3, 12, 'Gilet à zip blanc', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"blanc"}', 0), + (13003, 3, 12, 'Gilet à zip beige', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"beige"}', 0), + (13004, 3, 12, 'Gilet à zip brun', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"brun"}', 0), + (13005, 3, 12, 'Gilet à zip framboise', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"framboise"}', 0), + (13006, 3, 12, 'Gilet à zip fuchsia', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"fuchsia"}', 0), + (13007, 3, 12, 'Gilet à zip rouge', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"rouge"}', 0), + (13008, 3, 12, 'Gilet à zip orange', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"orange"}', 0), + (13009, 3, 12, 'Gilet à zip citron', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"citron"}', 0), + (13010, 3, 12, 'Gilet à zip vanille', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"vanille"}', 0), + (13011, 3, 12, 'Gilet à zip marine', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"marine"}', 0), + (13012, 3, 12, 'Gilet à zip indigo', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"indigo"}', 0), + (13013, 3, 12, 'Gilet à zip bleu', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"bleu"}', 0), + (13014, 3, 12, 'Gilet à zip turquoise', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"turquoise"}', 0), + (13015, 3, 12, 'Gilet à zip perle', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"perle"}', 0), + (13016, 3, 12, 'Gilet à zip pêche', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"pêche"}', 0), + (13017, 3, 12, 'Gilet à zip vert', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"vert"}', 0), + (13018, 3, 12, 'Gilet à zip menthe', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"menthe"}', 0), + (13019, 3, 12, 'Gilet à zip kaki', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"kaki"}', 0), + (13020, 3, 12, 'Gilet à zip lime', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"lime"}', 0), + (13021, 3, 12, 'Gilet à zip abricot', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"abricot"}', 0), + (13022, 3, 12, 'Gilet à zip rose', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"rose"}', 0), + (13023, 3, 12, 'Gilet à zip violet', 50, '{"components":{"11":{"Drawable":462,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Gilet à zip","colorLabel":"violet"}', 0), + (13024, 3, 6, 'Robe de chambre canabis vert', 50, '{"components":{"11":{"Drawable":463,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Robe de chambre","colorLabel":"canabis vert"}', 0), + (13025, 3, 9, 'Gilet en laine Blagueurs noir', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueurs noir"}', 0), + (13026, 3, 9, 'Gilet en laine Blagueurs bleu', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueurs bleu"}', 0), + (13027, 3, 9, 'Gilet en laine Blagueurs rouge', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueurs rouge"}', 0), + (13028, 3, 9, 'Gilet en laine Blagueur blanc', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"Blagueur blanc"}', 0), + (13029, 3, 9, 'Gilet en laine tigre marine', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre marine"}', 0), + (13030, 3, 9, 'Gilet en laine tigre rouge', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre rouge"}', 0), + (13031, 3, 9, 'Gilet en laine tigre bleu', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre bleu"}', 0), + (13032, 3, 9, 'Gilet en laine tigre feu', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"tigre feu"}', 0), + (13033, 3, 9, 'Gilet en laine flammes vertes', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes vertes"}', 0), + (13034, 3, 9, 'Gilet en laine flammes orange', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes orange"}', 0), + (13035, 3, 9, 'Gilet en laine flammes fuchsia', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes fuchsia"}', 0), + (13036, 3, 9, 'Gilet en laine flammes violettes', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes violettes"}', 0), + (13037, 3, 9, 'Gilet en laine flammes rouge', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"flammes rouge"}', 0), + (13038, 3, 9, 'Gilet en laine électrictié bleu', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"électrictié bleu"}', 0), + (13039, 3, 9, 'Gilet en laine électricité blanc', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"électricité blanc"}', 0), + (13040, 3, 9, 'Gilet en laine électricité vert', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"électricité vert"}', 0), + (13041, 3, 9, 'Gilet en laine électricté orange', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"électricté orange"}', 0), + (13042, 3, 9, 'Gilet en laine électricité fuchsia', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"électricité fuchsia"}', 0), + (13043, 3, 9, 'Gilet en laine électrictié rouge', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"électrictié rouge"}', 0), + (13044, 3, 9, 'Gilet en laine médaillon noir', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"médaillon noir"}', 0), + (13045, 3, 9, 'Gilet en laine médaillon bleu', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"médaillon bleu"}', 0), + (13046, 3, 9, 'Gilet en laine médaillon pêche', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"médaillon pêche"}', 0), + (13047, 3, 9, 'Gilet en laine VDG taupe', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"VDG taupe"}', 0), + (13048, 3, 9, 'Gilet en laine VDG blanc', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"VDG blanc"}', 0), + (13049, 3, 9, 'Gilet en laine VDG dégradé blanc-bleu', 50, '{"components":{"11":{"Drawable":464,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"VDG dégradé blanc-bleu"}', 0), + (13050, 3, 9, 'Gilet en laine camo brun', 50, '{"components":{"11":{"Drawable":465,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"camo brun"}', 0), + (13051, 3, 9, 'Gilet en laine camo gris', 50, '{"components":{"11":{"Drawable":465,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"camo gris"}', 0), + (13052, 3, 9, 'Gilet en laine camo rose', 50, '{"components":{"11":{"Drawable":465,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Gilet en laine","colorLabel":"camo rose"}', 0), + (13053, 1, 7, 'Chemise large m courtes taxi', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"taxi"}', 0), + (13054, 1, 7, 'Chemise large m courtes Blagueurs noir', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueurs noir"}', 0), + (13055, 1, 7, 'Chemise large m courtes Blagueurs bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueurs bleu"}', 0), + (13056, 1, 7, 'Chemise large m courtes Blagueurs rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueurs rouge"}', 0), + (13057, 1, 7, 'Chemise large m courtes Blagueur blanc', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueur blanc"}', 0), + (13058, 1, 7, 'Chemise large m courtes flammes vertes', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes vertes"}', 0), + (13059, 1, 7, 'Chemise large m courtes flammes orange', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes orange"}', 0), + (13060, 1, 7, 'Chemise large m courtes flammes fuchsia', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes fuchsia"}', 0), + (13061, 1, 7, 'Chemise large m courtes flammes violettes', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes violettes"}', 0), + (13062, 1, 7, 'Chemise large m courtes flammes rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes rouge"}', 0), + (13063, 1, 7, 'Chemise large m courtes dragon noir', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon noir"}', 0), + (13064, 1, 7, 'Chemise large m courtes dragon turquoise', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon turquoise"}', 0), + (13065, 1, 7, 'Chemise large m courtes dragon rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon rouge"}', 0), + (13066, 1, 7, 'Chemise large m courtes électrictié bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électrictié bleu"}', 0), + (13067, 1, 7, 'Chemise large m courtes électricité blanc', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricité blanc"}', 0), + (13068, 1, 7, 'Chemise large m courtes électricité vert', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricité vert"}', 0), + (13069, 1, 7, 'Chemise large m courtes électricté orange', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricté orange"}', 0), + (13070, 1, 7, 'Chemise large m courtes électricité fuchsia', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricité fuchsia"}', 0), + (13071, 1, 7, 'Chemise large m courtes électrictié rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électrictié rouge"}', 0), + (13072, 1, 7, 'Chemise large m courtes marbre bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"marbre bleu"}', 0), + (13073, 1, 7, 'Chemise large m courtes marbre gris', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"marbre gris"}', 0), + (13074, 1, 7, 'Chemise large m courtes marbre rose', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"marbre rose"}', 0), + (13075, 1, 7, 'Chemise large m courtes dragon bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon bleu"}', 0), + (13076, 1, 7, 'Chemise large m courtes dragon carmin', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon carmin"}', 0), + (13077, 1, 7, 'Chemise large m courtes paon violet', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"paon violet"}', 0), + (13078, 2, 7, 'Chemise large m courtes taxi', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"taxi"}', 0), + (13079, 2, 7, 'Chemise large m courtes Blagueurs noir', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueurs noir"}', 0), + (13080, 2, 7, 'Chemise large m courtes Blagueurs bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueurs bleu"}', 0), + (13081, 2, 7, 'Chemise large m courtes Blagueurs rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueurs rouge"}', 0), + (13082, 2, 7, 'Chemise large m courtes Blagueur blanc', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"Blagueur blanc"}', 0), + (13083, 2, 7, 'Chemise large m courtes flammes vertes', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes vertes"}', 0), + (13084, 2, 7, 'Chemise large m courtes flammes orange', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes orange"}', 0), + (13085, 2, 7, 'Chemise large m courtes flammes fuchsia', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes fuchsia"}', 0), + (13086, 2, 7, 'Chemise large m courtes flammes violettes', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes violettes"}', 0), + (13087, 2, 7, 'Chemise large m courtes flammes rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"flammes rouge"}', 0), + (13088, 2, 7, 'Chemise large m courtes dragon noir', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon noir"}', 0), + (13089, 2, 7, 'Chemise large m courtes dragon turquoise', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon turquoise"}', 0), + (13090, 2, 7, 'Chemise large m courtes dragon rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon rouge"}', 0), + (13091, 2, 7, 'Chemise large m courtes électrictié bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électrictié bleu"}', 0), + (13092, 2, 7, 'Chemise large m courtes électricité blanc', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricité blanc"}', 0), + (13093, 2, 7, 'Chemise large m courtes électricité vert', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricité vert"}', 0), + (13094, 2, 7, 'Chemise large m courtes électricté orange', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricté orange"}', 0), + (13095, 2, 7, 'Chemise large m courtes électricité fuchsia', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électricité fuchsia"}', 0), + (13096, 2, 7, 'Chemise large m courtes électrictié rouge', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"électrictié rouge"}', 0), + (13097, 2, 7, 'Chemise large m courtes marbre bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"marbre bleu"}', 0), + (13098, 2, 7, 'Chemise large m courtes marbre gris', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"marbre gris"}', 0), + (13099, 2, 7, 'Chemise large m courtes marbre rose', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"marbre rose"}', 0), + (13100, 2, 7, 'Chemise large m courtes dragon bleu', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon bleu"}', 0), + (13101, 2, 7, 'Chemise large m courtes dragon carmin', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"dragon carmin"}', 0), + (13102, 2, 7, 'Chemise large m courtes paon violet', 50, '{"components":{"11":{"Drawable":466,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"paon violet"}', 0), + (13103, 1, 7, 'Chemise large m courtes camo brun', 50, '{"components":{"11":{"Drawable":467,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"camo brun"}', 0), + (13104, 1, 7, 'Chemise large m courtes camo gris', 50, '{"components":{"11":{"Drawable":467,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"camo gris"}', 0), + (13105, 1, 7, 'Chemise large m courtes camo rose', 50, '{"components":{"11":{"Drawable":467,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"camo rose"}', 0), + (13106, 2, 7, 'Chemise large m courtes camo brun', 50, '{"components":{"11":{"Drawable":467,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"camo brun"}', 0), + (13107, 2, 7, 'Chemise large m courtes camo gris', 50, '{"components":{"11":{"Drawable":467,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"camo gris"}', 0), + (13108, 2, 7, 'Chemise large m courtes camo rose', 50, '{"components":{"11":{"Drawable":467,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Chemise large m courtes","colorLabel":"camo rose"}', 0), + (13109, 1, 10, 'Costume Monsieur Loyal vert', 50, '{"components":{"11":{"Drawable":468,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"vert"}', 0), + (13110, 1, 10, 'Costume Monsieur Loyal bleu', 50, '{"components":{"11":{"Drawable":468,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"bleu"}', 0), + (13111, 2, 10, 'Costume Monsieur Loyal vert', 50, '{"components":{"11":{"Drawable":468,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"vert"}', 0), + (13112, 2, 10, 'Costume Monsieur Loyal bleu', 50, '{"components":{"11":{"Drawable":468,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Costume Monsieur Loyal","colorLabel":"bleu"}', 0), + (13113, 1, 10, 'Déguisement animal camel', 50, '{"components":{"11":{"Drawable":469,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"camel"}', 0), + (13114, 1, 10, 'Déguisement animal brun', 50, '{"components":{"11":{"Drawable":469,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"brun"}', 0), + (13115, 2, 10, 'Déguisement animal camel', 50, '{"components":{"11":{"Drawable":469,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"camel"}', 0), + (13116, 2, 10, 'Déguisement animal brun', 50, '{"components":{"11":{"Drawable":469,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement animal","colorLabel":"brun"}', 0), + (13117, 1, 12, 'Veste en tissus ouverte zèbre noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"zèbre noir"}', 0), + (13118, 1, 12, 'Veste en tissus ouverte zèbre rose', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"zèbre rose"}', 0), + (13119, 1, 12, 'Veste en tissus ouverte Blagueurs noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs noir"}', 0), + (13120, 1, 12, 'Veste en tissus ouverte Blagueurs bleu', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs bleu"}', 0), + (13121, 1, 12, 'Veste en tissus ouverte Blagueurs rouge', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs rouge"}', 0), + (13122, 1, 12, 'Veste en tissus ouverte Blagueur blanc', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueur blanc"}', 0), + (13123, 1, 12, 'Veste en tissus ouverte flammes vertes', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes vertes"}', 0), + (13124, 1, 12, 'Veste en tissus ouverte flammes orange', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes orange"}', 0), + (13125, 1, 12, 'Veste en tissus ouverte flammes fuchsia', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes fuchsia"}', 0), + (13126, 1, 12, 'Veste en tissus ouverte flammes violettes', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes violettes"}', 0), + (13127, 1, 12, 'Veste en tissus ouverte flammes rouge', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes rouge"}', 0), + (13128, 1, 12, 'Veste en tissus ouverte électrictié bleu', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électrictié bleu"}', 0), + (13129, 1, 12, 'Veste en tissus ouverte électricité blanc', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité blanc"}', 0), + (13130, 1, 12, 'Veste en tissus ouverte électricité vert', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité vert"}', 0), + (13131, 1, 12, 'Veste en tissus ouverte électricté orange', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricté orange"}', 0), + (13132, 1, 12, 'Veste en tissus ouverte électricité fuchsia', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité fuchsia"}', 0), + (13133, 1, 12, 'Veste en tissus ouverte électrictié rouge', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électrictié rouge"}', 0), + (13134, 1, 12, 'Veste en tissus ouverte marbre bleu', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre bleu"}', 0), + (13135, 1, 12, 'Veste en tissus ouverte marbre gris', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre gris"}', 0), + (13136, 1, 12, 'Veste en tissus ouverte marbre rose', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre rose"}', 0), + (13137, 1, 12, 'Veste en tissus ouverte roses noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"roses noir"}', 0), + (13138, 1, 12, 'Veste en tissus ouverte roses vert', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"roses vert"}', 0), + (13139, 1, 12, 'Veste en tissus ouverte T noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"T noir"}', 0), + (13140, 1, 12, 'Veste en tissus ouverte T orange', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"T orange"}', 0), + (13141, 1, 12, 'Veste en tissus ouverte camo brun', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"camo brun"}', 0), + (13142, 2, 12, 'Veste en tissus ouverte zèbre noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"zèbre noir"}', 0), + (13143, 2, 12, 'Veste en tissus ouverte zèbre rose', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"zèbre rose"}', 0), + (13144, 2, 12, 'Veste en tissus ouverte Blagueurs noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":2}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs noir"}', 0), + (13145, 2, 12, 'Veste en tissus ouverte Blagueurs bleu', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":3}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs bleu"}', 0), + (13146, 2, 12, 'Veste en tissus ouverte Blagueurs rouge', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":4}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueurs rouge"}', 0), + (13147, 2, 12, 'Veste en tissus ouverte Blagueur blanc', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":5}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"Blagueur blanc"}', 0), + (13148, 2, 12, 'Veste en tissus ouverte flammes vertes', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":6}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes vertes"}', 0), + (13149, 2, 12, 'Veste en tissus ouverte flammes orange', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":7}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes orange"}', 0), + (13150, 2, 12, 'Veste en tissus ouverte flammes fuchsia', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":8}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes fuchsia"}', 0), + (13151, 2, 12, 'Veste en tissus ouverte flammes violettes', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":9}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes violettes"}', 0), + (13152, 2, 12, 'Veste en tissus ouverte flammes rouge', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":10}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"flammes rouge"}', 0), + (13153, 2, 12, 'Veste en tissus ouverte électrictié bleu', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":11}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électrictié bleu"}', 0), + (13154, 2, 12, 'Veste en tissus ouverte électricité blanc', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":12}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité blanc"}', 0), + (13155, 2, 12, 'Veste en tissus ouverte électricité vert', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":13}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité vert"}', 0), + (13156, 2, 12, 'Veste en tissus ouverte électricté orange', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":14}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricté orange"}', 0), + (13157, 2, 12, 'Veste en tissus ouverte électricité fuchsia', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":15}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électricité fuchsia"}', 0), + (13158, 2, 12, 'Veste en tissus ouverte électrictié rouge', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":16}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"électrictié rouge"}', 0), + (13159, 2, 12, 'Veste en tissus ouverte marbre bleu', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":17}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre bleu"}', 0), + (13160, 2, 12, 'Veste en tissus ouverte marbre gris', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":18}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre gris"}', 0), + (13161, 2, 12, 'Veste en tissus ouverte marbre rose', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":19}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"marbre rose"}', 0), + (13162, 2, 12, 'Veste en tissus ouverte roses noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":20}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"roses noir"}', 0), + (13163, 2, 12, 'Veste en tissus ouverte roses vert', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":21}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"roses vert"}', 0), + (13164, 2, 12, 'Veste en tissus ouverte T noir', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":22}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"T noir"}', 0), + (13165, 2, 12, 'Veste en tissus ouverte T orange', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":23}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"T orange"}', 0), + (13166, 2, 12, 'Veste en tissus ouverte camo brun', 50, '{"components":{"11":{"Drawable":470,"Palette":0,"Texture":24}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"camo brun"}', 0), + (13167, 1, 12, 'Veste en tissus ouverte camo rose', 50, '{"components":{"11":{"Drawable":471,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"camo rose"}', 0), + (13168, 2, 12, 'Veste en tissus ouverte camo rose', 50, '{"components":{"11":{"Drawable":471,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[1, 2, 3, 4],"modelLabel":"Veste en tissus ouverte","colorLabel":"camo rose"}', 0), + (13169, 1, 10, 'Déguisement de Pierrot noir', 50, '{"components":{"11":{"Drawable":472,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"noir"}', 0), + (13170, 1, 10, 'Déguisement de Pierrot rouge', 50, '{"components":{"11":{"Drawable":472,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"rouge"}', 0), + (13171, 2, 10, 'Déguisement de Pierrot noir', 50, '{"components":{"11":{"Drawable":472,"Palette":0,"Texture":0}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"noir"}', 0), + (13172, 2, 10, 'Déguisement de Pierrot rouge', 50, '{"components":{"11":{"Drawable":472,"Palette":0,"Texture":1}},"modelHash":-1667301416,"underTypes":[],"modelLabel":"Déguisement de Pierrot","colorLabel":"rouge"}', 0), + (20000, 1, 61, 'T-shirt décolleté gris et noir', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"gris et noir"}', 0), + (20001, 1, 61, 'T-shirt décolleté rose', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"rose"}', 0), + (20002, 1, 61, 'T-shirt décolleté noir', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"noir"}', 0), + (20003, 1, 61, 'T-shirt décolleté jaune', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"jaune"}', 0), + (20004, 1, 61, 'T-shirt décolleté rouge', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"rouge"}', 0), + (20005, 1, 61, 'T-shirt décolleté ciel', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"ciel"}', 0), + (20006, 1, 61, 'T-shirt décolleté bleu', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"bleu"}', 0), + (20007, 1, 61, 'T-shirt décolleté crème', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"crème"}', 0), + (20008, 1, 61, 'T-shirt décolleté bonbon', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"bonbon"}', 0), + (20009, 1, 61, 'T-shirt décolleté vert pomme', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"vert pomme"}', 0), + (20010, 1, 61, 'T-shirt décolleté gris mur', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"gris mur"}', 0), + (20011, 1, 61, 'T-shirt décolleté gris uni', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"gris uni"}', 0), + (20012, 1, 61, 'T-shirt décolleté léopard', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"léopard"}', 0), + (20013, 1, 61, 'T-shirt décolleté noir et blanc', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"noir et blanc"}', 0), + (20014, 1, 61, 'T-shirt décolleté nuage', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"nuage"}', 0), + (20015, 2, 61, 'T-shirt décolleté gris et noir', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"gris et noir"}', 0), + (20016, 2, 61, 'T-shirt décolleté rose', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"rose"}', 0), + (20017, 2, 61, 'T-shirt décolleté noir', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"noir"}', 0), + (20018, 2, 61, 'T-shirt décolleté jaune', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"jaune"}', 0), + (20019, 2, 61, 'T-shirt décolleté rouge', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"rouge"}', 0), + (20020, 2, 61, 'T-shirt décolleté ciel', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"ciel"}', 0), + (20021, 2, 61, 'T-shirt décolleté bleu', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"bleu"}', 0), + (20022, 2, 61, 'T-shirt décolleté crème', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"crème"}', 0), + (20023, 2, 61, 'T-shirt décolleté bonbon', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"bonbon"}', 0), + (20024, 2, 61, 'T-shirt décolleté vert pomme', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"vert pomme"}', 0), + (20025, 2, 61, 'T-shirt décolleté gris mur', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"gris mur"}', 0), + (20026, 2, 61, 'T-shirt décolleté gris uni', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"gris uni"}', 0), + (20027, 2, 61, 'T-shirt décolleté léopard', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"léopard"}', 0), + (20028, 2, 61, 'T-shirt décolleté noir et blanc', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"noir et blanc"}', 0), + (20029, 2, 61, 'T-shirt décolleté nuage', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt décolleté","colorLabel":"nuage"}', 0), + (20030, 1, 61, 'T-shirt ventre apparent gris et noir', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"gris et noir"}', 0), + (20031, 1, 61, 'T-shirt ventre apparent rose', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"rose"}', 0), + (20032, 1, 61, 'T-shirt ventre apparent noir', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"noir"}', 0), + (20033, 1, 61, 'T-shirt ventre apparent jaune', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"jaune"}', 0), + (20034, 1, 61, 'T-shirt ventre apparent rouge', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"rouge"}', 0), + (20035, 1, 61, 'T-shirt ventre apparent ciel', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"ciel"}', 0), + (20036, 1, 61, 'T-shirt ventre apparent bleu', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"bleu"}', 0), + (20037, 1, 61, 'T-shirt ventre apparent crème', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"crème"}', 0), + (20038, 1, 61, 'T-shirt ventre apparent bonbon', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"bonbon"}', 0), + (20039, 1, 61, 'T-shirt ventre apparent vert pomme', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"vert pomme"}', 0), + (20040, 1, 61, 'T-shirt ventre apparent gris mur', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"gris mur"}', 0), + (20041, 1, 61, 'T-shirt ventre apparent gris uni', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"gris uni"}', 0), + (20042, 1, 61, 'T-shirt ventre apparent léopard', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"léopard"}', 0), + (20043, 1, 61, 'T-shirt ventre apparent noir et blanc', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"noir et blanc"}', 0), + (20044, 1, 61, 'T-shirt ventre apparent nuage', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"nuage"}', 0), + (20045, 2, 61, 'T-shirt ventre apparent gris et noir', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"gris et noir"}', 0), + (20046, 2, 61, 'T-shirt ventre apparent rose', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"rose"}', 0), + (20047, 2, 61, 'T-shirt ventre apparent noir', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"noir"}', 0), + (20048, 2, 61, 'T-shirt ventre apparent jaune', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"jaune"}', 0), + (20049, 2, 61, 'T-shirt ventre apparent rouge', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"rouge"}', 0), + (20050, 2, 61, 'T-shirt ventre apparent ciel', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"ciel"}', 0), + (20051, 2, 61, 'T-shirt ventre apparent bleu', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"bleu"}', 0), + (20052, 2, 61, 'T-shirt ventre apparent crème', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"crème"}', 0), + (20053, 2, 61, 'T-shirt ventre apparent bonbon', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"bonbon"}', 0), + (20054, 2, 61, 'T-shirt ventre apparent vert pomme', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"vert pomme"}', 0), + (20055, 2, 61, 'T-shirt ventre apparent gris mur', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"gris mur"}', 0), + (20056, 2, 61, 'T-shirt ventre apparent gris uni', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"gris uni"}', 0), + (20057, 2, 61, 'T-shirt ventre apparent léopard', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"léopard"}', 0), + (20058, 2, 61, 'T-shirt ventre apparent noir et blanc', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"noir et blanc"}', 0), + (20059, 2, 61, 'T-shirt ventre apparent nuage', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"T-shirt ventre apparent","colorLabel":"nuage"}', 0), + (20060, 1, 61, 'Crop top gris clair', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"gris clair"}', 0), + (20061, 1, 61, 'Crop top gris foncé', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"gris foncé"}', 0), + (20062, 1, 61, 'Crop top noir', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"noir"}', 0), + (20063, 1, 61, 'Crop top blanc', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"blanc"}', 0), + (20064, 2, 61, 'Crop top gris clair', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"gris clair"}', 0), + (20065, 2, 61, 'Crop top gris foncé', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"gris foncé"}', 0), + (20066, 2, 61, 'Crop top noir', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"noir"}', 0), + (20067, 2, 61, 'Crop top blanc', 50, '{"components":{"8":{"Drawable":5,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"blanc"}', 0), + (20068, 1, 61, 'T-shirt de sport bleu', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"bleu"}', 0), + (20069, 1, 61, 'T-shirt de sport voilet', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"voilet"}', 0), + (20070, 1, 61, 'T-shirt de sport gris', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"gris"}', 0), + (20071, 1, 61, 'T-shirt de sport rouge', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"rouge"}', 0), + (20072, 1, 61, 'T-shirt de sport blanc', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"blanc"}', 0), + (20073, 2, 61, 'T-shirt de sport bleu', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"bleu"}', 0), + (20074, 2, 61, 'T-shirt de sport voilet', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"voilet"}', 0), + (20075, 2, 61, 'T-shirt de sport gris', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"gris"}', 0), + (20076, 2, 61, 'T-shirt de sport rouge', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"rouge"}', 0), + (20077, 2, 61, 'T-shirt de sport blanc', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de sport","colorLabel":"blanc"}', 0), + (20078, 3, 61, 'Corset noir', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"noir"}', 0), + (20079, 3, 61, 'Corset à fleurs', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"à fleurs"}', 0), + (20080, 3, 61, 'Corset vert foncé', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"vert foncé"}', 0), + (20081, 3, 61, 'Corset anthracite', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"anthracite"}', 0), + (20082, 3, 61, 'Corset à violettes', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"à violettes"}', 0), + (20083, 3, 61, 'Corset à carreaux rouges', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"à carreaux rouges"}', 0), + (20084, 3, 61, 'Corset rose', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"rose"}', 0), + (20085, 3, 61, 'Corset blanc', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"blanc"}', 0), + (20086, 3, 61, 'Corset cobra bleu', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"cobra bleu"}', 0), + (20087, 3, 61, 'Corset triangles roses', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"triangles roses"}', 0), + (20088, 3, 61, 'Corset camouflage', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"camouflage"}', 0), + (20089, 3, 61, 'Corset neon bleus', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"neon bleus"}', 0), + (20090, 3, 61, 'Corset bandes noires', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Corset","colorLabel":"bandes noires"}', 0), + (20091, 1, 66, 'Soutien-gorge noir', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"noir"}', 0), + (20092, 1, 66, 'Soutien-gorge blanc', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"blanc"}', 0), + (20093, 1, 66, 'Soutien-gorge turquoise', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"turquoise"}', 0), + (20094, 1, 66, 'Soutien-gorge feu', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"feu"}', 0), + (20095, 2, 66, 'Soutien-gorge noir', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"noir"}', 0), + (20096, 2, 66, 'Soutien-gorge blanc', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"blanc"}', 0), + (20097, 2, 66, 'Soutien-gorge turquoise', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"turquoise"}', 0), + (20098, 2, 66, 'Soutien-gorge feu', 50, '{"components":{"8":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"feu"}', 0), + (20099, 1, 66, 'Soutien-gorge étoile noir', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"étoile noir"}', 0), + (20100, 1, 66, 'Soutien-gorge bleu électrique', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bleu électrique"}', 0), + (20101, 1, 66, 'Soutien-gorge léopard', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"léopard"}', 0), + (20102, 1, 66, 'Soutien-gorge rouge', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"rouge"}', 0), + (20103, 1, 66, 'Soutien-gorge bleu à rayure', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bleu à rayure"}', 0), + (20104, 1, 66, 'Soutien-gorge gris', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"gris"}', 0), + (20105, 1, 66, 'Soutien-gorge sirène', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"sirène"}', 0), + (20106, 1, 66, 'Soutien-gorge bandes roses', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bandes roses"}', 0), + (20107, 1, 66, 'Soutien-gorge plage', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"plage"}', 0), + (20108, 1, 66, 'Soutien-gorge pois noir', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"pois noir"}', 0), + (20109, 1, 66, 'Soutien-gorge bleu et orange', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bleu et orange"}', 0), + (20110, 2, 66, 'Soutien-gorge étoile noir', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"étoile noir"}', 0), + (20111, 2, 66, 'Soutien-gorge bleu électrique', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bleu électrique"}', 0), + (20112, 2, 66, 'Soutien-gorge léopard', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"léopard"}', 0), + (20113, 2, 66, 'Soutien-gorge rouge', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"rouge"}', 0), + (20114, 2, 66, 'Soutien-gorge bleu à rayure', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bleu à rayure"}', 0), + (20115, 2, 66, 'Soutien-gorge gris', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"gris"}', 0), + (20116, 2, 66, 'Soutien-gorge sirène', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"sirène"}', 0), + (20117, 2, 66, 'Soutien-gorge bandes roses', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bandes roses"}', 0), + (20118, 2, 66, 'Soutien-gorge plage', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"plage"}', 0), + (20119, 2, 66, 'Soutien-gorge pois noir', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"pois noir"}', 0), + (20120, 2, 66, 'Soutien-gorge bleu et orange', 50, '{"components":{"8":{"Drawable":17,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Soutien-gorge","colorLabel":"bleu et orange"}', 0), + (20121, 1, 63, 'Débardeur du père Noël', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du père Noël"}', 0), + (20122, 1, 63, 'Débardeur du lutin vert', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du lutin vert"}', 0), + (20123, 1, 63, 'Débardeur du bonhomme de neige', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du bonhomme de neige"}', 0), + (20124, 1, 63, 'Débardeur du cerf', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du cerf"}', 0), + (20125, 2, 63, 'Débardeur du père Noël', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du père Noël"}', 0), + (20126, 2, 63, 'Débardeur du lutin vert', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du lutin vert"}', 0), + (20127, 2, 63, 'Débardeur du bonhomme de neige', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du bonhomme de neige"}', 0), + (20128, 2, 63, 'Débardeur du cerf', 50, '{"components":{"8":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Débardeur","colorLabel":"du cerf"}', 0), + (20129, 3, 61, 'Corset provocateur blanc', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"blanc"}', 0), + (20130, 3, 61, 'Corset provocateur rouge', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"rouge"}', 0), + (20131, 3, 61, 'Corset provocateur noir', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"noir"}', 0), + (20132, 3, 61, 'Corset provocateur crème', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"crème"}', 0), + (20133, 3, 61, 'Corset provocateur bleu', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"bleu"}', 0), + (20134, 3, 61, 'Col en V blanc', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"blanc"}', 0), + (20135, 3, 61, 'Col en V noir', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"noir"}', 0), + (20136, 3, 61, 'Col en V rouge', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"rouge"}', 0), + (20137, 3, 61, 'Col en V voilet', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"voilet"}', 0), + (20138, 3, 61, 'Col en V bleu foncé', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"bleu foncé"}', 0), + (20139, 3, 61, 'Col en V cyan', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"cyan"}', 0), + (20140, 3, 61, 'Col en V jaune', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"jaune"}', 0), + (20141, 3, 61, 'Col en V ciel', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"ciel"}', 0), + (20142, 3, 61, 'Col en V gris', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"gris"}', 0), + (20143, 3, 61, 'Col en V orange', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"orange"}', 0), + (20144, 3, 61, 'Col en V léopard', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"léopard"}', 0), + (20145, 3, 61, 'Col en V rose', 50, '{"components":{"8":{"Drawable":23,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Col en V","colorLabel":"rose"}', 0), + (20146, 1, 61, 'Long T-shirt blanc', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt","colorLabel":"blanc"}', 0), + (20147, 1, 61, 'Long T-shirt noir', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt","colorLabel":"noir"}', 0), + (20148, 1, 61, 'Long T-shirt rouge', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt","colorLabel":"rouge"}', 0), + (20149, 2, 61, 'Long T-shirt blanc', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt","colorLabel":"blanc"}', 0), + (20150, 2, 61, 'Long T-shirt noir', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt","colorLabel":"noir"}', 0), + (20151, 2, 61, 'Long T-shirt rouge', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt","colorLabel":"rouge"}', 0), + (20152, 1, 61, 'Crop top poumons blancs', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"poumons blancs"}', 0), + (20153, 1, 61, 'Crop top flèches noires', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"flèches noires"}', 0), + (20154, 1, 61, 'Crop top griffes bleues', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"griffes bleues"}', 0), + (20155, 1, 61, 'Crop top graou', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"graou"}', 0), + (20156, 1, 61, 'Crop top perroquet', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"perroquet"}', 0), + (20157, 1, 61, 'Crop top Panto 13', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"Panto 13"}', 0), + (20158, 1, 61, 'Crop top Ayaya', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"Ayaya"}', 0), + (20159, 1, 61, 'Crop top Monkey rose', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"Monkey rose"}', 0), + (20160, 1, 61, 'Crop top léopard citron', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"léopard citron"}', 0), + (20161, 2, 61, 'Crop top poumons blancs', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"poumons blancs"}', 0), + (20162, 2, 61, 'Crop top flèches noires', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"flèches noires"}', 0), + (20163, 2, 61, 'Crop top griffes bleues', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"griffes bleues"}', 0), + (20164, 2, 61, 'Crop top graou', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"graou"}', 0), + (20165, 2, 61, 'Crop top perroquet', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"perroquet"}', 0), + (20166, 2, 61, 'Crop top Panto 13', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"Panto 13"}', 0), + (20167, 2, 61, 'Crop top Ayaya', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"Ayaya"}', 0), + (20168, 2, 61, 'Crop top Monkey rose', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"Monkey rose"}', 0), + (20169, 2, 61, 'Crop top léopard citron', 50, '{"components":{"8":{"Drawable":28,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Crop top","colorLabel":"léopard citron"}', 0), + (20170, 1, 61, 'Débardeur Love fist', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Love fist"}', 0), + (20171, 1, 61, 'Débardeur Supermarket', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Supermarket"}', 0), + (20172, 1, 61, 'Débardeur doudou rose', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"doudou rose"}', 0), + (20173, 1, 61, 'Débardeur Princess bubblegum', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Princess bubblegum"}', 0), + (20174, 1, 61, 'Débardeur Prison B****', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Prison B****"}', 0), + (20175, 2, 61, 'Débardeur Love fist', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Love fist"}', 0), + (20176, 2, 61, 'Débardeur Supermarket', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Supermarket"}', 0), + (20177, 2, 61, 'Débardeur doudou rose', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"doudou rose"}', 0), + (20178, 2, 61, 'Débardeur Princess bubblegum', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Princess bubblegum"}', 0), + (20179, 2, 61, 'Débardeur Prison B****', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Débardeur","colorLabel":"Prison B****"}', 0), + (20180, 3, 62, 'Chemise blanche', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"blanche"}', 0), + (20181, 3, 62, 'Chemise grise', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"grise"}', 0), + (20182, 3, 62, 'Chemise noire', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"noire"}', 0), + (20183, 3, 62, 'Chemise indigo', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"indigo"}', 0), + (20184, 3, 62, 'Chemise pâle', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"pâle"}', 0), + (20185, 3, 62, 'Chemise rose à carreaux', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"rose à carreaux"}', 0), + (20186, 3, 62, 'Chemise à pois gris', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"à pois gris"}', 0), + (20187, 3, 62, 'Chemise saumon', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"saumon"}', 0), + (20188, 3, 62, 'Chemise kaki', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"kaki"}', 0), + (20189, 3, 62, 'Chemise violet', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"violet"}', 0), + (20190, 3, 62, 'Chemise sable', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"sable"}', 0), + (20191, 3, 62, 'Chemise menthe', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"menthe"}', 0), + (20192, 3, 62, 'Chemise rayée bleu', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"rayée bleu"}', 0), + (20193, 3, 62, 'Chemise rayée rose', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"rayée rose"}', 0), + (20194, 3, 62, 'Chemise marron', 50, '{"components":{"8":{"Drawable":38,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise","colorLabel":"marron"}', 0), + (20195, 3, 62, 'Chemise col ouvert blanche', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"blanche"}', 0), + (20196, 3, 62, 'Chemise col ouvert grise', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"grise"}', 0), + (20197, 3, 62, 'Chemise col ouvert noire', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"noire"}', 0), + (20198, 3, 62, 'Chemise col ouvert indigo', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"indigo"}', 0), + (20199, 3, 62, 'Chemise col ouvert pâle', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"pâle"}', 0), + (20200, 3, 62, 'Chemise col ouvert rose à carreaux', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"rose à carreaux"}', 0), + (20201, 3, 62, 'Chemise col ouvert à pois gris', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"à pois gris"}', 0), + (20202, 3, 62, 'Chemise col ouvert saumon', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"saumon"}', 0), + (20203, 3, 62, 'Chemise col ouvert kaki', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"kaki"}', 0), + (20204, 3, 62, 'Chemise col ouvert violet', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"violet"}', 0), + (20205, 3, 62, 'Chemise col ouvert sable', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"sable"}', 0), + (20206, 3, 62, 'Chemise col ouvert menthe', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"menthe"}', 0), + (20207, 3, 62, 'Chemise col ouvert rayée bleu', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"rayée bleu"}', 0), + (20208, 3, 62, 'Chemise col ouvert rayée rose', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"rayée rose"}', 0), + (20209, 3, 62, 'Chemise col ouvert marron', 50, '{"components":{"8":{"Drawable":39,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"Chemise col ouvert","colorLabel":"marron"}', 0), + (20210, 3, 62, 'Veston col ouvert gris clair', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"gris clair"}', 0), + (20211, 3, 62, 'Veston col ouvert marron clair', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"marron clair"}', 0), + (20212, 3, 62, 'Veston col ouvert noire', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"noire"}', 0), + (20213, 3, 62, 'Veston col ouvert ciel', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"ciel"}', 0), + (20214, 3, 62, 'Veston col ouvert gris', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"gris"}', 0), + (20215, 3, 62, 'Veston col ouvert violet foncé', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"violet foncé"}', 0), + (20216, 3, 62, 'Veston col ouvert turquoise', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"turquoise"}', 0), + (20217, 3, 62, 'Veston col ouvert rouge', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"rouge"}', 0), + (20218, 3, 62, 'Veston col ouvert blanc', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"blanc"}', 0), + (20219, 3, 62, 'Veston col ouvert marron', 50, '{"components":{"8":{"Drawable":40,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col ouvert","colorLabel":"marron"}', 0), + (20220, 3, 62, 'Veston col gris clair', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"gris clair"}', 0), + (20221, 3, 62, 'Veston col marron clair', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"marron clair"}', 0), + (20222, 3, 62, 'Veston col noire', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"noire"}', 0), + (20223, 3, 62, 'Veston col ciel', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"ciel"}', 0), + (20224, 3, 62, 'Veston col gris', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"gris"}', 0), + (20225, 3, 62, 'Veston col violet foncé', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"violet foncé"}', 0), + (20226, 3, 62, 'Veston col turquoise', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"turquoise"}', 0), + (20227, 3, 62, 'Veston col rouge', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"rouge"}', 0), + (20228, 3, 62, 'Veston col blanc', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"blanc"}', 0), + (20229, 3, 62, 'Veston col marron', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Veston col","colorLabel":"marron"}', 0), + (20230, 1, 61, 'T-shirt à motif artistique 1', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 1"}', 0), + (20231, 1, 61, 'T-shirt à motif artistique 2', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 2"}', 0), + (20232, 1, 61, 'T-shirt à motif artistique 3', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 3"}', 0), + (20233, 1, 61, 'T-shirt à motif artistique 4', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 4"}', 0), + (20234, 1, 61, 'T-shirt à motif marron', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"marron"}', 0), + (20235, 1, 61, 'T-shirt à motif casino', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"casino"}', 0), + (20236, 1, 61, 'T-shirt à motif P marrons', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"P marrons"}', 0), + (20237, 1, 61, 'T-shirt à motif P roses', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"P roses"}', 0), + (20238, 1, 61, 'T-shirt à motif casino noir', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"casino noir"}', 0), + (20239, 1, 61, 'T-shirt à motif casino goldé', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"casino goldé"}', 0), + (20240, 1, 61, 'T-shirt à motif rose', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"rose"}', 0), + (20241, 1, 61, 'T-shirt à motif losanges', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"losanges"}', 0), + (20242, 2, 61, 'T-shirt à motif artistique 1', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 1"}', 0), + (20243, 2, 61, 'T-shirt à motif artistique 2', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 2"}', 0), + (20244, 2, 61, 'T-shirt à motif artistique 3', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 3"}', 0), + (20245, 2, 61, 'T-shirt à motif artistique 4', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"artistique 4"}', 0), + (20246, 2, 61, 'T-shirt à motif marron', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"marron"}', 0), + (20247, 2, 61, 'T-shirt à motif casino', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"casino"}', 0), + (20248, 2, 61, 'T-shirt à motif P marrons', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"P marrons"}', 0), + (20249, 2, 61, 'T-shirt à motif P roses', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"P roses"}', 0), + (20250, 2, 61, 'T-shirt à motif casino noir', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"casino noir"}', 0), + (20251, 2, 61, 'T-shirt à motif casino goldé', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"casino goldé"}', 0), + (20252, 2, 61, 'T-shirt à motif rose', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"rose"}', 0), + (20253, 2, 61, 'T-shirt à motif losanges', 50, '{"components":{"8":{"Drawable":45,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt à motif","colorLabel":"losanges"}', 0), + (20254, 1, 61, 'T-shirt à motif artistique 1', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 1"}', 0), + (20255, 1, 61, 'T-shirt à motif artistique 2', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 2"}', 0), + (20256, 1, 61, 'T-shirt à motif artistique 3', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 3"}', 0), + (20257, 1, 61, 'T-shirt à motif artistique 4', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 4"}', 0), + (20258, 1, 61, 'T-shirt à motif marron', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"marron"}', 0), + (20259, 1, 61, 'T-shirt à motif casino', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino"}', 0), + (20260, 1, 61, 'T-shirt à motif P marrons', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P marrons"}', 0), + (20261, 1, 61, 'T-shirt à motif P roses', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P roses"}', 0), + (20262, 1, 61, 'T-shirt à motif casino noir', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino noir"}', 0), + (20263, 1, 61, 'T-shirt à motif casino goldé', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino goldé"}', 0), + (20264, 1, 61, 'T-shirt à motif rose', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"rose"}', 0), + (20265, 1, 61, 'T-shirt à motif losanges', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"losanges"}', 0), + (20266, 2, 61, 'T-shirt à motif artistique 1', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 1"}', 0), + (20267, 2, 61, 'T-shirt à motif artistique 2', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 2"}', 0), + (20268, 2, 61, 'T-shirt à motif artistique 3', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 3"}', 0), + (20269, 2, 61, 'T-shirt à motif artistique 4', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 4"}', 0), + (20270, 2, 61, 'T-shirt à motif marron', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"marron"}', 0), + (20271, 2, 61, 'T-shirt à motif casino', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino"}', 0), + (20272, 2, 61, 'T-shirt à motif P marrons', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P marrons"}', 0), + (20273, 2, 61, 'T-shirt à motif P roses', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P roses"}', 0), + (20274, 2, 61, 'T-shirt à motif casino noir', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino noir"}', 0), + (20275, 2, 61, 'T-shirt à motif casino goldé', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino goldé"}', 0), + (20276, 2, 61, 'T-shirt à motif rose', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"rose"}', 0), + (20277, 2, 61, 'T-shirt à motif losanges', 50, '{"components":{"8":{"Drawable":50,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"losanges"}', 0), + (20278, 1, 61, 'T-shirt uni blanc', 50, '{"components":{"8":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt uni","colorLabel":"blanc"}', 0), + (20279, 1, 61, 'T-shirt uni noir', 50, '{"components":{"8":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt uni","colorLabel":"noir"}', 0), + (20280, 1, 61, 'T-shirt uni gris', 50, '{"components":{"8":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt uni","colorLabel":"gris"}', 0), + (20281, 2, 61, 'T-shirt uni blanc', 50, '{"components":{"8":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt uni","colorLabel":"blanc"}', 0), + (20282, 2, 61, 'T-shirt uni noir', 50, '{"components":{"8":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt uni","colorLabel":"noir"}', 0), + (20283, 2, 61, 'T-shirt uni gris', 50, '{"components":{"8":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt uni","colorLabel":"gris"}', 0), + (20284, 1, 61, 'T-shirt bicolore abeille', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"abeille"}', 0), + (20285, 1, 61, 'T-shirt bicolore blanc', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"blanc"}', 0), + (20286, 1, 61, 'T-shirt bicolore jaune', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"jaune"}', 0), + (20287, 1, 61, 'T-shirt bicolore noir', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"noir"}', 0), + (20288, 2, 61, 'T-shirt bicolore abeille', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"abeille"}', 0), + (20289, 2, 61, 'T-shirt bicolore blanc', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"blanc"}', 0), + (20290, 2, 61, 'T-shirt bicolore jaune', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"jaune"}', 0), + (20291, 2, 61, 'T-shirt bicolore noir', 50, '{"components":{"8":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"T-shirt bicolore","colorLabel":"noir"}', 0), + (20292, 1, 61, 'T-shirt bicolore abeille', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"abeille"}', 0), + (20293, 1, 61, 'T-shirt bicolore blanc', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"blanc"}', 0), + (20294, 1, 61, 'T-shirt bicolore jaune', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"jaune"}', 0), + (20295, 1, 61, 'T-shirt bicolore noir', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"noir"}', 0), + (20296, 2, 61, 'T-shirt bicolore abeille', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"abeille"}', 0), + (20297, 2, 61, 'T-shirt bicolore blanc', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"blanc"}', 0), + (20298, 2, 61, 'T-shirt bicolore jaune', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"jaune"}', 0), + (20299, 2, 61, 'T-shirt bicolore noir', 50, '{"components":{"8":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":3,"modelLabel":"T-shirt bicolore","colorLabel":"noir"}', 0), + (20300, 3, 64, 'Col roulé gris', 50, '{"components":{"8":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"gris"}', 0), + (20301, 3, 64, 'Col roulé bordeau', 50, '{"components":{"8":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"bordeau"}', 0), + (20302, 3, 64, 'Col roulé marron', 50, '{"components":{"8":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"marron"}', 0), + (20303, 3, 64, 'Col roulé noir', 50, '{"components":{"8":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"noir"}', 0), + (20304, 3, 64, 'Col roulé cyan', 50, '{"components":{"8":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"cyan"}', 0), + (20305, 3, 64, 'Col roulé crème', 50, '{"components":{"8":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"crème"}', 0), + (20306, 3, 61, 'Corset provocateur chair', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"chair"}', 0), + (20307, 3, 61, 'Corset provocateur carreaux bleus', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"carreaux bleus"}', 0), + (20308, 3, 61, 'Corset provocateur carreaux rouges', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"carreaux rouges"}', 0), + (20309, 3, 61, 'Corset provocateur à pois bleus', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"à pois bleus"}', 0), + (20310, 3, 61, 'Corset provocateur léopard rouge', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"léopard rouge"}', 0), + (20311, 3, 61, 'Corset provocateur blanc à coeurs', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"blanc à coeurs"}', 0), + (20312, 3, 61, 'Corset provocateur noir à coeurs', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"noir à coeurs"}', 0), + (20313, 3, 61, 'Corset provocateur rouge à coeurs', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"rouge à coeurs"}', 0), + (20314, 3, 61, 'Corset provocateur violet fluo', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"violet fluo"}', 0), + (20315, 3, 61, 'Corset provocateur marron clair', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"marron clair"}', 0), + (20316, 3, 61, 'Corset provocateur léopard de la savane', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"léopard de la savane"}', 0), + (20317, 3, 61, 'Corset provocateur cupidon', 50, '{"components":{"8":{"Drawable":68,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Corset provocateur","colorLabel":"cupidon"}', 0), + (20318, 1, 61, 'T-shirt uni cyan', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"cyan"}', 0), + (20319, 1, 61, 'T-shirt uni bleu', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (20320, 1, 61, 'T-shirt uni orange', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"orange"}', 0), + (20321, 1, 61, 'T-shirt uni saumon', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"saumon"}', 0), + (20322, 1, 61, 'T-shirt uni rouge', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"rouge"}', 0), + (20323, 1, 61, 'T-shirt uni jaune', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"jaune"}', 0), + (20324, 2, 61, 'T-shirt uni cyan', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"cyan"}', 0), + (20325, 2, 61, 'T-shirt uni bleu', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"bleu"}', 0), + (20326, 2, 61, 'T-shirt uni orange', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"orange"}', 0), + (20327, 2, 61, 'T-shirt uni saumon', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"saumon"}', 0), + (20328, 2, 61, 'T-shirt uni rouge', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"rouge"}', 0), + (20329, 2, 61, 'T-shirt uni jaune', 50, '{"components":{"8":{"Drawable":80,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt uni","colorLabel":"jaune"}', 0), + (20330, 1, 61, 'Long T-shirt de marque Ono', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Ono"}', 0), + (20331, 1, 61, 'Long T-shirt de marque Chepalle', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Chepalle"}', 0), + (20332, 1, 61, 'Long T-shirt de marque Atomic', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Atomic"}', 0), + (20333, 1, 61, 'Long T-shirt de marque X-treme', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"X-treme"}', 0), + (20334, 1, 61, 'Long T-shirt de marque Blitz', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Blitz"}', 0), + (20335, 1, 61, 'Long T-shirt de marque Tinkle', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Tinkle"}', 0), + (20336, 1, 61, 'Long T-shirt de marque Jackal orange', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Jackal orange"}', 0), + (20337, 1, 61, 'Long T-shirt de marque Jackal bleu', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Jackal bleu"}', 0), + (20338, 1, 61, 'Long T-shirt de marque Punk orange', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Punk orange"}', 0), + (20339, 1, 61, 'Long T-shirt de marque 8', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"8"}', 0), + (20340, 1, 61, 'Long T-shirt de marque Aibator', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Aibator"}', 0), + (20341, 1, 61, 'Long T-shirt de marque Aibator 2', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Aibator 2"}', 0), + (20342, 2, 61, 'Long T-shirt de marque Ono', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Ono"}', 0), + (20343, 2, 61, 'Long T-shirt de marque Chepalle', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Chepalle"}', 0), + (20344, 2, 61, 'Long T-shirt de marque Atomic', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Atomic"}', 0), + (20345, 2, 61, 'Long T-shirt de marque X-treme', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"X-treme"}', 0), + (20346, 2, 61, 'Long T-shirt de marque Blitz', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Blitz"}', 0), + (20347, 2, 61, 'Long T-shirt de marque Tinkle', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Tinkle"}', 0), + (20348, 2, 61, 'Long T-shirt de marque Jackal orange', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Jackal orange"}', 0), + (20349, 2, 61, 'Long T-shirt de marque Jackal bleu', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Jackal bleu"}', 0), + (20350, 2, 61, 'Long T-shirt de marque Punk orange', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Punk orange"}', 0), + (20351, 2, 61, 'Long T-shirt de marque 8', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"8"}', 0), + (20352, 2, 61, 'Long T-shirt de marque Aibator', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Aibator"}', 0), + (20353, 2, 61, 'Long T-shirt de marque Aibator 2', 50, '{"components":{"8":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"Long T-shirt de marque","colorLabel":"Aibator 2"}', 0), + (20354, 1, 61, 'T-shirt de marque Bigness', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Bigness"}', 0), + (20355, 1, 61, 'T-shirt de marque Zèbre', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Zèbre"}', 0), + (20356, 1, 61, 'T-shirt de marque Squash', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Squash"}', 0), + (20357, 1, 61, 'T-shirt de marque Léopard', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Léopard"}', 0), + (20358, 1, 61, 'T-shirt de marque Go Post', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Go Post"}', 0), + (20359, 1, 61, 'T-shirt de marque Manor', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Manor"}', 0), + (20360, 1, 61, 'T-shirt de marque Arc-en-ciel', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Arc-en-ciel"}', 0), + (20361, 1, 61, 'T-shirt de marque Squash mojito', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Squash mojito"}', 0), + (20362, 1, 61, 'T-shirt de marque Squash Soleil', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Squash Soleil"}', 0), + (20363, 1, 61, 'T-shirt de marque Gucci rouge', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Gucci rouge"}', 0), + (20364, 1, 61, 'T-shirt de marque Gucci jaune', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Gucci jaune"}', 0), + (20365, 1, 61, 'T-shirt de marque Limonade', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Limonade"}', 0), + (20366, 1, 61, 'T-shirt de marque camouflage', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"camouflage"}', 0), + (20367, 1, 61, 'T-shirt de marque Güffy', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Güffy"}', 0), + (20368, 1, 61, 'T-shirt de marque Painball rose', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Painball rose"}', 0), + (20369, 2, 61, 'T-shirt de marque Bigness', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Bigness"}', 0), + (20370, 2, 61, 'T-shirt de marque Zèbre', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Zèbre"}', 0), + (20371, 2, 61, 'T-shirt de marque Squash', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Squash"}', 0), + (20372, 2, 61, 'T-shirt de marque Léopard', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Léopard"}', 0), + (20373, 2, 61, 'T-shirt de marque Go Post', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Go Post"}', 0), + (20374, 2, 61, 'T-shirt de marque Manor', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Manor"}', 0), + (20375, 2, 61, 'T-shirt de marque Arc-en-ciel', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Arc-en-ciel"}', 0), + (20376, 2, 61, 'T-shirt de marque Squash mojito', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Squash mojito"}', 0), + (20377, 2, 61, 'T-shirt de marque Squash Soleil', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Squash Soleil"}', 0), + (20378, 2, 61, 'T-shirt de marque Gucci rouge', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Gucci rouge"}', 0), + (20379, 2, 61, 'T-shirt de marque Gucci jaune', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Gucci jaune"}', 0), + (20380, 2, 61, 'T-shirt de marque Limonade', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Limonade"}', 0), + (20381, 2, 61, 'T-shirt de marque camouflage', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"camouflage"}', 0), + (20382, 2, 61, 'T-shirt de marque Güffy', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Güffy"}', 0), + (20383, 2, 61, 'T-shirt de marque Painball rose', 50, '{"components":{"8":{"Drawable":111,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"Painball rose"}', 0), + (20384, 1, 61, 'T-shirt camouflage pixels bleus', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels bleus"}', 0), + (20385, 1, 61, 'T-shirt camouflage pixels sable', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels sable"}', 0), + (20386, 1, 61, 'T-shirt camouflage pixels verts', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels verts"}', 0), + (20387, 1, 61, 'T-shirt camouflage pixels marrons', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels marrons"}', 0), + (20388, 1, 61, 'T-shirt camouflage pixels clairs', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels clairs"}', 0), + (20389, 1, 61, 'T-shirt camouflage désert', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"désert"}', 0), + (20390, 1, 61, 'T-shirt camouflage savane', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"savane"}', 0), + (20391, 1, 61, 'T-shirt camouflage grillage', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"grillage"}', 0), + (20392, 1, 61, 'T-shirt camouflage pixels plaine', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels plaine"}', 0), + (20393, 1, 61, 'T-shirt camouflage pierre', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pierre"}', 0), + (20394, 1, 61, 'T-shirt camouflage océan', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"océan"}', 0), + (20395, 1, 61, 'T-shirt camouflage urbain vert', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"urbain vert"}', 0), + (20396, 2, 61, 'T-shirt camouflage pixels bleus', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels bleus"}', 0), + (20397, 2, 61, 'T-shirt camouflage pixels sable', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels sable"}', 0), + (20398, 2, 61, 'T-shirt camouflage pixels verts', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels verts"}', 0), + (20399, 2, 61, 'T-shirt camouflage pixels marrons', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels marrons"}', 0), + (20400, 2, 61, 'T-shirt camouflage pixels clairs', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels clairs"}', 0), + (20401, 2, 61, 'T-shirt camouflage désert', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"désert"}', 0), + (20402, 2, 61, 'T-shirt camouflage savane', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"savane"}', 0), + (20403, 2, 61, 'T-shirt camouflage grillage', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"grillage"}', 0), + (20404, 2, 61, 'T-shirt camouflage pixels plaine', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels plaine"}', 0), + (20405, 2, 61, 'T-shirt camouflage pierre', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pierre"}', 0), + (20406, 2, 61, 'T-shirt camouflage océan', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"océan"}', 0), + (20407, 2, 61, 'T-shirt camouflage urbain vert', 50, '{"components":{"8":{"Drawable":127,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"urbain vert"}', 0), + (20408, 3, 65, 'Polo de marque gris et blanc', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"gris et blanc"}', 0), + (20409, 3, 65, 'Polo de marque rouge et blanc', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"rouge et blanc"}', 0), + (20410, 3, 65, 'Polo de marque marron', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"marron"}', 0), + (20411, 3, 65, 'Polo de marque rose', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"rose"}', 0), + (20412, 3, 65, 'Polo de marque vert', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"vert"}', 0), + (20413, 3, 65, 'Polo de marque orange', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"orange"}', 0), + (20414, 3, 65, 'Polo de marque cyan', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"cyan"}', 0), + (20415, 3, 65, 'Polo de marque blanc', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"blanc"}', 0), + (20416, 3, 65, 'Polo de marque noir', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"noir"}', 0), + (20417, 3, 65, 'Polo de marque rouge', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"rouge"}', 0), + (20418, 3, 65, 'Polo de marque violet', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"violet"}', 0), + (20419, 3, 65, 'Polo de marque jaune', 50, '{"components":{"8":{"Drawable":150,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":4,"modelLabel":"Polo de marque","colorLabel":"jaune"}', 0), + (20420, 1, 61, 'T-shirt simple blanc', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"blanc"}', 0), + (20421, 1, 61, 'T-shirt simple noir', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"noir"}', 0), + (20422, 1, 61, 'T-shirt simple jaune', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"jaune"}', 0), + (20423, 1, 61, 'T-shirt simple rouge', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"rouge"}', 0), + (20424, 1, 61, 'T-shirt simple raisin', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"raisin"}', 0), + (20425, 1, 61, 'T-shirt simple pâle', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"pâle"}', 0), + (20426, 1, 61, 'T-shirt simple rose', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"rose"}', 0), + (20427, 1, 61, 'T-shirt simple violet', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"violet"}', 0), + (20428, 1, 61, 'T-shirt simple orange', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"orange"}', 0), + (20429, 1, 61, 'T-shirt simple vert fluo', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"vert fluo"}', 0), + (20430, 2, 61, 'T-shirt simple blanc', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"blanc"}', 0), + (20431, 2, 61, 'T-shirt simple noir', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"noir"}', 0), + (20432, 2, 61, 'T-shirt simple jaune', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"jaune"}', 0), + (20433, 2, 61, 'T-shirt simple rouge', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"rouge"}', 0), + (20434, 2, 61, 'T-shirt simple raisin', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"raisin"}', 0), + (20435, 2, 61, 'T-shirt simple pâle', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"pâle"}', 0), + (20436, 2, 61, 'T-shirt simple rose', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"rose"}', 0), + (20437, 2, 61, 'T-shirt simple violet', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"violet"}', 0), + (20438, 2, 61, 'T-shirt simple orange', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"orange"}', 0), + (20439, 2, 61, 'T-shirt simple vert fluo', 50, '{"components":{"8":{"Drawable":151,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"vert fluo"}', 0), + (20440, 1, 61, 'T-shirt de marque manor 1', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 1"}', 0), + (20441, 1, 61, 'T-shirt de marque manor 2', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 2"}', 0), + (20442, 1, 61, 'T-shirt de marque manor 3', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 3"}', 0), + (20443, 1, 61, 'T-shirt de marque manor 4', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 4"}', 0), + (20444, 1, 61, 'T-shirt de marque manor 5', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 5"}', 0), + (20445, 1, 61, 'T-shirt de marque manor 6', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 6"}', 0), + (20446, 1, 61, 'T-shirt de marque blagueur 1', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 1"}', 0), + (20447, 1, 61, 'T-shirt de marque blagueur 2', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 2"}', 0), + (20448, 1, 61, 'T-shirt de marque blagueur 3', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 3"}', 0), + (20449, 1, 61, 'T-shirt de marque blagueur 4', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 4"}', 0), + (20450, 1, 61, 'T-shirt de marque blagueur 5', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 5"}', 0), + (20451, 1, 61, 'T-shirt de marque blagueur 6', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 6"}', 0), + (20452, 1, 61, 'T-shirt de marque blagueur 7', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 7"}', 0), + (20453, 1, 61, 'T-shirt de marque blagueur 8', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 8"}', 0), + (20454, 2, 61, 'T-shirt de marque manor 1', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 1"}', 0), + (20455, 2, 61, 'T-shirt de marque manor 2', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 2"}', 0), + (20456, 2, 61, 'T-shirt de marque manor 3', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 3"}', 0), + (20457, 2, 61, 'T-shirt de marque manor 4', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 4"}', 0), + (20458, 2, 61, 'T-shirt de marque manor 5', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 5"}', 0), + (20459, 2, 61, 'T-shirt de marque manor 6', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 6"}', 0), + (20460, 2, 61, 'T-shirt de marque blagueur 1', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 1"}', 0), + (20461, 2, 61, 'T-shirt de marque blagueur 2', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 2"}', 0), + (20462, 2, 61, 'T-shirt de marque blagueur 3', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 3"}', 0), + (20463, 2, 61, 'T-shirt de marque blagueur 4', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 4"}', 0), + (20464, 2, 61, 'T-shirt de marque blagueur 5', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 5"}', 0), + (20465, 2, 61, 'T-shirt de marque blagueur 6', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 6"}', 0), + (20466, 2, 61, 'T-shirt de marque blagueur 7', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 7"}', 0), + (20467, 2, 61, 'T-shirt de marque blagueur 8', 50, '{"components":{"8":{"Drawable":165,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 8"}', 0), + (20468, 1, 61, 'Brassière zèbre', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"zèbre"}', 0), + (20469, 1, 61, 'Brassière zèbre bleu', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"zèbre bleu"}', 0), + (20470, 1, 61, 'Brassière rose', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"rose"}', 0), + (20471, 1, 61, 'Brassière bleu', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"bleu"}', 0), + (20472, 1, 61, 'Brassière jaune', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"jaune"}', 0), + (20473, 1, 61, 'Brassière léopard vert', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard vert"}', 0), + (20474, 1, 61, 'Brassière léopard vert clair', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard vert clair"}', 0), + (20475, 1, 61, 'Brassière léopard rose', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard rose"}', 0), + (20476, 1, 61, 'Brassière léopard turquoise', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard turquoise"}', 0), + (20477, 1, 61, 'Brassière léopard', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard"}', 0), + (20478, 2, 61, 'Brassière zèbre', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":0}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"zèbre"}', 0), + (20479, 2, 61, 'Brassière zèbre bleu', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":1}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"zèbre bleu"}', 0), + (20480, 2, 61, 'Brassière rose', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"rose"}', 0), + (20481, 2, 61, 'Brassière bleu', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"bleu"}', 0), + (20482, 2, 61, 'Brassière jaune', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"jaune"}', 0), + (20483, 2, 61, 'Brassière léopard vert', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard vert"}', 0), + (20484, 2, 61, 'Brassière léopard vert clair', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard vert clair"}', 0), + (20485, 2, 61, 'Brassière léopard rose', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard rose"}', 0), + (20486, 2, 61, 'Brassière léopard turquoise', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard turquoise"}', 0), + (20487, 2, 61, 'Brassière léopard', 50, '{"components":{"8":{"Drawable":175,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":2,"modelLabel":"Brassière","colorLabel":"léopard"}', 0), + (20488, 1, 61, 'T-shirt de l\'espace astro noir', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro noir"}', 0), + (20489, 1, 61, 'T-shirt de l\'espace astro blanc', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro blanc"}', 0), + (20490, 1, 61, 'T-shirt de l\'espace astro jaune', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro jaune"}', 0), + (20491, 1, 61, 'T-shirt de l\'espace astro vert', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro vert"}', 0), + (20492, 1, 61, 'T-shirt de l\'espace star noir', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star noir"}', 0), + (20493, 1, 61, 'T-shirt de l\'espace star vert', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star vert"}', 0), + (20494, 1, 61, 'T-shirt de l\'espace goutte blanc', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte blanc"}', 0), + (20495, 1, 61, 'T-shirt de l\'espace goutte jaune', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte jaune"}', 0), + (20496, 1, 61, 'T-shirt de l\'espace vaisseau bleu', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau bleu"}', 0), + (20497, 1, 61, 'T-shirt de l\'espace vaisseau rose', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau rose"}', 0), + (20498, 1, 61, 'T-shirt de l\'espace alien', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien"}', 0), + (20499, 1, 61, 'T-shirt de l\'espace alien rose', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien rose"}', 0), + (20500, 1, 61, 'T-shirt de l\'espace espace', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"espace"}', 0), + (20501, 2, 61, 'T-shirt de l\'espace astro noir', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":2}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro noir"}', 0), + (20502, 2, 61, 'T-shirt de l\'espace astro blanc', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":3}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro blanc"}', 0), + (20503, 2, 61, 'T-shirt de l\'espace astro jaune', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":4}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro jaune"}', 0), + (20504, 2, 61, 'T-shirt de l\'espace astro vert', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":5}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro vert"}', 0), + (20505, 2, 61, 'T-shirt de l\'espace star noir', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":6}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star noir"}', 0), + (20506, 2, 61, 'T-shirt de l\'espace star vert', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":7}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star vert"}', 0), + (20507, 2, 61, 'T-shirt de l\'espace goutte blanc', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":8}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte blanc"}', 0), + (20508, 2, 61, 'T-shirt de l\'espace goutte jaune', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":9}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte jaune"}', 0), + (20509, 2, 61, 'T-shirt de l\'espace vaisseau bleu', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":10}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau bleu"}', 0), + (20510, 2, 61, 'T-shirt de l\'espace vaisseau rose', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":11}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau rose"}', 0), + (20511, 2, 61, 'T-shirt de l\'espace alien', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":12}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien"}', 0), + (20512, 2, 61, 'T-shirt de l\'espace alien rose', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":13}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien rose"}', 0), + (20513, 2, 61, 'T-shirt de l\'espace espace', 50, '{"components":{"8":{"Drawable":181,"Palette":0,"Texture":14}},"modelHash":-1667301416,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"espace"}', 0), + (20514, 1, 61, 'T-shirt simple gris clair', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"gris clair"}', 0), + (20515, 1, 61, 'T-shirt simple gris foncé', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"gris foncé"}', 0), + (20516, 1, 61, 'T-shirt simple noir', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"noir"}', 0), + (20517, 1, 61, 'T-shirt simple jaune', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"jaune"}', 0), + (20518, 1, 61, 'T-shirt simple blanc', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"blanc"}', 0), + (20519, 1, 61, 'T-shirt simple crème', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"crème"}', 0), + (20520, 1, 61, 'T-shirt simple pêche', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"pêche"}', 0), + (20521, 1, 61, 'T-shirt simple bleu', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"bleu"}', 0), + (20522, 1, 61, 'T-shirt simple marron', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"marron"}', 0), + (20523, 2, 61, 'T-shirt simple gris clair', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"gris clair"}', 0), + (20524, 2, 61, 'T-shirt simple gris foncé', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"gris foncé"}', 0), + (20525, 2, 61, 'T-shirt simple noir', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"noir"}', 0), + (20526, 2, 61, 'T-shirt simple jaune', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"jaune"}', 0), + (20527, 2, 61, 'T-shirt simple blanc', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"blanc"}', 0), + (20528, 2, 61, 'T-shirt simple crème', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"crème"}', 0), + (20529, 2, 61, 'T-shirt simple pêche', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"pêche"}', 0), + (20530, 2, 61, 'T-shirt simple bleu', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"bleu"}', 0), + (20531, 2, 61, 'T-shirt simple marron', 50, '{"components":{"8":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"marron"}', 0), + (20532, 1, 61, 'T-shirt col en V blanc', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"blanc"}', 0), + (20533, 1, 61, 'T-shirt col en V gris foncé', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"gris foncé"}', 0), + (20534, 1, 61, 'T-shirt col en V jaune', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"jaune"}', 0), + (20535, 1, 61, 'T-shirt col en V bordeau', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"bordeau"}', 0), + (20536, 1, 61, 'T-shirt col en V bleu', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"bleu"}', 0), + (20537, 1, 61, 'T-shirt col en V violet', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"violet"}', 0), + (20538, 1, 61, 'T-shirt col en V vert', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"vert"}', 0), + (20539, 1, 61, 'T-shirt col en V rose', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"rose"}', 0), + (20540, 1, 61, 'T-shirt col en V orange', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"orange"}', 0), + (20541, 1, 61, 'T-shirt col en V marron', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"marron"}', 0), + (20542, 1, 61, 'T-shirt col en V soleil', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"soleil"}', 0), + (20543, 2, 61, 'T-shirt col en V blanc', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"blanc"}', 0), + (20544, 2, 61, 'T-shirt col en V gris foncé', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"gris foncé"}', 0), + (20545, 2, 61, 'T-shirt col en V jaune', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"jaune"}', 0), + (20546, 2, 61, 'T-shirt col en V bordeau', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"bordeau"}', 0), + (20547, 2, 61, 'T-shirt col en V bleu', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"bleu"}', 0), + (20548, 2, 61, 'T-shirt col en V violet', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"violet"}', 0), + (20549, 2, 61, 'T-shirt col en V vert', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"vert"}', 0), + (20550, 2, 61, 'T-shirt col en V rose', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"rose"}', 0), + (20551, 2, 61, 'T-shirt col en V orange', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"orange"}', 0), + (20552, 2, 61, 'T-shirt col en V marron', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"marron"}', 0), + (20553, 2, 61, 'T-shirt col en V soleil', 50, '{"components":{"8":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt col en V","colorLabel":"soleil"}', 0), + (20554, 1, 61, 'T-shirt simple remonté gris clair', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"gris clair"}', 0), + (20555, 1, 61, 'T-shirt simple remonté gris foncé', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"gris foncé"}', 0), + (20556, 1, 61, 'T-shirt simple remonté noir', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"noir"}', 0), + (20557, 1, 61, 'T-shirt simple remonté jaune', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"jaune"}', 0), + (20558, 1, 61, 'T-shirt simple remonté blanc', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"blanc"}', 0), + (20559, 1, 61, 'T-shirt simple remonté crème', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"crème"}', 0), + (20560, 1, 61, 'T-shirt simple remonté pâle', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"pâle"}', 0), + (20561, 1, 61, 'T-shirt simple remonté bleu', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"bleu"}', 0), + (20562, 1, 61, 'T-shirt simple remonté marron', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"marron"}', 0), + (20563, 2, 61, 'T-shirt simple remonté gris clair', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"gris clair"}', 0), + (20564, 2, 61, 'T-shirt simple remonté gris foncé', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"gris foncé"}', 0), + (20565, 2, 61, 'T-shirt simple remonté noir', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"noir"}', 0), + (20566, 2, 61, 'T-shirt simple remonté jaune', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"jaune"}', 0), + (20567, 2, 61, 'T-shirt simple remonté blanc', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"blanc"}', 0), + (20568, 2, 61, 'T-shirt simple remonté crème', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"crème"}', 0), + (20569, 2, 61, 'T-shirt simple remonté pâle', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"pâle"}', 0), + (20570, 2, 61, 'T-shirt simple remonté bleu', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"bleu"}', 0), + (20571, 2, 61, 'T-shirt simple remonté marron', 50, '{"components":{"8":{"Drawable":2,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple remonté","colorLabel":"marron"}', 0), + (20572, 3, 62, 'Veston avec col ouvert noir', 50, '{"components":{"8":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"noir"}', 0), + (20573, 3, 62, 'Veston avec col ouvert gris', 50, '{"components":{"8":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"gris"}', 0), + (20574, 3, 62, 'Veston avec col ouvert gris col noir', 50, '{"components":{"8":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"gris col noir"}', 0), + (20575, 3, 62, 'Veston avec col fermé noir', 50, '{"components":{"8":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"noir"}', 0), + (20576, 3, 62, 'Veston avec col fermé gris', 50, '{"components":{"8":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"gris"}', 0), + (20577, 3, 62, 'Veston avec col fermé gris col noir', 50, '{"components":{"8":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"gris col noir"}', 0), + (20578, 3, 62, 'Chemise retroussée blanche', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"blanche"}', 0), + (20579, 3, 62, 'Chemise retroussée gris', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"gris"}', 0), + (20580, 3, 62, 'Chemise retroussée gris foncé', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"gris foncé"}', 0), + (20581, 3, 62, 'Chemise retroussée indigo', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"indigo"}', 0), + (20582, 3, 62, 'Chemise retroussée pâle', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"pâle"}', 0), + (20583, 3, 62, 'Chemise retroussée saumon', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"saumon"}', 0), + (20584, 3, 62, 'Chemise retroussée kaki', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"kaki"}', 0), + (20585, 3, 62, 'Chemise retroussée violet', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"violet"}', 0), + (20586, 3, 62, 'Chemise retroussée crème', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"crème"}', 0), + (20587, 3, 62, 'Chemise retroussée menthe', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"menthe"}', 0), + (20588, 3, 62, 'Chemise retroussée marron', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"marron"}', 0), + (20589, 3, 62, 'Chemise retroussée bordeau', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"bordeau"}', 0), + (20590, 3, 62, 'Chemise retroussée carreaux', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"carreaux"}', 0), + (20591, 3, 62, 'Chemise retroussée rose', 50, '{"components":{"8":{"Drawable":6,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":5,"modelLabel":"Chemise retroussée","colorLabel":"rose"}', 0), + (20592, 1, 61, 'T-shirt de sport bleu et rouge', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"bleu et rouge"}', 0), + (20593, 1, 61, 'T-shirt de sport bleu et blanc', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"bleu et blanc"}', 0), + (20594, 1, 61, 'T-shirt de sport noir', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"noir"}', 0), + (20595, 1, 61, 'T-shirt de sport gris', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"gris"}', 0), + (20596, 2, 61, 'T-shirt de sport bleu et rouge', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"bleu et rouge"}', 0), + (20597, 2, 61, 'T-shirt de sport bleu et blanc', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"bleu et blanc"}', 0), + (20598, 2, 61, 'T-shirt de sport noir', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"noir"}', 0), + (20599, 2, 61, 'T-shirt de sport gris', 50, '{"components":{"8":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt de sport","colorLabel":"gris"}', 0), + (20600, 3, 65, 'Polo décoré rayé', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"rayé"}', 0), + (20601, 3, 65, 'Polo décoré gris', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"gris"}', 0), + (20602, 3, 65, 'Polo décoré noir', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"noir"}', 0), + (20603, 3, 65, 'Polo décoré pâle', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"pâle"}', 0), + (20604, 3, 65, 'Polo décoré bleu', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"bleu"}', 0), + (20605, 3, 65, 'Polo décoré orange', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"orange"}', 0), + (20606, 3, 65, 'Polo décoré rose', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"rose"}', 0), + (20607, 3, 65, 'Polo décoré violet', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"violet"}', 0), + (20608, 3, 65, 'Polo décoré rayé bleu', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"rayé bleu"}', 0), + (20609, 3, 65, 'Polo décoré blanc', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"blanc"}', 0), + (20610, 3, 65, 'Polo décoré vert', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"vert"}', 0), + (20611, 3, 65, 'Polo décoré vert foncé', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"vert foncé"}', 0), + (20612, 3, 65, 'Polo décoré rouge', 50, '{"components":{"8":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo décoré","colorLabel":"rouge"}', 0), + (20613, 3, 62, 'Chemise col fermé blanche', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"blanche"}', 0), + (20614, 3, 62, 'Chemise col fermé grise', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"grise"}', 0), + (20615, 3, 62, 'Chemise col fermé noire', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"noire"}', 0), + (20616, 3, 62, 'Chemise col fermé indigo', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"indigo"}', 0), + (20617, 3, 62, 'Chemise col fermé pâle', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"pâle"}', 0), + (20618, 3, 62, 'Chemise col fermé rose', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"rose"}', 0), + (20619, 3, 62, 'Chemise col fermé pointillé', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"pointillé"}', 0), + (20620, 3, 62, 'Chemise col fermé saumon', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"saumon"}', 0), + (20621, 3, 62, 'Chemise col fermé kaki', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"kaki"}', 0), + (20622, 3, 62, 'Chemise col fermé violet', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"violet"}', 0), + (20623, 3, 62, 'Chemise col fermé sable', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"sable"}', 0), + (20624, 3, 62, 'Chemise col fermé menthe', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"menthe"}', 0), + (20625, 3, 62, 'Chemise col fermé rayée', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"rayée"}', 0), + (20626, 3, 62, 'Chemise col fermé rayée rose', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"rayée rose"}', 0), + (20627, 3, 62, 'Chemise col fermé marron', 50, '{"components":{"8":{"Drawable":10,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col fermé","colorLabel":"marron"}', 0), + (20628, 3, 62, 'Chemise col ouvert blanche', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"blanche"}', 0), + (20629, 3, 62, 'Chemise col ouvert grise', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"grise"}', 0), + (20630, 3, 62, 'Chemise col ouvert noire', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"noire"}', 0), + (20631, 3, 62, 'Chemise col ouvert indigo', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"indigo"}', 0), + (20632, 3, 62, 'Chemise col ouvert pâle', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"pâle"}', 0), + (20633, 3, 62, 'Chemise col ouvert rose', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"rose"}', 0), + (20634, 3, 62, 'Chemise col ouvert pointillé', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"pointillé"}', 0), + (20635, 3, 62, 'Chemise col ouvert saumon', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"saumon"}', 0), + (20636, 3, 62, 'Chemise col ouvert kaki', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"kaki"}', 0), + (20637, 3, 62, 'Chemise col ouvert violet', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"violet"}', 0), + (20638, 3, 62, 'Chemise col ouvert sable', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"sable"}', 0), + (20639, 3, 62, 'Chemise col ouvert menthe', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"menthe"}', 0), + (20640, 3, 62, 'Chemise col ouvert rayée', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"rayée"}', 0), + (20641, 3, 62, 'Chemise col ouvert rayée rose', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"rayée rose"}', 0), + (20642, 3, 62, 'Chemise col ouvert marron', 50, '{"components":{"8":{"Drawable":11,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Chemise col ouvert","colorLabel":"marron"}', 0), + (20643, 3, 62, 'Chemise de bucheron blanche', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"blanche"}', 0), + (20644, 3, 62, 'Chemise de bucheron grise', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"grise"}', 0), + (20645, 3, 62, 'Chemise de bucheron noire', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"noire"}', 0), + (20646, 3, 62, 'Chemise de bucheron bleue', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"bleue"}', 0), + (20647, 3, 62, 'Chemise de bucheron bordeau', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"bordeau"}', 0), + (20648, 3, 62, 'Chemise de bucheron à carreaux', 50, '{"components":{"8":{"Drawable":13,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"à carreaux"}', 0), + (20649, 1, 61, 'T-shirt col en V sombre', 50, '{"components":{"8":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt col en V","colorLabel":"sombre"}', 0), + (20650, 1, 61, 'T-shirt col en V ciel', 50, '{"components":{"8":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt col en V","colorLabel":"ciel"}', 0), + (20651, 1, 61, 'T-shirt col en V rouge', 50, '{"components":{"8":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt col en V","colorLabel":"rouge"}', 0), + (20652, 2, 61, 'T-shirt col en V sombre', 50, '{"components":{"8":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt col en V","colorLabel":"sombre"}', 0), + (20653, 2, 61, 'T-shirt col en V ciel', 50, '{"components":{"8":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt col en V","colorLabel":"ciel"}', 0), + (20654, 2, 61, 'T-shirt col en V rouge', 50, '{"components":{"8":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt col en V","colorLabel":"rouge"}', 0), + (20655, 1, 63, 'T-shirt de Noël Père', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"Père"}', 0), + (20656, 1, 63, 'T-shirt de Noël lutin', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"lutin"}', 0), + (20657, 1, 63, 'T-shirt de Noël neige', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"neige"}', 0), + (20658, 1, 63, 'T-shirt de Noël renne', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"renne"}', 0), + (20659, 2, 63, 'T-shirt de Noël Père', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"Père"}', 0), + (20660, 2, 63, 'T-shirt de Noël lutin', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"lutin"}', 0), + (20661, 2, 63, 'T-shirt de Noël neige', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"neige"}', 0), + (20662, 2, 63, 'T-shirt de Noël renne', 50, '{"components":{"8":{"Drawable":19,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de Noël","colorLabel":"renne"}', 0), + (20663, 3, 62, 'Chemise manches longues noire', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":6,"modelLabel":"Chemise manches longues","colorLabel":"noire"}', 0), + (20664, 3, 62, 'Chemise manches longues saumon', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":6,"modelLabel":"Chemise manches longues","colorLabel":"saumon"}', 0), + (20665, 3, 62, 'Chemise manches longues rouge', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":6,"modelLabel":"Chemise manches longues","colorLabel":"rouge"}', 0), + (20666, 3, 62, 'Chemise manches longues soleil', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":6,"modelLabel":"Chemise manches longues","colorLabel":"soleil"}', 0), + (20667, 3, 62, 'Chemise manches longues blanche', 50, '{"components":{"8":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":6,"modelLabel":"Chemise manches longues","colorLabel":"blanche"}', 0), + (20668, 3, 62, 'Veston avec col ouvert clair', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"clair"}', 0), + (20669, 3, 62, 'Veston avec col ouvert kaki', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"kaki"}', 0), + (20670, 3, 62, 'Veston avec col ouvert violet', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"violet"}', 0), + (20671, 3, 62, 'Veston avec col ouvert rouge', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"rouge"}', 0), + (20672, 3, 62, 'Veston avec col ouvert blanc', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"blanc"}', 0), + (20673, 3, 62, 'Veston avec col ouvert marron', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"marron"}', 0), + (20674, 3, 62, 'Veston avec col ouvert à pois', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"à pois"}', 0), + (20675, 3, 62, 'Veston avec col ouvert crème', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"crème"}', 0), + (20676, 3, 62, 'Veston avec col ouvert bleu foncé', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"bleu foncé"}', 0), + (20677, 3, 62, 'Veston avec col ouvert gris foncé', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"gris foncé"}', 0), + (20678, 3, 62, 'Veston avec col ouvert classy', 50, '{"components":{"8":{"Drawable":25,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col ouvert","colorLabel":"classy"}', 0), + (20679, 3, 62, 'Veston avec col fermé clair', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"clair"}', 0), + (20680, 3, 62, 'Veston avec col fermé kaki', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"kaki"}', 0), + (20681, 3, 62, 'Veston avec col fermé violet', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"violet"}', 0), + (20682, 3, 62, 'Veston avec col fermé rouge', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"rouge"}', 0), + (20683, 3, 62, 'Veston avec col fermé blanc', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"blanc"}', 0), + (20684, 3, 62, 'Veston avec col fermé marron', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"marron"}', 0), + (20685, 3, 62, 'Veston avec col fermé à pois', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"à pois"}', 0), + (20686, 3, 62, 'Veston avec col fermé crème', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"crème"}', 0), + (20687, 3, 62, 'Veston avec col fermé bleu foncé', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"bleu foncé"}', 0), + (20688, 3, 62, 'Veston avec col fermé gris foncé', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"gris foncé"}', 0), + (20689, 3, 62, 'Veston avec col fermé classy', 50, '{"components":{"8":{"Drawable":26,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston avec col fermé","colorLabel":"classy"}', 0), + (20690, 3, 62, 'Chemise de bucheron noire', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"noire"}', 0), + (20691, 3, 62, 'Chemise de bucheron kaki', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"kaki"}', 0), + (20692, 3, 62, 'Chemise de bucheron orange', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"orange"}', 0), + (20693, 3, 62, 'Chemise de bucheron soleil', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"soleil"}', 0), + (20694, 3, 62, 'Chemise de bucheron rose', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"rose"}', 0), + (20695, 3, 62, 'Chemise de bucheron car. rouge', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"car. rouge"}', 0), + (20696, 3, 62, 'Chemise de bucheron car. violet', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"car. violet"}', 0), + (20697, 3, 62, 'Chemise de bucheron car. bleu', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"car. bleu"}', 0), + (20698, 3, 62, 'Chemise de bucheron car. blanc', 50, '{"components":{"8":{"Drawable":27,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Chemise de bucheron","colorLabel":"car. blanc"}', 0), + (20699, 1, 62, 'Chemise longue car. bleu', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. bleu"}', 0), + (20700, 1, 62, 'Chemise longue car. jaune', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. jaune"}', 0), + (20701, 1, 62, 'Chemise longue carreaux', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"carreaux"}', 0), + (20702, 1, 62, 'Chemise longue car. j&n', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. j&n"}', 0), + (20703, 1, 62, 'Chemise longue car. rouge', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. rouge"}', 0), + (20704, 1, 62, 'Chemise longue car. rayés', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. rayés"}', 0), + (20705, 1, 62, 'Chemise longue car. bleu&noir', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. bleu&noir"}', 0), + (20706, 1, 62, 'Chemise longue car. noir', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. noir"}', 0), + (20707, 1, 62, 'Chemise longue los. blanc', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"los. blanc"}', 0), + (20708, 1, 62, 'Chemise longue los.rouge', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"los.rouge"}', 0), + (20709, 1, 62, 'Chemise longue los. bleu', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"los. bleu"}', 0), + (20710, 2, 62, 'Chemise longue car. bleu', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. bleu"}', 0), + (20711, 2, 62, 'Chemise longue car. jaune', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. jaune"}', 0), + (20712, 2, 62, 'Chemise longue carreaux', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"carreaux"}', 0), + (20713, 2, 62, 'Chemise longue car. j&n', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. j&n"}', 0), + (20714, 2, 62, 'Chemise longue car. rouge', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. rouge"}', 0), + (20715, 2, 62, 'Chemise longue car. rayés', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. rayés"}', 0), + (20716, 2, 62, 'Chemise longue car. bleu&noir', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. bleu&noir"}', 0), + (20717, 2, 62, 'Chemise longue car. noir', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"car. noir"}', 0), + (20718, 2, 62, 'Chemise longue los. blanc', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"los. blanc"}', 0), + (20719, 2, 62, 'Chemise longue los.rouge', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"los.rouge"}', 0), + (20720, 2, 62, 'Chemise longue los. bleu', 50, '{"components":{"8":{"Drawable":29,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Chemise longue","colorLabel":"los. bleu"}', 0), + (20721, 1, 62, 'Chemise de bucheron au corps car. bleu', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. bleu"}', 0), + (20722, 1, 62, 'Chemise de bucheron au corps car. jaune', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. jaune"}', 0), + (20723, 1, 62, 'Chemise de bucheron au corps carreaux', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"carreaux"}', 0), + (20724, 1, 62, 'Chemise de bucheron au corps car. j&n', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. j&n"}', 0), + (20725, 1, 62, 'Chemise de bucheron au corps car. rouge', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. rouge"}', 0), + (20726, 1, 62, 'Chemise de bucheron au corps car. rayés', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. rayés"}', 0), + (20727, 1, 62, 'Chemise de bucheron au corps car. bleu&noir', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. bleu&noir"}', 0), + (20728, 1, 62, 'Chemise de bucheron au corps car. noir', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. noir"}', 0), + (20729, 1, 62, 'Chemise de bucheron au corps los. blanc', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"los. blanc"}', 0), + (20730, 1, 62, 'Chemise de bucheron au corps los.rouge', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"los.rouge"}', 0), + (20731, 1, 62, 'Chemise de bucheron au corps los. bleu', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"los. bleu"}', 0), + (20732, 2, 62, 'Chemise de bucheron au corps car. bleu', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. bleu"}', 0), + (20733, 2, 62, 'Chemise de bucheron au corps car. jaune', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. jaune"}', 0), + (20734, 2, 62, 'Chemise de bucheron au corps carreaux', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"carreaux"}', 0), + (20735, 2, 62, 'Chemise de bucheron au corps car. j&n', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. j&n"}', 0), + (20736, 2, 62, 'Chemise de bucheron au corps car. rouge', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. rouge"}', 0), + (20737, 2, 62, 'Chemise de bucheron au corps car. rayés', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. rayés"}', 0), + (20738, 2, 62, 'Chemise de bucheron au corps car. bleu&noir', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. bleu&noir"}', 0), + (20739, 2, 62, 'Chemise de bucheron au corps car. noir', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"car. noir"}', 0), + (20740, 2, 62, 'Chemise de bucheron au corps los. blanc', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"los. blanc"}', 0), + (20741, 2, 62, 'Chemise de bucheron au corps los.rouge', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"los.rouge"}', 0), + (20742, 2, 62, 'Chemise de bucheron au corps los. bleu', 50, '{"components":{"8":{"Drawable":30,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Chemise de bucheron au corps","colorLabel":"los. bleu"}', 0), + (20743, 1, 61, 'T-shirt long gris', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"gris"}', 0), + (20744, 1, 61, 'T-shirt long camouflage', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"camouflage"}', 0), + (20745, 1, 61, 'T-shirt long gris et violet', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"gris et violet"}', 0), + (20746, 1, 61, 'T-shirt long abeille', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"abeille"}', 0), + (20747, 1, 61, 'T-shirt long psy', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"psy"}', 0), + (20748, 2, 61, 'T-shirt long gris', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"gris"}', 0), + (20749, 2, 61, 'T-shirt long camouflage', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"camouflage"}', 0), + (20750, 2, 61, 'T-shirt long gris et violet', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"gris et violet"}', 0), + (20751, 2, 61, 'T-shirt long abeille', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"abeille"}', 0), + (20752, 2, 61, 'T-shirt long psy', 50, '{"components":{"8":{"Drawable":41,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"T-shirt long","colorLabel":"psy"}', 0), + (20753, 1, 61, 'T-shirt simple menthe', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"menthe"}', 0), + (20754, 1, 61, 'T-shirt simple jaune', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"jaune"}', 0), + (20755, 1, 61, 'T-shirt simple violet', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"violet"}', 0), + (20756, 1, 61, 'T-shirt simple gris', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"gris"}', 0), + (20757, 2, 61, 'T-shirt simple menthe', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"menthe"}', 0), + (20758, 2, 61, 'T-shirt simple jaune', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"jaune"}', 0), + (20759, 2, 61, 'T-shirt simple violet', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"violet"}', 0), + (20760, 2, 61, 'T-shirt simple gris', 50, '{"components":{"8":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt simple","colorLabel":"gris"}', 0), + (20761, 1, 61, 'T-shirt simple crop menthe', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"menthe"}', 0), + (20762, 1, 61, 'T-shirt simple crop jaune', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"jaune"}', 0), + (20763, 1, 61, 'T-shirt simple crop violet', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"violet"}', 0), + (20764, 1, 61, 'T-shirt simple crop gris', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"gris"}', 0), + (20765, 2, 61, 'T-shirt simple crop menthe', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"menthe"}', 0), + (20766, 2, 61, 'T-shirt simple crop jaune', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"jaune"}', 0), + (20767, 2, 61, 'T-shirt simple crop violet', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"violet"}', 0), + (20768, 2, 61, 'T-shirt simple crop gris', 50, '{"components":{"8":{"Drawable":48,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt simple crop","colorLabel":"gris"}', 0), + (20769, 3, 63, 'Veston A-ME-RI-CAIN ouvert 1', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"1"}', 0), + (20770, 3, 63, 'Veston A-ME-RI-CAIN ouvert 2', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"2"}', 0), + (20771, 3, 63, 'Veston A-ME-RI-CAIN ouvert 3', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"3"}', 0), + (20772, 3, 63, 'Veston A-ME-RI-CAIN ouvert 4', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"4"}', 0), + (20773, 3, 63, 'Veston A-ME-RI-CAIN ouvert 5', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"5"}', 0), + (20774, 3, 63, 'Veston A-ME-RI-CAIN ouvert 6', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"6"}', 0), + (20775, 3, 63, 'Veston A-ME-RI-CAIN ouvert 7', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"7"}', 0), + (20776, 3, 63, 'Veston A-ME-RI-CAIN ouvert 8', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"8"}', 0), + (20777, 3, 63, 'Veston A-ME-RI-CAIN ouvert 9', 50, '{"components":{"8":{"Drawable":51,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN ouvert","colorLabel":"9"}', 0), + (20778, 3, 63, 'Veston A-ME-RI-CAIN fermé 1', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"1"}', 0), + (20779, 3, 63, 'Veston A-ME-RI-CAIN fermé 2', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"2"}', 0), + (20780, 3, 63, 'Veston A-ME-RI-CAIN fermé 3', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"3"}', 0), + (20781, 3, 63, 'Veston A-ME-RI-CAIN fermé 4', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"4"}', 0), + (20782, 3, 63, 'Veston A-ME-RI-CAIN fermé 5', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"5"}', 0), + (20783, 3, 63, 'Veston A-ME-RI-CAIN fermé 6', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"6"}', 0), + (20784, 3, 63, 'Veston A-ME-RI-CAIN fermé 7', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"7"}', 0), + (20785, 3, 63, 'Veston A-ME-RI-CAIN fermé 8', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"8"}', 0), + (20786, 3, 63, 'Veston A-ME-RI-CAIN fermé 9', 50, '{"components":{"8":{"Drawable":52,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Veston A-ME-RI-CAIN fermé","colorLabel":"9"}', 0), + (20787, 1, 61, 'T-shirt à motif artistique 1', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 1"}', 0), + (20788, 1, 61, 'T-shirt à motif artistique 2', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 2"}', 0), + (20789, 1, 61, 'T-shirt à motif artistique 3', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 3"}', 0), + (20790, 1, 61, 'T-shirt à motif artistique 4', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 4"}', 0), + (20791, 1, 61, 'T-shirt à motif marron', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"marron"}', 0), + (20792, 1, 61, 'T-shirt à motif casino', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino"}', 0), + (20793, 1, 61, 'T-shirt à motif P marrons', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P marrons"}', 0), + (20794, 1, 61, 'T-shirt à motif P roses', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P roses"}', 0), + (20795, 1, 61, 'T-shirt à motif casino noir', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino noir"}', 0), + (20796, 1, 61, 'T-shirt à motif casino goldé', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino goldé"}', 0), + (20797, 1, 61, 'T-shirt à motif rose', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"rose"}', 0), + (20798, 1, 61, 'T-shirt à motif losanges col blanc', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"losanges col blanc"}', 0), + (20799, 2, 61, 'T-shirt à motif artistique 1', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 1"}', 0), + (20800, 2, 61, 'T-shirt à motif artistique 2', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 2"}', 0), + (20801, 2, 61, 'T-shirt à motif artistique 3', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 3"}', 0), + (20802, 2, 61, 'T-shirt à motif artistique 4', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"artistique 4"}', 0), + (20803, 2, 61, 'T-shirt à motif marron', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"marron"}', 0), + (20804, 2, 61, 'T-shirt à motif casino', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino"}', 0), + (20805, 2, 61, 'T-shirt à motif P marrons', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P marrons"}', 0), + (20806, 2, 61, 'T-shirt à motif P roses', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"P roses"}', 0), + (20807, 2, 61, 'T-shirt à motif casino noir', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino noir"}', 0), + (20808, 2, 61, 'T-shirt à motif casino goldé', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"casino goldé"}', 0), + (20809, 2, 61, 'T-shirt à motif rose', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"rose"}', 0), + (20810, 2, 61, 'T-shirt à motif losanges col blanc', 50, '{"components":{"8":{"Drawable":65,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt à motif","colorLabel":"losanges col blanc"}', 0), + (20811, 3, 64, 'Col roulé crop gris', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"gris"}', 0), + (20812, 3, 64, 'Col roulé crop bordeau', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"bordeau"}', 0), + (20813, 3, 64, 'Col roulé crop marron', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"marron"}', 0), + (20814, 3, 64, 'Col roulé crop noir', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"noir"}', 0), + (20815, 3, 64, 'Col roulé crop cyan', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"cyan"}', 0), + (20816, 3, 64, 'Col roulé crop crème', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"crème"}', 0), + (20817, 3, 64, 'Col roulé crop violet', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"violet"}', 0), + (20818, 3, 64, 'Col roulé crop kaki', 50, '{"components":{"8":{"Drawable":72,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"Col roulé crop","colorLabel":"kaki"}', 0), + (20819, 3, 64, 'Col roulé gris', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"gris"}', 0), + (20820, 3, 64, 'Col roulé bordeau', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"bordeau"}', 0), + (20821, 3, 64, 'Col roulé marron', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"marron"}', 0), + (20822, 3, 64, 'Col roulé noir', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"noir"}', 0), + (20823, 3, 64, 'Col roulé cyan', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"cyan"}', 0), + (20824, 3, 64, 'Col roulé crème', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"crème"}', 0), + (20825, 3, 64, 'Col roulé violet', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"violet"}', 0), + (20826, 3, 64, 'Col roulé kaki', 50, '{"components":{"8":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":4,"modelLabel":"Col roulé","colorLabel":"kaki"}', 0), + (20827, 1, 61, 'Long T-shirt de marque 1', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"1"}', 0), + (20828, 1, 61, 'Long T-shirt de marque 2', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"2"}', 0), + (20829, 1, 61, 'Long T-shirt de marque 3', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"3"}', 0), + (20830, 1, 61, 'Long T-shirt de marque 4', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"4"}', 0), + (20831, 1, 61, 'Long T-shirt de marque 5', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"5"}', 0), + (20832, 1, 61, 'Long T-shirt de marque 6', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"6"}', 0), + (20833, 1, 61, 'Long T-shirt de marque 7', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"7"}', 0), + (20834, 1, 61, 'Long T-shirt de marque 8', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"8"}', 0), + (20835, 1, 61, 'Long T-shirt de marque 9', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"9"}', 0), + (20836, 1, 61, 'Long T-shirt de marque 10', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"10"}', 0), + (20837, 1, 61, 'Long T-shirt de marque 11', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"11"}', 0), + (20838, 1, 61, 'Long T-shirt de marque 12', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"12"}', 0), + (20839, 1, 61, 'Long T-shirt de marque 13', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"13"}', 0), + (20840, 1, 61, 'Long T-shirt de marque 14', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"14"}', 0), + (20841, 1, 61, 'Long T-shirt de marque 15', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"15"}', 0), + (20842, 2, 61, 'Long T-shirt de marque 1', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"1"}', 0), + (20843, 2, 61, 'Long T-shirt de marque 2', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"2"}', 0), + (20844, 2, 61, 'Long T-shirt de marque 3', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"3"}', 0), + (20845, 2, 61, 'Long T-shirt de marque 4', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"4"}', 0), + (20846, 2, 61, 'Long T-shirt de marque 5', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"5"}', 0), + (20847, 2, 61, 'Long T-shirt de marque 6', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"6"}', 0), + (20848, 2, 61, 'Long T-shirt de marque 7', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"7"}', 0), + (20849, 2, 61, 'Long T-shirt de marque 8', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"8"}', 0), + (20850, 2, 61, 'Long T-shirt de marque 9', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"9"}', 0), + (20851, 2, 61, 'Long T-shirt de marque 10', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"10"}', 0), + (20852, 2, 61, 'Long T-shirt de marque 11', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"11"}', 0), + (20853, 2, 61, 'Long T-shirt de marque 12', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"12"}', 0), + (20854, 2, 61, 'Long T-shirt de marque 13', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"13"}', 0), + (20855, 2, 61, 'Long T-shirt de marque 14', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"14"}', 0), + (20856, 2, 61, 'Long T-shirt de marque 15', 50, '{"components":{"8":{"Drawable":79,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":2,"modelLabel":"Long T-shirt de marque","colorLabel":"15"}', 0), + (20872, 3, 62, 'Chemise avec manches marine', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"marine"}', 0), + (20873, 3, 62, 'Chemise avec manches rouge', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"rouge"}', 0), + (20874, 3, 62, 'Chemise avec manches anthracite', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"anthracite"}', 0), + (20875, 3, 62, 'Chemise avec manches pâle', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"pâle"}', 0), + (20876, 3, 62, 'Chemise avec manches rose', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"rose"}', 0), + (20877, 3, 62, 'Chemise avec manches rose clair', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"rose clair"}', 0), + (20878, 3, 62, 'Chemise avec manches carreaux', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"carreaux"}', 0), + (20879, 3, 62, 'Chemise avec manches saumon', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"saumon"}', 0), + (20880, 3, 62, 'Chemise avec manches kaki', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"kaki"}', 0), + (20881, 3, 62, 'Chemise avec manches violette', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"violette"}', 0), + (20882, 3, 62, 'Chemise avec manches crème', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"crème"}', 0), + (20883, 3, 62, 'Chemise avec manches menthe', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"menthe"}', 0), + (20884, 3, 62, 'Chemise avec manches rayée', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"rayée"}', 0), + (20885, 3, 62, 'Chemise avec manches rayée rose', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"rayée rose"}', 0), + (20886, 3, 62, 'Chemise avec manches marron', 50, '{"components":{"8":{"Drawable":96,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Chemise avec manches","colorLabel":"marron"}', 0), + (20887, 1, 61, 'T-shirt camouflage pixels bleus', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels bleus"}', 0), + (20888, 1, 61, 'T-shirt camouflage pixels sable', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels sable"}', 0), + (20889, 1, 61, 'T-shirt camouflage pixels verts', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels verts"}', 0), + (20890, 1, 61, 'T-shirt camouflage pixels gris', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels gris"}', 0), + (20891, 1, 61, 'T-shirt camouflage pixels clairs', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels clairs"}', 0), + (20892, 1, 61, 'T-shirt camouflage désert', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"désert"}', 0), + (20893, 1, 61, 'T-shirt camouflage savane', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"savane"}', 0), + (20894, 1, 61, 'T-shirt camouflage grillage', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"grillage"}', 0), + (20895, 1, 61, 'T-shirt camouflage pixels forêt', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels forêt"}', 0), + (20896, 1, 61, 'T-shirt camouflage pierre', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pierre"}', 0), + (20897, 1, 61, 'T-shirt camouflage océan', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"océan"}', 0), + (20898, 1, 61, 'T-shirt camouflage urbain vert', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"urbain vert"}', 0), + (20899, 1, 61, 'T-shirt camouflage mousse', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"mousse"}', 0), + (20900, 1, 61, 'T-shirt camouflage camo kaki', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"camo kaki"}', 0), + (20901, 1, 61, 'T-shirt camouflage plaine', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"plaine"}', 0), + (20902, 2, 61, 'T-shirt camouflage pixels bleus', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels bleus"}', 0), + (20903, 2, 61, 'T-shirt camouflage pixels sable', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels sable"}', 0), + (20904, 2, 61, 'T-shirt camouflage pixels verts', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels verts"}', 0), + (20905, 2, 61, 'T-shirt camouflage pixels gris', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels gris"}', 0), + (20906, 2, 61, 'T-shirt camouflage pixels clairs', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels clairs"}', 0), + (20907, 2, 61, 'T-shirt camouflage désert', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"désert"}', 0), + (20908, 2, 61, 'T-shirt camouflage savane', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"savane"}', 0), + (20909, 2, 61, 'T-shirt camouflage grillage', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"grillage"}', 0), + (20910, 2, 61, 'T-shirt camouflage pixels forêt', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pixels forêt"}', 0), + (20911, 2, 61, 'T-shirt camouflage pierre', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"pierre"}', 0), + (20912, 2, 61, 'T-shirt camouflage océan', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"océan"}', 0), + (20913, 2, 61, 'T-shirt camouflage urbain vert', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"urbain vert"}', 0), + (20914, 2, 61, 'T-shirt camouflage mousse', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"mousse"}', 0), + (20915, 2, 61, 'T-shirt camouflage camo kaki', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"camo kaki"}', 0), + (20916, 2, 61, 'T-shirt camouflage plaine', 50, '{"components":{"8":{"Drawable":101,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt camouflage","colorLabel":"plaine"}', 0), + (20917, 1, 61, 'T-shirt camouflage au corps pixels bleus', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels bleus"}', 0), + (20918, 1, 61, 'T-shirt camouflage au corps pixels sable', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels sable"}', 0), + (20919, 1, 61, 'T-shirt camouflage au corps pixels verts', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels verts"}', 0), + (20920, 1, 61, 'T-shirt camouflage au corps pixels gris', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels gris"}', 0), + (20921, 1, 61, 'T-shirt camouflage au corps pixels clairs', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels clairs"}', 0), + (20922, 1, 61, 'T-shirt camouflage au corps désert', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"désert"}', 0), + (20923, 1, 61, 'T-shirt camouflage au corps savane', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"savane"}', 0), + (20924, 1, 61, 'T-shirt camouflage au corps grillage', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"grillage"}', 0), + (20925, 1, 61, 'T-shirt camouflage au corps pixels forêt', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels forêt"}', 0), + (20926, 1, 61, 'T-shirt camouflage au corps pierre', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pierre"}', 0), + (20927, 1, 61, 'T-shirt camouflage au corps océan', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"océan"}', 0), + (20928, 1, 61, 'T-shirt camouflage au corps urbain vert', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"urbain vert"}', 0), + (20929, 1, 61, 'T-shirt camouflage au corps mousse', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"mousse"}', 0), + (20930, 1, 61, 'T-shirt camouflage au corps camo kaki', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"camo kaki"}', 0), + (20931, 1, 61, 'T-shirt camouflage au corps plaine', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"plaine"}', 0), + (20932, 2, 61, 'T-shirt camouflage au corps pixels bleus', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels bleus"}', 0), + (20933, 2, 61, 'T-shirt camouflage au corps pixels sable', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels sable"}', 0), + (20934, 2, 61, 'T-shirt camouflage au corps pixels verts', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels verts"}', 0), + (20935, 2, 61, 'T-shirt camouflage au corps pixels gris', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels gris"}', 0), + (20936, 2, 61, 'T-shirt camouflage au corps pixels clairs', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels clairs"}', 0), + (20937, 2, 61, 'T-shirt camouflage au corps désert', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"désert"}', 0), + (20938, 2, 61, 'T-shirt camouflage au corps savane', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"savane"}', 0), + (20939, 2, 61, 'T-shirt camouflage au corps grillage', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"grillage"}', 0), + (20940, 2, 61, 'T-shirt camouflage au corps pixels forêt', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pixels forêt"}', 0), + (20941, 2, 61, 'T-shirt camouflage au corps pierre', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"pierre"}', 0), + (20942, 2, 61, 'T-shirt camouflage au corps océan', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"océan"}', 0), + (20943, 2, 61, 'T-shirt camouflage au corps urbain vert', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"urbain vert"}', 0), + (20944, 2, 61, 'T-shirt camouflage au corps mousse', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"mousse"}', 0), + (20945, 2, 61, 'T-shirt camouflage au corps camo kaki', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"camo kaki"}', 0), + (20946, 2, 61, 'T-shirt camouflage au corps plaine', 50, '{"components":{"8":{"Drawable":102,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":3,"modelLabel":"T-shirt camouflage au corps","colorLabel":"plaine"}', 0), + (20947, 3, 65, 'Polo de golf gris', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"gris"}', 0), + (20948, 3, 65, 'Polo de golf blanc', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"blanc"}', 0), + (20949, 3, 65, 'Polo de golf marron', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"marron"}', 0), + (20950, 3, 65, 'Polo de golf rose', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"rose"}', 0), + (20951, 3, 65, 'Polo de golf menthe', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"menthe"}', 0), + (20952, 3, 65, 'Polo de golf orange', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"orange"}', 0), + (20953, 3, 65, 'Polo de golf bleu', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"bleu"}', 0), + (20954, 3, 65, 'Polo de golf bleu et blanc', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"bleu et blanc"}', 0), + (20955, 3, 65, 'Polo de golf noir', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"noir"}', 0), + (20956, 3, 65, 'Polo de golf rouge', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"rouge"}', 0), + (20957, 3, 65, 'Polo de golf violet', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"violet"}', 0), + (20958, 3, 65, 'Polo de golf jaune', 50, '{"components":{"8":{"Drawable":110,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"Polo de golf","colorLabel":"jaune"}', 0), + (20959, 1, 61, 'T-shirt de marque manor 1', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 1"}', 0), + (20960, 1, 61, 'T-shirt de marque manor 2', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 2"}', 0), + (20961, 1, 61, 'T-shirt de marque manor 3', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 3"}', 0), + (20962, 1, 61, 'T-shirt de marque manor 4', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 4"}', 0), + (20963, 1, 61, 'T-shirt de marque manor 5', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 5"}', 0), + (20964, 1, 61, 'T-shirt de marque manor 6', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 6"}', 0), + (20965, 1, 61, 'T-shirt de marque blagueur 1', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 1"}', 0), + (20966, 1, 61, 'T-shirt de marque blagueur 2', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 2"}', 0), + (20967, 1, 61, 'T-shirt de marque blagueur 3', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 3"}', 0), + (20968, 1, 61, 'T-shirt de marque blagueur 4', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 4"}', 0), + (20969, 1, 61, 'T-shirt de marque blagueur 5', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 5"}', 0), + (20970, 1, 61, 'T-shirt de marque blagueur 6', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 6"}', 0), + (20971, 1, 61, 'T-shirt de marque blagueur 7', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 7"}', 0), + (20972, 1, 61, 'T-shirt de marque blagueur 8', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 8"}', 0), + (20973, 2, 61, 'T-shirt de marque manor 1', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 1"}', 0), + (20974, 2, 61, 'T-shirt de marque manor 2', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 2"}', 0), + (20975, 2, 61, 'T-shirt de marque manor 3', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 3"}', 0), + (20976, 2, 61, 'T-shirt de marque manor 4', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 4"}', 0), + (20977, 2, 61, 'T-shirt de marque manor 5', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 5"}', 0), + (20978, 2, 61, 'T-shirt de marque manor 6', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"manor 6"}', 0), + (20979, 2, 61, 'T-shirt de marque blagueur 1', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 1"}', 0), + (20980, 2, 61, 'T-shirt de marque blagueur 2', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 2"}', 0), + (20981, 2, 61, 'T-shirt de marque blagueur 3', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 3"}', 0), + (20982, 2, 61, 'T-shirt de marque blagueur 4', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 4"}', 0), + (20983, 2, 61, 'T-shirt de marque blagueur 5', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 5"}', 0), + (20984, 2, 61, 'T-shirt de marque blagueur 6', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 6"}', 0), + (20985, 2, 61, 'T-shirt de marque blagueur 7', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 7"}', 0), + (20986, 2, 61, 'T-shirt de marque blagueur 8', 50, '{"components":{"8":{"Drawable":135,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de marque","colorLabel":"blagueur 8"}', 0), + (20987, 1, 61, 'T-shirt de l\'espace astro noir', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro noir"}', 0), + (20988, 1, 61, 'T-shirt de l\'espace astro blanc', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro blanc"}', 0), + (20989, 1, 61, 'T-shirt de l\'espace astro jaune', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro jaune"}', 0), + (20990, 1, 61, 'T-shirt de l\'espace astro vert', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro vert"}', 0), + (20991, 1, 61, 'T-shirt de l\'espace star noir', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star noir"}', 0), + (20992, 1, 61, 'T-shirt de l\'espace star vert', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star vert"}', 0), + (20993, 1, 61, 'T-shirt de l\'espace goutte blanc', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte blanc"}', 0), + (20994, 1, 61, 'T-shirt de l\'espace goutte jaune', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte jaune"}', 0), + (20995, 1, 61, 'T-shirt de l\'espace vaisseau bleu', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau bleu"}', 0), + (20996, 1, 61, 'T-shirt de l\'espace vaisseau rose', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau rose"}', 0), + (20997, 1, 61, 'T-shirt de l\'espace alien', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien"}', 0), + (20998, 1, 61, 'T-shirt de l\'espace alien rose', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien rose"}', 0), + (20999, 1, 61, 'T-shirt de l\'espace espace violet', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"espace violet"}', 0), + (21000, 2, 61, 'T-shirt de l\'espace astro noir', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro noir"}', 0), + (21001, 2, 61, 'T-shirt de l\'espace astro blanc', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro blanc"}', 0), + (21002, 2, 61, 'T-shirt de l\'espace astro jaune', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro jaune"}', 0), + (21003, 2, 61, 'T-shirt de l\'espace astro vert', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"astro vert"}', 0), + (21004, 2, 61, 'T-shirt de l\'espace star noir', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star noir"}', 0), + (21005, 2, 61, 'T-shirt de l\'espace star vert', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"star vert"}', 0), + (21006, 2, 61, 'T-shirt de l\'espace goutte blanc', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte blanc"}', 0), + (21007, 2, 61, 'T-shirt de l\'espace goutte jaune', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"goutte jaune"}', 0), + (21008, 2, 61, 'T-shirt de l\'espace vaisseau bleu', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau bleu"}', 0), + (21009, 2, 61, 'T-shirt de l\'espace vaisseau rose', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"vaisseau rose"}', 0), + (21010, 2, 61, 'T-shirt de l\'espace alien', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien"}', 0), + (21011, 2, 61, 'T-shirt de l\'espace alien rose', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"alien rose"}', 0), + (21012, 2, 61, 'T-shirt de l\'espace espace violet', 50, '{"components":{"8":{"Drawable":141,"Palette":0,"Texture":14}},"modelHash":1885233650,"undershirtType":1,"modelLabel":"T-shirt de l\'espace","colorLabel":"espace violet"}', 0), + (21013, 3, 62, 'Veston m. longues col fermé noir', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"noir"}', 0), + (21014, 3, 62, 'Veston m. longues col fermé casino', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"casino"}', 0), + (21015, 3, 62, 'Veston m. longues col fermé carreaux rouges', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"carreaux rouges"}', 0), + (21016, 3, 62, 'Veston m. longues col fermé carreaux marrons', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"carreaux marrons"}', 0), + (21017, 3, 62, 'Veston m. longues col fermé vert', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"vert"}', 0), + (21018, 3, 62, 'Veston m. longues col fermé violet', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"violet"}', 0), + (21019, 3, 62, 'Veston m. longues col fermé crème', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"crème"}', 0), + (21020, 3, 62, 'Veston m. longues col fermé bordeaux', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"bordeaux"}', 0), + (21021, 3, 62, 'Veston m. longues col fermé blanc', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"blanc"}', 0), + (21022, 3, 62, 'Veston m. longues col fermé camo vert', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"camo vert"}', 0), + (21023, 3, 62, 'Veston m. longues col fermé all black', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"all black"}', 0), + (21024, 3, 62, 'Veston m. longues col fermé bleu', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"bleu"}', 0), + (21025, 3, 62, 'Veston m. longues col fermé marine', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"marine"}', 0), + (21026, 3, 62, 'Veston m. longues col fermé moutarde', 50, '{"components":{"8":{"Drawable":147,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col fermé","colorLabel":"moutarde"}', 0), + (21027, 3, 62, 'Veston m. longues col ouvert noir', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"noir"}', 0), + (21028, 3, 62, 'Veston m. longues col ouvert casino', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"casino"}', 0), + (21029, 3, 62, 'Veston m. longues col ouvert carreaux rouges', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"carreaux rouges"}', 0), + (21030, 3, 62, 'Veston m. longues col ouvert carreaux marrons', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"carreaux marrons"}', 0), + (21031, 3, 62, 'Veston m. longues col ouvert vert', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"vert"}', 0), + (21032, 3, 62, 'Veston m. longues col ouvert violet', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"violet"}', 0), + (21033, 3, 62, 'Veston m. longues col ouvert crème', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"crème"}', 0), + (21034, 3, 62, 'Veston m. longues col ouvert bordeaux', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"bordeaux"}', 0), + (21035, 3, 62, 'Veston m. longues col ouvert blanc', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"blanc"}', 0), + (21036, 3, 62, 'Veston m. longues col ouvert camo vert', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"camo vert"}', 0), + (21037, 3, 62, 'Veston m. longues col ouvert all black', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"all black"}', 0), + (21038, 3, 62, 'Veston m. longues col ouvert bleu', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"bleu"}', 0), + (21039, 3, 62, 'Veston m. longues col ouvert marine', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"marine"}', 0), + (21040, 3, 62, 'Veston m. longues col ouvert moutarde', 50, '{"components":{"8":{"Drawable":149,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":7,"modelLabel":"Veston m. longues col ouvert","colorLabel":"moutarde"}', 0), + + (21041, 3, 62, 'Veste m. longues col fermé noir', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"noir"}', 0), + (21042, 3, 62, 'Veste m. longues col fermé casino', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"casino"}', 0), + (21043, 3, 62, 'Veste m. longues col fermé carreaux rouges', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"carreaux rouges"}', 0), + (21044, 3, 62, 'Veste m. longues col fermé carreaux marrons', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"carreaux marrons"}', 0), + (21045, 3, 62, 'Veste m. longues col fermé vert', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"vert"}', 0), + (21046, 3, 62, 'Veste m. longues col fermé violet', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"violet"}', 0), + (21047, 3, 62, 'Veste m. longues col fermé crème', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"crème"}', 0), + (21048, 3, 62, 'Veste m. longues col fermé bordeaux', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"bordeaux"}', 0), + (21049, 3, 62, 'Veste m. longues col fermé blanc', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"blanc"}', 0), + (21050, 3, 62, 'Veste m. longues col fermé camo vert', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"camo vert"}', 0), + (21051, 3, 62, 'Veste m. longues col fermé all black', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"all black"}', 0), + (21052, 3, 62, 'Veste m. longues col fermé bleu', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"bleu"}', 0), + (21053, 3, 62, 'Veste m. longues col fermé marine', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"marine"}', 0), + (21054, 3, 62, 'Veste m. longues col fermé moutarde', 50, '{"components":{"8":{"Drawable":146,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col fermé","colorLabel":"moutarde"}', 0), + (21055, 3, 62, 'Veste m. longues col ouvert noir', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"noir"}', 0), + (21056, 3, 62, 'Veste m. longues col ouvert casino', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"casino"}', 0), + (21057, 3, 62, 'Veste m. longues col ouvert carreaux rouges', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"carreaux rouges"}', 0), + (21058, 3, 62, 'Veste m. longues col ouvert carreaux marrons', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"carreaux marrons"}', 0), + (21059, 3, 62, 'Veste m. longues col ouvert vert', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"vert"}', 0), + (21060, 3, 62, 'Veste m. longues col ouvert violet', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"violet"}', 0), + (21061, 3, 62, 'Veste m. longues col ouvert crème', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":6}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"crème"}', 0), + (21062, 3, 62, 'Veste m. longues col ouvert bordeaux', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":7}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"bordeaux"}', 0), + (21063, 3, 62, 'Veste m. longues col ouvert blanc', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":8}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"blanc"}', 0), + (21064, 3, 62, 'Veste m. longues col ouvert camo vert', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":9}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"camo vert"}', 0), + (21065, 3, 62, 'Veste m. longues col ouvert all black', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":10}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"all black"}', 0), + (21066, 3, 62, 'Veste m. longues col ouvert bleu', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":11}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"bleu"}', 0), + (21067, 3, 62, 'Veste m. longues col ouvert marine', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":12}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"marine"}', 0), + (21068, 3, 62, 'Veste m. longues col ouvert moutarde', 50, '{"components":{"8":{"Drawable":148,"Palette":0,"Texture":13}},"modelHash":1885233650,"undershirtType":8,"modelLabel":"Veste m. longues col ouvert","colorLabel":"moutarde"}', 0), + + (30000, 1, 19, 'Jean ceinture lisse bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"bleu"}', 0), + (30001, 1, 19, 'Jean ceinture lisse foncé', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"foncé"}', 0), + (30002, 1, 19, 'Jean ceinture lisse ciel', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"ciel"}', 0), + (30003, 1, 19, 'Jean ceinture lisse crème', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"crème"}', 0), + (30004, 1, 19, 'Jean ceinture lisse délavé noir', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé noir"}', 0), + (30005, 1, 19, 'Jean ceinture lisse gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"gris"}', 0), + (30006, 1, 19, 'Jean ceinture lisse délavé bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé bleu"}', 0), + (30007, 1, 19, 'Jean ceinture lisse jaune', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"jaune"}', 0), + (30008, 1, 19, 'Jean ceinture lisse indigo', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"indigo"}', 0), + (30009, 1, 19, 'Jean ceinture lisse délavé gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé gris"}', 0), + (30010, 1, 19, 'Jean ceinture lisse délavé ciel', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé ciel"}', 0), + (30011, 1, 19, 'Jean ceinture lisse marron', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"marron"}', 0), + (30012, 1, 19, 'Jean ceinture lisse noir', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"noir"}', 0), + (30013, 1, 19, 'Jean ceinture lisse turquoise', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"turquoise"}', 0), + (30014, 1, 19, 'Jean ceinture lisse blanc', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"blanc"}', 0), + (30015, 1, 19, 'Jean ceinture lisse rouge', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"rouge"}', 0), + (30016, 2, 19, 'Jean ceinture lisse bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"bleu"}', 0), + (30017, 2, 19, 'Jean ceinture lisse foncé', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"foncé"}', 0), + (30018, 2, 19, 'Jean ceinture lisse ciel', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"ciel"}', 0), + (30019, 2, 19, 'Jean ceinture lisse crème', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"crème"}', 0), + (30020, 2, 19, 'Jean ceinture lisse délavé noir', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé noir"}', 0), + (30021, 2, 19, 'Jean ceinture lisse gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"gris"}', 0), + (30022, 2, 19, 'Jean ceinture lisse délavé bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé bleu"}', 0), + (30023, 2, 19, 'Jean ceinture lisse jaune', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"jaune"}', 0), + (30024, 2, 19, 'Jean ceinture lisse indigo', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"indigo"}', 0), + (30025, 2, 19, 'Jean ceinture lisse délavé gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé gris"}', 0), + (30026, 2, 19, 'Jean ceinture lisse délavé ciel', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"délavé ciel"}', 0), + (30027, 2, 19, 'Jean ceinture lisse marron', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"marron"}', 0), + (30028, 2, 19, 'Jean ceinture lisse noir', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"noir"}', 0), + (30029, 2, 19, 'Jean ceinture lisse turquoise', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"turquoise"}', 0), + (30030, 2, 19, 'Jean ceinture lisse blanc', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"blanc"}', 0), + (30031, 2, 19, 'Jean ceinture lisse rouge', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean ceinture lisse","colorLabel":"rouge"}', 0), + (30032, 1, 19, 'Jean taille basse foncé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"foncé"}', 0), + (30033, 1, 19, 'Jean taille basse noir', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"noir"}', 0), + (30034, 1, 19, 'Jean taille basse taupe', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"taupe"}', 0), + (30035, 1, 19, 'Jean taille basse gris', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"gris"}', 0), + (30036, 1, 19, 'Jean taille basse marron', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"marron"}', 0), + (30037, 1, 19, 'Jean taille basse indigo', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"indigo"}', 0), + (30038, 1, 19, 'Jean taille basse beige', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"beige"}', 0), + (30039, 1, 19, 'Jean taille basse sable', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"sable"}', 0), + (30040, 1, 19, 'Jean taille basse bleu', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"bleu"}', 0), + (30041, 1, 19, 'Jean taille basse vert', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"vert"}', 0), + (30042, 1, 19, 'Jean taille basse rose', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"rose"}', 0), + (30043, 1, 19, 'Jean taille basse ardoise', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"ardoise"}', 0), + (30044, 1, 19, 'Jean taille basse aqua', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"aqua"}', 0), + (30045, 1, 19, 'Jean taille basse charbon', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"charbon"}', 0), + (30046, 1, 19, 'Jean taille basse café', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"café"}', 0), + (30047, 1, 19, 'Jean taille basse sale', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"sale"}', 0), + (30048, 2, 19, 'Jean taille basse foncé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"foncé"}', 0), + (30049, 2, 19, 'Jean taille basse noir', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"noir"}', 0), + (30050, 2, 19, 'Jean taille basse taupe', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"taupe"}', 0), + (30051, 2, 19, 'Jean taille basse gris', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"gris"}', 0), + (30052, 2, 19, 'Jean taille basse marron', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"marron"}', 0), + (30053, 2, 19, 'Jean taille basse indigo', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"indigo"}', 0), + (30054, 2, 19, 'Jean taille basse beige', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"beige"}', 0), + (30055, 2, 19, 'Jean taille basse sable', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"sable"}', 0), + (30056, 2, 19, 'Jean taille basse bleu', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"bleu"}', 0), + (30057, 2, 19, 'Jean taille basse vert', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"vert"}', 0), + (30058, 2, 19, 'Jean taille basse rose', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"rose"}', 0), + (30059, 2, 19, 'Jean taille basse ardoise', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"ardoise"}', 0), + (30060, 2, 19, 'Jean taille basse aqua', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"aqua"}', 0), + (30061, 2, 19, 'Jean taille basse charbon', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"charbon"}', 0), + (30062, 2, 19, 'Jean taille basse café', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"café"}', 0), + (30063, 2, 19, 'Jean taille basse sale', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean taille basse","colorLabel":"sale"}', 0), + (30064, 1, 23, 'Jogging long blanc', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"blanc"}', 0), + (30065, 1, 23, 'Jogging long crème', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"crème"}', 0), + (30066, 1, 23, 'Jogging long taupe', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"taupe"}', 0), + (30067, 1, 23, 'Jogging long bleu', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"bleu"}', 0), + (30068, 1, 23, 'Jogging long indigo', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"indigo"}', 0), + (30069, 1, 23, 'Jogging long feu', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"feu"}', 0), + (30070, 1, 23, 'Jogging long vert', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"vert"}', 0), + (30071, 1, 23, 'Jogging long orange', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"orange"}', 0), + (30072, 1, 23, 'Jogging long jaune', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"jaune"}', 0), + (30073, 1, 23, 'Jogging long violet', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"violet"}', 0), + (30074, 1, 23, 'Jogging long marron', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"marron"}', 0), + (30075, 1, 23, 'Jogging long beige', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"beige"}', 0), + (30076, 1, 23, 'Jogging long rose pâle', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"rose pâle"}', 0), + (30077, 1, 23, 'Jogging long océan', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"océan"}', 0), + (30078, 1, 23, 'Jogging long pluie', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"pluie"}', 0), + (30079, 1, 23, 'Jogging long rouge', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"rouge"}', 0), + (30080, 2, 23, 'Jogging long blanc', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"blanc"}', 0), + (30081, 2, 23, 'Jogging long crème', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"crème"}', 0), + (30082, 2, 23, 'Jogging long taupe', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"taupe"}', 0), + (30083, 2, 23, 'Jogging long bleu', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"bleu"}', 0), + (30084, 2, 23, 'Jogging long indigo', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"indigo"}', 0), + (30085, 2, 23, 'Jogging long feu', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"feu"}', 0), + (30086, 2, 23, 'Jogging long vert', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"vert"}', 0), + (30087, 2, 23, 'Jogging long orange', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"orange"}', 0), + (30088, 2, 23, 'Jogging long jaune', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"jaune"}', 0), + (30089, 2, 23, 'Jogging long violet', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"violet"}', 0), + (30090, 2, 23, 'Jogging long marron', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"marron"}', 0), + (30091, 2, 23, 'Jogging long beige', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"beige"}', 0), + (30092, 2, 23, 'Jogging long rose pâle', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"rose pâle"}', 0), + (30093, 2, 23, 'Jogging long océan', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"océan"}', 0), + (30094, 2, 23, 'Jogging long pluie', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"pluie"}', 0), + (30095, 2, 23, 'Jogging long rouge', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging long","colorLabel":"rouge"}', 0), + (30096, 1, 19, 'Jean slim ceinture noir', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"noir"}', 0), + (30097, 1, 19, 'Jean slim ceinture foncé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"foncé"}', 0), + (30098, 1, 19, 'Jean slim ceinture taupe', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"taupe"}', 0), + (30099, 1, 19, 'Jean slim ceinture bleu', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"bleu"}', 0), + (30100, 2, 19, 'Jean slim ceinture noir', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"noir"}', 0), + (30101, 2, 19, 'Jean slim ceinture foncé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"foncé"}', 0), + (30102, 2, 19, 'Jean slim ceinture taupe', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"taupe"}', 0), + (30103, 2, 19, 'Jean slim ceinture bleu', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"bleu"}', 0), + (30104, 1, 23, 'Jogging large blanc', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"blanc"}', 0), + (30105, 1, 23, 'Jogging large crème', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"crème"}', 0), + (30106, 1, 23, 'Jogging large taupe', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"taupe"}', 0), + (30107, 1, 23, 'Jogging large bleu', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"bleu"}', 0), + (30108, 1, 23, 'Jogging large indigo', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"indigo"}', 0), + (30109, 1, 23, 'Jogging large feu', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"feu"}', 0), + (30110, 1, 23, 'Jogging large vert', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"vert"}', 0), + (30111, 1, 23, 'Jogging large orange', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"orange"}', 0), + (30112, 1, 23, 'Jogging large jaune', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"jaune"}', 0), + (30113, 1, 23, 'Jogging large violet', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"violet"}', 0), + (30114, 1, 23, 'Jogging large marron', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"marron"}', 0), + (30115, 1, 23, 'Jogging large beige', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"beige"}', 0), + (30116, 1, 23, 'Jogging large rose pâle', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"rose pâle"}', 0), + (30117, 1, 23, 'Jogging large camo marron', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"camo marron"}', 0), + (30118, 1, 23, 'Jogging large camo blanc', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"camo blanc"}', 0), + (30119, 1, 23, 'Jogging large orage', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"orage"}', 0), + (30120, 2, 23, 'Jogging large blanc', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"blanc"}', 0), + (30121, 2, 23, 'Jogging large crème', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"crème"}', 0), + (30122, 2, 23, 'Jogging large taupe', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"taupe"}', 0), + (30123, 2, 23, 'Jogging large bleu', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"bleu"}', 0), + (30124, 2, 23, 'Jogging large indigo', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"indigo"}', 0), + (30125, 2, 23, 'Jogging large feu', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"feu"}', 0), + (30126, 2, 23, 'Jogging large vert', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"vert"}', 0), + (30127, 2, 23, 'Jogging large orange', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"orange"}', 0), + (30128, 2, 23, 'Jogging large jaune', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"jaune"}', 0), + (30129, 2, 23, 'Jogging large violet', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"violet"}', 0), + (30130, 2, 23, 'Jogging large marron', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"marron"}', 0), + (30131, 2, 23, 'Jogging large beige', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"beige"}', 0), + (30132, 2, 23, 'Jogging large rose pâle', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"rose pâle"}', 0), + (30133, 2, 23, 'Jogging large camo marron', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"camo marron"}', 0), + (30134, 2, 23, 'Jogging large camo blanc', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"camo blanc"}', 0), + (30135, 2, 23, 'Jogging large orage', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"orage"}', 0), + (30136, 1, 17, 'Short long sportif blanc', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"blanc"}', 0), + (30137, 1, 17, 'Short long sportif taupe', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"taupe"}', 0), + (30138, 1, 17, 'Short long sportif gris', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"gris"}', 0), + (30139, 1, 17, 'Short long sportif indigo', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"indigo"}', 0), + (30140, 2, 17, 'Short long sportif blanc', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"blanc"}', 0), + (30141, 2, 17, 'Short long sportif taupe', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"taupe"}', 0), + (30142, 2, 17, 'Short long sportif gris', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"gris"}', 0), + (30143, 2, 17, 'Short long sportif indigo', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short long sportif","colorLabel":"indigo"}', 0), + (30144, 1, 16, 'Pantalon baggy ceinture noir', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"noir"}', 0), + (30145, 1, 16, 'Pantalon baggy ceinture marron', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"marron"}', 0), + (30146, 1, 16, 'Pantalon baggy ceinture gris', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"gris"}', 0), + (30147, 1, 16, 'Pantalon baggy ceinture bleu', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu"}', 0), + (30148, 1, 16, 'Pantalon baggy ceinture crème', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"crème"}', 0), + (30149, 1, 16, 'Pantalon baggy ceinture blanc', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"blanc"}', 0), + (30150, 1, 16, 'Pantalon baggy ceinture kaki', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"kaki"}', 0), + (30151, 1, 16, 'Pantalon baggy ceinture vert', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"vert"}', 0), + (30152, 1, 16, 'Pantalon baggy ceinture framboise', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"framboise"}', 0), + (30153, 1, 16, 'Pantalon baggy ceinture perle', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"perle"}', 0), + (30154, 1, 16, 'Pantalon baggy ceinture turquoise', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"turquoise"}', 0), + (30155, 1, 16, 'Pantalon baggy ceinture lie de vin', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"lie de vin"}', 0), + (30156, 1, 16, 'Pantalon baggy ceinture nuage', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"nuage"}', 0), + (30157, 1, 16, 'Pantalon baggy ceinture ciel', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"ciel"}', 0), + (30158, 1, 16, 'Pantalon baggy ceinture aqua', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"aqua"}', 0), + (30159, 1, 16, 'Pantalon baggy ceinture orange', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"orange"}', 0), + (30160, 2, 16, 'Pantalon baggy ceinture noir', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"noir"}', 0), + (30161, 2, 16, 'Pantalon baggy ceinture marron', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"marron"}', 0), + (30162, 2, 16, 'Pantalon baggy ceinture gris', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"gris"}', 0), + (30163, 2, 16, 'Pantalon baggy ceinture bleu', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu"}', 0), + (30164, 2, 16, 'Pantalon baggy ceinture crème', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"crème"}', 0), + (30165, 2, 16, 'Pantalon baggy ceinture blanc', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"blanc"}', 0), + (30166, 2, 16, 'Pantalon baggy ceinture kaki', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"kaki"}', 0), + (30167, 2, 16, 'Pantalon baggy ceinture vert', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"vert"}', 0), + (30168, 2, 16, 'Pantalon baggy ceinture framboise', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"framboise"}', 0), + (30169, 2, 16, 'Pantalon baggy ceinture perle', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"perle"}', 0), + (30170, 2, 16, 'Pantalon baggy ceinture turquoise', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"turquoise"}', 0), + (30171, 2, 16, 'Pantalon baggy ceinture lie de vin', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"lie de vin"}', 0), + (30172, 2, 16, 'Pantalon baggy ceinture nuage', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"nuage"}', 0), + (30173, 2, 16, 'Pantalon baggy ceinture ciel', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"ciel"}', 0), + (30174, 2, 16, 'Pantalon baggy ceinture aqua', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"aqua"}', 0), + (30175, 2, 16, 'Pantalon baggy ceinture orange', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"orange"}', 0), + (30176, 1, 16, 'Pantalon en toile taupe', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"taupe"}', 0), + (30177, 1, 16, 'Pantalon en toile jaune pâle', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"jaune pâle"}', 0), + (30178, 1, 16, 'Pantalon en toile gris', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"gris"}', 0), + (30179, 1, 16, 'Pantalon en toile aqua', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"aqua"}', 0), + (30180, 2, 16, 'Pantalon en toile taupe', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"taupe"}', 0), + (30181, 2, 16, 'Pantalon en toile jaune pâle', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"jaune pâle"}', 0), + (30182, 2, 16, 'Pantalon en toile gris', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"gris"}', 0), + (30183, 2, 16, 'Pantalon en toile aqua', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"aqua"}', 0), + (30184, 1, 16, 'Pantalon militaire kaki', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"kaki"}', 0), + (30185, 1, 16, 'Pantalon militaire crème', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"crème"}', 0), + (30186, 1, 16, 'Pantalon militaire prune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"prune"}', 0), + (30187, 1, 16, 'Pantalon militaire bleu', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"bleu"}', 0), + (30188, 1, 16, 'Pantalon militaire corail', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"corail"}', 0), + (30189, 1, 16, 'Pantalon militaire marron', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"marron"}', 0), + (30190, 1, 16, 'Pantalon militaire taupe', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"taupe"}', 0), + (30191, 1, 16, 'Pantalon militaire noir', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"noir"}', 0), + (30192, 1, 16, 'Pantalon militaire jaune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"jaune"}', 0), + (30193, 1, 16, 'Pantalon militaire camo marron', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo marron"}', 0), + (30194, 1, 16, 'Pantalon militaire camo gris', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo gris"}', 0), + (30195, 1, 16, 'Pantalon militaire camo rouge', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo rouge"}', 0), + (30196, 1, 16, 'Pantalon militaire camo marais', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo marais"}', 0), + (30197, 1, 16, 'Pantalon militaire camo ardoise', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo ardoise"}', 0), + (30198, 1, 16, 'Pantalon militaire camo vert', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo vert"}', 0), + (30199, 1, 16, 'Pantalon militaire camo bleu', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo bleu"}', 0), + (30200, 2, 16, 'Pantalon militaire kaki', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"kaki"}', 0), + (30201, 2, 16, 'Pantalon militaire crème', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"crème"}', 0), + (30202, 2, 16, 'Pantalon militaire prune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"prune"}', 0), + (30203, 2, 16, 'Pantalon militaire bleu', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"bleu"}', 0), + (30204, 2, 16, 'Pantalon militaire corail', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"corail"}', 0), + (30205, 2, 16, 'Pantalon militaire marron', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"marron"}', 0), + (30206, 2, 16, 'Pantalon militaire taupe', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"taupe"}', 0), + (30207, 2, 16, 'Pantalon militaire noir', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"noir"}', 0), + (30208, 2, 16, 'Pantalon militaire jaune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"jaune"}', 0), + (30209, 2, 16, 'Pantalon militaire camo marron', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo marron"}', 0), + (30210, 2, 16, 'Pantalon militaire camo gris', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo gris"}', 0), + (30211, 2, 16, 'Pantalon militaire camo rouge', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo rouge"}', 0), + (30212, 2, 16, 'Pantalon militaire camo marais', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo marais"}', 0), + (30213, 2, 16, 'Pantalon militaire camo ardoise', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo ardoise"}', 0), + (30214, 2, 16, 'Pantalon militaire camo vert', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo vert"}', 0), + (30215, 2, 16, 'Pantalon militaire camo bleu', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon militaire","colorLabel":"camo bleu"}', 0), + (30216, 3, 17, 'Short chic ardoise', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"ardoise"}', 0), + (30217, 3, 17, 'Short chic gris car.', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"gris car."}', 0), + (30218, 3, 17, 'Short chic gris', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"gris"}', 0), + (30219, 3, 17, 'Short chic crème', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"crème"}', 0), + (30220, 3, 17, 'Short chic bleu', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"bleu"}', 0), + (30221, 3, 16, 'Pantalon large classe noir', 50, '{"components":{"4":{"Drawable":13,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"noir"}', 0), + (30222, 3, 16, 'Pantalon large classe gris', 50, '{"components":{"4":{"Drawable":13,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"gris"}', 0), + (30223, 3, 16, 'Pantalon large classe bleu', 50, '{"components":{"4":{"Drawable":13,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"bleu"}', 0), + (30224, 1, 17, 'Mini-short de course gris', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"gris"}', 0), + (30225, 1, 17, 'Mini-short de course noir', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"noir"}', 0), + (30226, 1, 17, 'Mini-short de course rouge', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"rouge"}', 0), + (30227, 1, 17, 'Mini-short de course blanc', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"blanc"}', 0), + (30228, 2, 17, 'Mini-short de course gris', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"gris"}', 0), + (30229, 2, 17, 'Mini-short de course noir', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"noir"}', 0), + (30230, 2, 17, 'Mini-short de course rouge', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"rouge"}', 0), + (30231, 2, 17, 'Mini-short de course blanc', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"blanc"}', 0), + (30232, 1, 17, 'Bermuda jaune pâle', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"jaune pâle"}', 0), + (30233, 1, 17, 'Bermuda kaki', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"kaki"}', 0), + (30234, 1, 17, 'Bermuda blanc', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"blanc"}', 0), + (30235, 1, 17, 'Bermuda noir', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"noir"}', 0), + (30236, 1, 17, 'Bermuda sable', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"sable"}', 0), + (30237, 1, 17, 'Bermuda gris', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"gris"}', 0), + (30238, 1, 17, 'Bermuda rouge', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"rouge"}', 0), + (30239, 1, 17, 'Bermuda marron', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"marron"}', 0), + (30240, 1, 17, 'Bermuda violet', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"violet"}', 0), + (30241, 1, 17, 'Bermuda camo noir', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo noir"}', 0), + (30242, 1, 17, 'Bermuda camo forêt', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo forêt"}', 0), + (30243, 1, 17, 'Bermuda camo beige', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo beige"}', 0), + (30244, 1, 17, 'Bermuda camo gris', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo gris"}', 0), + (30245, 1, 17, 'Bermuda vert', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"vert"}', 0), + (30246, 1, 17, 'Bermuda bleu', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"bleu"}', 0), + (30247, 1, 17, 'Bermuda orange', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"orange"}', 0), + (30248, 2, 17, 'Bermuda jaune pâle', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"jaune pâle"}', 0), + (30249, 2, 17, 'Bermuda kaki', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"kaki"}', 0), + (30250, 2, 17, 'Bermuda blanc', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"blanc"}', 0), + (30251, 2, 17, 'Bermuda noir', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"noir"}', 0), + (30252, 2, 17, 'Bermuda sable', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"sable"}', 0), + (30253, 2, 17, 'Bermuda gris', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"gris"}', 0), + (30254, 2, 17, 'Bermuda rouge', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"rouge"}', 0), + (30255, 2, 17, 'Bermuda marron', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"marron"}', 0), + (30256, 2, 17, 'Bermuda violet', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"violet"}', 0), + (30257, 2, 17, 'Bermuda camo noir', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo noir"}', 0), + (30258, 2, 17, 'Bermuda camo forêt', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo forêt"}', 0), + (30259, 2, 17, 'Bermuda camo beige', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo beige"}', 0), + (30260, 2, 17, 'Bermuda camo gris', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo gris"}', 0), + (30261, 2, 17, 'Bermuda vert', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"vert"}', 0), + (30262, 2, 17, 'Bermuda bleu', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"bleu"}', 0), + (30263, 2, 17, 'Bermuda orange', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"orange"}', 0), + (30264, 1, 24, 'Short de bain lila', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"lila"}', 0), + (30265, 1, 24, 'Short de bain car. rouge', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"car. rouge"}', 0), + (30266, 1, 24, 'Short de bain sunrise', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"sunrise"}', 0), + (30267, 1, 24, 'Short de bain sunset', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"sunset"}', 0), + (30268, 1, 24, 'Short de bain vert', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"vert"}', 0), + (30269, 1, 24, 'Short de bain pourpre', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"pourpre"}', 0), + (30270, 1, 24, 'Short de bain italy', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"italy"}', 0), + (30271, 1, 24, 'Short de bain car. gris-vert', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"car. gris-vert"}', 0), + (30272, 1, 24, 'Short de bain aqua', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"aqua"}', 0), + (30273, 1, 24, 'Short de bain rose', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"rose"}', 0), + (30274, 1, 24, 'Short de bain pistache', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"pistache"}', 0), + (30275, 1, 24, 'Short de bain beige', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"beige"}', 0), + (30276, 2, 24, 'Short de bain lila', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"lila"}', 0), + (30277, 2, 24, 'Short de bain car. rouge', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"car. rouge"}', 0), + (30278, 2, 24, 'Short de bain sunrise', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"sunrise"}', 0), + (30279, 2, 24, 'Short de bain sunset', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"sunset"}', 0), + (30280, 2, 24, 'Short de bain vert', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"vert"}', 0), + (30281, 2, 24, 'Short de bain pourpre', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"pourpre"}', 0), + (30282, 2, 24, 'Short de bain italy', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"italy"}', 0), + (30283, 2, 24, 'Short de bain car. gris-vert', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"car. gris-vert"}', 0), + (30284, 2, 24, 'Short de bain aqua', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"aqua"}', 0), + (30285, 2, 24, 'Short de bain rose', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"rose"}', 0), + (30286, 2, 24, 'Short de bain pistache', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"pistache"}', 0), + (30287, 2, 24, 'Short de bain beige', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"beige"}', 0), + (30288, 3, 17, 'Short chic marron', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"marron"}', 0), + (30289, 3, 17, 'Short chic taupe car.', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"taupe car."}', 0), + (30290, 3, 17, 'Short chic jaune', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"jaune"}', 0), + (30291, 3, 17, 'Short chic gris ray.', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"gris ray."}', 0), + (30292, 3, 17, 'Short chic ciel', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"ciel"}', 0), + (30293, 3, 17, 'Short chic blanc car.', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"blanc car."}', 0), + (30294, 3, 17, 'Short chic perle', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"perle"}', 0), + (30295, 3, 17, 'Short chic menthe car.', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"menthe car."}', 0), + (30296, 3, 17, 'Short chic brun car.', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"brun car."}', 0), + (30297, 3, 17, 'Short chic rouge', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"rouge"}', 0), + (30298, 3, 17, 'Short chic kaki', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short chic","colorLabel":"kaki"}', 0), + (30299, 1, 17, 'Mini-short de course jaune', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"jaune"}', 0), + (30300, 1, 17, 'Mini-short de course bleu', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"bleu"}', 0), + (30301, 1, 17, 'Mini-short de course tropiques', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"tropiques"}', 0), + (30302, 1, 17, 'Mini-short de course rouge blanc', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"rouge blanc"}', 0), + (30303, 1, 17, 'Mini-short de course menthe', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"menthe"}', 0), + (30304, 1, 17, 'Mini-short de course carreaux', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"carreaux"}', 0), + (30305, 1, 17, 'Mini-short de course pétrole', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"pétrole"}', 0), + (30306, 1, 17, 'Mini-short de course fleurs brun', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"fleurs brun"}', 0), + (30307, 1, 17, 'Mini-short de course bleu ray.', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"bleu ray."}', 0), + (30308, 1, 17, 'Mini-short de course fleurs orange', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"fleurs orange"}', 0), + (30309, 1, 17, 'Mini-short de course léopard jaune', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"léopard jaune"}', 0), + (30310, 1, 17, 'Mini-short de course végétal noir', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"végétal noir"}', 0), + (30311, 2, 17, 'Mini-short de course jaune', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"jaune"}', 0), + (30312, 2, 17, 'Mini-short de course bleu', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"bleu"}', 0), + (30313, 2, 17, 'Mini-short de course tropiques', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"tropiques"}', 0), + (30314, 2, 17, 'Mini-short de course rouge blanc', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"rouge blanc"}', 0), + (30315, 2, 17, 'Mini-short de course menthe', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"menthe"}', 0), + (30316, 2, 17, 'Mini-short de course carreaux', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"carreaux"}', 0), + (30317, 2, 17, 'Mini-short de course pétrole', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"pétrole"}', 0), + (30318, 2, 17, 'Mini-short de course fleurs brun', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"fleurs brun"}', 0), + (30319, 2, 17, 'Mini-short de course bleu ray.', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"bleu ray."}', 0), + (30320, 2, 17, 'Mini-short de course fleurs orange', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"fleurs orange"}', 0), + (30321, 2, 17, 'Mini-short de course léopard jaune', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"léopard jaune"}', 0), + (30322, 2, 17, 'Mini-short de course végétal noir', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Mini-short de course","colorLabel":"végétal noir"}', 0), + (30323, 3, 16, 'Pantalon large classe feu', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"feu"}', 0), + (30324, 3, 16, 'Pantalon large classe vert', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"vert"}', 0), + (30325, 3, 16, 'Pantalon classe écru', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"écru"}', 0), + (30326, 3, 16, 'Pantalon classe ray. bleu', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ray. bleu"}', 0), + (30327, 3, 16, 'Pantalon classe ray. taupe', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ray. taupe"}', 0), + (30328, 3, 16, 'Pantalon classe ray. beige', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ray. beige"}', 0), + (30329, 3, 21, 'Caleçon F-A-B', 50, '{"components":{"4":{"Drawable":21,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"F-A-B"}', 0), + (30330, 3, 16, 'Pantalon classe perle', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"perle"}', 0), + (30331, 3, 16, 'Pantalon classe kaki', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"kaki"}', 0), + (30332, 3, 16, 'Pantalon classe violet', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"violet"}', 0), + (30333, 3, 16, 'Pantalon classe rouge', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"rouge"}', 0), + (30334, 3, 16, 'Pantalon classe nuage', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"nuage"}', 0), + (30335, 3, 16, 'Pantalon classe marron', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"marron"}', 0), + (30336, 3, 16, 'Pantalon classe beige à points', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"beige à points"}', 0), + (30337, 3, 16, 'Pantalon classe crème', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"crème"}', 0), + (30338, 3, 16, 'Pantalon classe pétrole', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"pétrole"}', 0), + (30339, 3, 16, 'Pantalon classe car. bleu', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. bleu"}', 0), + (30340, 3, 16, 'Pantalon classe car. gris', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. gris"}', 0), + (30341, 3, 16, 'Pantalon classe car. gris-bleu', 50, '{"components":{"4":{"Drawable":22,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. gris-bleu"}', 0), + (30342, 3, 16, 'Pantalon large classe perle', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"perle"}', 0), + (30343, 3, 16, 'Pantalon large classe kaki', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"kaki"}', 0), + (30344, 3, 16, 'Pantalon large classe violet', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"violet"}', 0), + (30345, 3, 16, 'Pantalon large classe rouge', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"rouge"}', 0), + (30346, 3, 16, 'Pantalon large classe nuage', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"nuage"}', 0), + (30347, 3, 16, 'Pantalon large classe marron', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"marron"}', 0), + (30348, 3, 16, 'Pantalon large classe beige à points', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"beige à points"}', 0), + (30349, 3, 16, 'Pantalon large classe crème', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"crème"}', 0), + (30350, 3, 16, 'Pantalon large classe écru', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"écru"}', 0), + (30351, 3, 16, 'Pantalon large classe car. bleu', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"car. bleu"}', 0), + (30352, 3, 16, 'Pantalon large classe car. gris', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"car. gris"}', 0), + (30353, 3, 16, 'Pantalon large classe car. gris-bleu', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"car. gris-bleu"}', 0), + (30354, 3, 16, 'Pantalon large classe blanc', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"blanc"}', 0), + (30355, 3, 16, 'Pantalon slim classe noir', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"noir"}', 0), + (30356, 3, 16, 'Pantalon slim classe gris', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"gris"}', 0), + (30357, 3, 16, 'Pantalon slim classe bleu', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"bleu"}', 0), + (30358, 3, 16, 'Pantalon slim classe pétrole', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"pétrole"}', 0), + (30359, 3, 16, 'Pantalon slim classe rouge', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"rouge"}', 0), + (30360, 3, 16, 'Pantalon slim classe blanc', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"blanc"}', 0), + (30361, 3, 16, 'Pantalon slim classe marron', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"marron"}', 0), + (30362, 3, 16, 'Pantalon classe noir', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"noir"}', 0), + (30363, 3, 16, 'Pantalon classe gris', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"gris"}', 0), + (30364, 3, 16, 'Pantalon classe bleu', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"bleu"}', 0), + (30365, 3, 16, 'Pantalon classe pétrole', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"pétrole"}', 0), + (30366, 3, 16, 'Pantalon classe rouge', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"rouge"}', 0), + (30367, 3, 16, 'Pantalon classe blanc', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"blanc"}', 0), + (30368, 3, 16, 'Pantalon classe marron', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"marron"}', 0), + (30369, 1, 19, 'Jean slim ceinture camo noir', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"camo noir"}', 0), + (30370, 1, 19, 'Jean slim ceinture violet', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"violet"}', 0), + (30371, 1, 19, 'Jean slim ceinture kaki', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"kaki"}', 0), + (30372, 1, 19, 'Jean slim ceinture menthe', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"menthe"}', 0), + (30373, 1, 19, 'Jean slim ceinture pixel ciel', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"pixel ciel"}', 0), + (30374, 1, 19, 'Jean slim ceinture pixel rouge', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"pixel rouge"}', 0), + (30375, 1, 19, 'Jean slim ceinture ciel', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"ciel"}', 0), + (30376, 1, 19, 'Jean slim ceinture vert d\'eau', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"vert d\'eau"}', 0), + (30377, 1, 19, 'Jean slim ceinture noir motifs blanc', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"noir motifs blanc"}', 0), + (30378, 1, 19, 'Jean slim ceinture léopard', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"léopard"}', 0), + (30379, 1, 19, 'Jean slim ceinture zèbre blanc', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"zèbre blanc"}', 0), + (30380, 1, 19, 'Jean slim ceinture écossais', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"écossais"}', 0), + (30381, 2, 19, 'Jean slim ceinture camo noir', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"camo noir"}', 0), + (30382, 2, 19, 'Jean slim ceinture violet', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"violet"}', 0), + (30383, 2, 19, 'Jean slim ceinture kaki', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"kaki"}', 0), + (30384, 2, 19, 'Jean slim ceinture menthe', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"menthe"}', 0), + (30385, 2, 19, 'Jean slim ceinture pixel ciel', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"pixel ciel"}', 0), + (30386, 2, 19, 'Jean slim ceinture pixel rouge', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"pixel rouge"}', 0), + (30387, 2, 19, 'Jean slim ceinture ciel', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"ciel"}', 0), + (30388, 2, 19, 'Jean slim ceinture vert d\'eau', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"vert d\'eau"}', 0), + (30389, 2, 19, 'Jean slim ceinture noir motifs blanc', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"noir motifs blanc"}', 0), + (30390, 2, 19, 'Jean slim ceinture léopard', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"léopard"}', 0), + (30391, 2, 19, 'Jean slim ceinture zèbre blanc', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"zèbre blanc"}', 0), + (30392, 2, 19, 'Jean slim ceinture écossais', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean slim ceinture","colorLabel":"écossais"}', 0), + (30393, 1, 16, 'Pantalon en toile jaune', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"jaune"}', 0), + (30394, 1, 16, 'Pantalon en toile bleu', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"bleu"}', 0), + (30395, 1, 16, 'Pantalon en toile orange', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"orange"}', 0), + (30396, 1, 16, 'Pantalon en toile blanc', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"blanc"}', 0), + (30397, 1, 16, 'Pantalon en toile rouge', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"rouge"}', 0), + (30398, 1, 16, 'Pantalon en toile ciel', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"ciel"}', 0), + (30399, 1, 16, 'Pantalon en toile framboise', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"framboise"}', 0), + (30400, 1, 16, 'Pantalon en toile menthe', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"menthe"}', 0), + (30401, 1, 16, 'Pantalon en toile brun', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"brun"}', 0), + (30402, 1, 16, 'Pantalon en toile pétrole', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"pétrole"}', 0), + (30403, 1, 16, 'Pantalon en toile vert', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"vert"}', 0), + (30404, 1, 16, 'Pantalon en toile lila', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"lila"}', 0), + (30405, 2, 16, 'Pantalon en toile jaune', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"jaune"}', 0), + (30406, 2, 16, 'Pantalon en toile bleu', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"bleu"}', 0), + (30407, 2, 16, 'Pantalon en toile orange', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"orange"}', 0), + (30408, 2, 16, 'Pantalon en toile blanc', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"blanc"}', 0), + (30409, 2, 16, 'Pantalon en toile rouge', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"rouge"}', 0), + (30410, 2, 16, 'Pantalon en toile ciel', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"ciel"}', 0), + (30411, 2, 16, 'Pantalon en toile framboise', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"framboise"}', 0), + (30412, 2, 16, 'Pantalon en toile menthe', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"menthe"}', 0), + (30413, 2, 16, 'Pantalon en toile brun', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"brun"}', 0), + (30414, 2, 16, 'Pantalon en toile pétrole', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"pétrole"}', 0), + (30415, 2, 16, 'Pantalon en toile vert', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"vert"}', 0), + (30416, 2, 16, 'Pantalon en toile lila', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"lila"}', 0), + (30417, 3, 16, 'Pantalon slim classe framboise', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"framboise"}', 0), + (30418, 3, 16, 'Pantalon slim classe ardoise', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"ardoise"}', 0), + (30419, 3, 16, 'Pantalon slim classe kaki', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"kaki"}', 0), + (30420, 3, 16, 'Pantalon slim classe brun', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"brun"}', 0), + (30421, 3, 16, 'Pantalon slim classe perle', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"perle"}', 0), + (30422, 3, 16, 'Pantalon slim classe beige à points', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"beige à points"}', 0), + (30423, 3, 16, 'Pantalon slim classe écru', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"écru"}', 0), + (30424, 3, 16, 'Pantalon slim classe violet', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"violet"}', 0), + (30425, 3, 16, 'Pantalon slim classe acier', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"acier"}', 0), + (30426, 3, 16, 'Pantalon slim classe indigo', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"indigo"}', 0), + (30427, 3, 16, 'Pantalon slim classe léopard', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"léopard"}', 0), + (30428, 3, 16, 'Pantalon slim classe car. bleu', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"car. bleu"}', 0), + (30429, 3, 16, 'Pantalon slim classe crème', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"crème"}', 0), + (30430, 3, 16, 'Pantalon slim classe taupe', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"taupe"}', 0), + (30431, 1, 20, 'Pantalon patriote pet. ray. rouge', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"pet. ray. rouge"}', 0), + (30432, 1, 20, 'Pantalon patriote gd. ray. rouge', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gd. ray. rouge"}', 0), + (30433, 1, 20, 'Pantalon patriote étoiles bleu', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"étoiles bleu"}', 0), + (30434, 2, 20, 'Pantalon patriote pet. ray. rouge', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"pet. ray. rouge"}', 0), + (30435, 2, 20, 'Pantalon patriote gd. ray. rouge', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gd. ray. rouge"}', 0), + (30436, 2, 20, 'Pantalon patriote étoiles bleu', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"étoiles bleu"}', 0), + (30437, 1, 20, 'Parachutiste marais', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"marais"}', 0), + (30438, 2, 20, 'Parachutiste marais', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"marais"}', 0), + (30439, 1, 16, 'Pantacourt noir', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"noir"}', 0), + (30440, 1, 16, 'Pantacourt camo gris', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"camo gris"}', 0), + (30441, 1, 16, 'Pantacourt gris', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"gris"}', 0), + (30442, 1, 16, 'Pantacourt camo beige', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"camo beige"}', 0), + (30443, 1, 16, 'Pantacourt camo vert', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"camo vert"}', 0), + (30444, 2, 16, 'Pantacourt noir', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"noir"}', 0), + (30445, 2, 16, 'Pantacourt camo gris', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"camo gris"}', 0), + (30446, 2, 16, 'Pantacourt gris', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"gris"}', 0), + (30447, 2, 16, 'Pantacourt camo beige', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"camo beige"}', 0), + (30448, 2, 16, 'Pantacourt camo vert', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"camo vert"}', 0), + (30449, 1, 22, 'Legging d\'hiver corail', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"corail"}', 0), + (30450, 1, 22, 'Legging d\'hiver lutin', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"lutin"}', 0), + (30451, 1, 22, 'Legging d\'hiver gris', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"gris"}', 0), + (30452, 1, 22, 'Legging d\'hiver bleu', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"bleu"}', 0), + (30453, 2, 22, 'Legging d\'hiver corail', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"corail"}', 0), + (30454, 2, 22, 'Legging d\'hiver lutin', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"lutin"}', 0), + (30455, 2, 22, 'Legging d\'hiver gris', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"gris"}', 0), + (30456, 2, 22, 'Legging d\'hiver bleu', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Legging d\'hiver","colorLabel":"bleu"}', 0), + (30457, 1, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (30458, 2, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (30459, 1, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":34,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (30460, 2, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":34,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (30461, 3, 16, 'Pantalon large classe acier', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"acier"}', 0), + (30462, 3, 16, 'Pantalon large classe vanille', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"vanille"}', 0), + (30463, 3, 16, 'Pantalon large classe charbon', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"charbon"}', 0), + (30464, 3, 16, 'Pantalon large classe ciel', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon large classe","colorLabel":"ciel"}', 0), + (30465, 1, 23, 'Jogging oversize rouge', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"rouge"}', 0), + (30466, 1, 23, 'Jogging oversize ardoise', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"ardoise"}', 0), + (30467, 1, 23, 'Jogging oversize pétrole', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"pétrole"}', 0), + (30468, 1, 23, 'Jogging oversize gris', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"gris"}', 0), + (30469, 2, 23, 'Jogging oversize rouge', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"rouge"}', 0), + (30470, 2, 23, 'Jogging oversize ardoise', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"ardoise"}', 0), + (30471, 2, 23, 'Jogging oversize pétrole', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"pétrole"}', 0), + (30472, 2, 23, 'Jogging oversize gris', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"gris"}', 0), + (30473, 1, 23, 'Jogging taille haute rouge', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"rouge"}', 0), + (30474, 1, 23, 'Jogging taille haute ardoise', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"ardoise"}', 0), + (30475, 1, 23, 'Jogging taille haute pétrole', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"pétrole"}', 0), + (30476, 1, 23, 'Jogging taille haute gris', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"gris"}', 0), + (30477, 2, 23, 'Jogging taille haute rouge', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"rouge"}', 0), + (30478, 2, 23, 'Jogging taille haute ardoise', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"ardoise"}', 0), + (30479, 2, 23, 'Jogging taille haute pétrole', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"pétrole"}', 0), + (30480, 2, 23, 'Jogging taille haute gris', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"gris"}', 0), + (30481, 1, 20, 'Parachutiste ardoise', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"ardoise"}', 0), + (30482, 2, 20, 'Parachutiste ardoise', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"ardoise"}', 0), + (30483, 1, 17, 'Bermuda sportif noir', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"noir"}', 0), + (30484, 1, 17, 'Bermuda sportif gris', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"gris"}', 0), + (30485, 1, 17, 'Bermuda sportif blanc', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"blanc"}', 0), + (30486, 1, 17, 'Bermuda sportif bleu', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"bleu"}', 0), + (30487, 1, 17, 'Bermuda sportif rouge', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"rouge"}', 0), + (30488, 1, 17, 'Bermuda sportif jaune', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"jaune"}', 0), + (30489, 1, 17, 'Bermuda sportif vert', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"vert"}', 0), + (30490, 1, 17, 'Bermuda sportif brun', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"brun"}', 0), + (30491, 2, 17, 'Bermuda sportif noir', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"noir"}', 0), + (30492, 2, 17, 'Bermuda sportif gris', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"gris"}', 0), + (30493, 2, 17, 'Bermuda sportif blanc', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"blanc"}', 0), + (30494, 2, 17, 'Bermuda sportif bleu', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"bleu"}', 0), + (30495, 2, 17, 'Bermuda sportif rouge', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"rouge"}', 0), + (30496, 2, 17, 'Bermuda sportif jaune', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"jaune"}', 0), + (30497, 2, 17, 'Bermuda sportif vert', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"vert"}', 0), + (30498, 2, 17, 'Bermuda sportif brun', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda sportif","colorLabel":"brun"}', 0), + (30499, 1, 16, 'Pantalon baggy jean bleu', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"jean bleu"}', 0), + (30500, 1, 16, 'Pantalon baggy jean foncé', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"jean foncé"}', 0), + (30501, 2, 16, 'Pantalon baggy jean bleu', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"jean bleu"}', 0), + (30502, 2, 16, 'Pantalon baggy jean foncé', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"jean foncé"}', 0), + (30503, 1, 22, 'Pyjama noir', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (30504, 1, 22, 'Pyjama motif bleu', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motif bleu"}', 0), + (30505, 1, 22, 'Pyjama motifs beige', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motifs beige"}', 0), + (30506, 1, 22, 'Pyjama perle', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"perle"}', 0), + (30507, 1, 22, 'Pyjama rouge', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (30508, 1, 22, 'Pyjama pétrole', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"pétrole"}', 0), + (30509, 1, 22, 'Pyjama blanc étoiles', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"blanc étoiles"}', 0), + (30510, 2, 22, 'Pyjama noir', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (30511, 2, 22, 'Pyjama motif bleu', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motif bleu"}', 0), + (30512, 2, 22, 'Pyjama motifs beige', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motifs beige"}', 0), + (30513, 2, 22, 'Pyjama perle', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"perle"}', 0), + (30514, 2, 22, 'Pyjama rouge', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (30515, 2, 22, 'Pyjama pétrole', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"pétrole"}', 0), + (30516, 2, 22, 'Pyjama blanc étoiles', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"blanc étoiles"}', 0), + (30517, 1, 16, 'Pantalon renforcé genoux sable', 50, '{"components":{"4":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"sable"}', 0), + (30518, 1, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (30519, 2, 16, 'Pantalon renforcé genoux sable', 50, '{"components":{"4":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"sable"}', 0), + (30520, 2, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (30521, 1, 16, 'Pantalon grandes poches sable', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"sable"}', 0), + (30522, 1, 16, 'Pantalon grandes poches vert', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"vert"}', 0), + (30523, 2, 16, 'Pantalon grandes poches sable', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"sable"}', 0), + (30524, 2, 16, 'Pantalon grandes poches vert', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"vert"}', 0), + (30525, 3, 16, 'Pantalon classe lin', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"lin"}', 0), + (30526, 3, 16, 'Pantalon classe ardoise', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ardoise"}', 0), + (30527, 3, 16, 'Pantalon classe ciel', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ciel"}', 0), + (30528, 3, 16, 'Pantalon classe rose pâle', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"rose pâle"}', 0), + (30529, 3, 16, 'Pantalon classe jaune pâle', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"jaune pâle"}', 0), + (30530, 3, 16, 'Pantalon slim classe lin', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"lin"}', 0), + (30531, 3, 16, 'Pantalon slim classe ardoise', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"ardoise"}', 0), + (30532, 3, 16, 'Pantalon slim classe ciel', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"ciel"}', 0), + (30533, 3, 16, 'Pantalon slim classe rose pâle', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"rose pâle"}', 0), + (30534, 3, 16, 'Pantalon slim classe jaune pâle', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"jaune pâle"}', 0), + (30535, 3, 16, 'Pantalon classe lie de vin', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"lie de vin"}', 0), + (30536, 3, 16, 'Pantalon classe indigo', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"indigo"}', 0), + (30537, 3, 16, 'Pantalon classe charbon', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"charbon"}', 0), + (30538, 3, 16, 'Pantalon classe forêt', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"forêt"}', 0), + (30539, 3, 16, 'Pantalon classe motifs dorés', 50, '{"components":{"4":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"motifs dorés"}', 0), + (30540, 3, 16, 'Pantalon slim classe lie-de-vin', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"lie-de-vin"}', 0), + (30541, 3, 16, 'Pantalon slim classe indigo', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"indigo"}', 0), + (30542, 3, 16, 'Pantalon slim classe charbon', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"charbon"}', 0), + (30543, 3, 16, 'Pantalon slim classe forêt', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"forêt"}', 0), + (30544, 3, 16, 'Pantalon slim classe motifs dorés', 50, '{"components":{"4":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe","colorLabel":"motifs dorés"}', 0), + (30545, 1, 24, 'Short de bain motifs bleu', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"motifs bleu"}', 0), + (30546, 1, 24, 'Short de bain écritures', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"écritures"}', 0), + (30547, 1, 24, 'Short de bain motifs jaune pâle', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"motifs jaune pâle"}', 0), + (30548, 1, 24, 'Short de bain marron-turquoise', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"marron-turquoise"}', 0), + (30549, 1, 24, 'Short de bain fleurs orange', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"fleurs orange"}', 0), + (30550, 1, 24, 'Short de bain fleurs bleu', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"fleurs bleu"}', 0), + (30551, 1, 24, 'Short de bain chinois jaune', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"chinois jaune"}', 0), + (30552, 2, 24, 'Short de bain motifs bleu', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"motifs bleu"}', 0), + (30553, 2, 24, 'Short de bain écritures', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"écritures"}', 0), + (30554, 2, 24, 'Short de bain motifs jaune pâle', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"motifs jaune pâle"}', 0), + (30555, 2, 24, 'Short de bain marron-turquoise', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"marron-turquoise"}', 0), + (30556, 2, 24, 'Short de bain fleurs orange', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"fleurs orange"}', 0), + (30557, 2, 24, 'Short de bain fleurs bleu', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"fleurs bleu"}', 0), + (30558, 2, 24, 'Short de bain chinois jaune', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"chinois jaune"}', 0), + (30559, 1, 23, 'Jogging large noir', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"noir"}', 0), + (30560, 1, 23, 'Jogging large anthracite', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"anthracite"}', 0), + (30561, 1, 23, 'Jogging large marine', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"marine"}', 0), + (30562, 1, 23, 'Jogging large pétrole', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"pétrole"}', 0), + (30563, 2, 23, 'Jogging large noir', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"noir"}', 0), + (30564, 2, 23, 'Jogging large anthracite', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"anthracite"}', 0), + (30565, 2, 23, 'Jogging large marine', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"marine"}', 0), + (30566, 2, 23, 'Jogging large pétrole', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"pétrole"}', 0), + (30567, 3, 22, 'Peignoir blanc', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"blanc"}', 0), + (30568, 3, 22, 'Peignoir gris', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"gris"}', 0), + (30569, 3, 22, 'Peignoir noir', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"noir"}', 0), + (30570, 3, 22, 'Peignoir rouge', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"rouge"}', 0), + (30571, 3, 22, 'Peignoir violet', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"violet"}', 0), + (30572, 3, 22, 'Peignoir bleu marine', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"bleu marine"}', 0), + (30573, 3, 22, 'Peignoir anthracite', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"anthracite"}', 0), + (30574, 3, 22, 'Peignoir beige motifs', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"beige motifs"}', 0), + (30575, 1, 20, 'Pantalon Père Noël normal', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon Père Noël","colorLabel":"normal"}', 0), + (30576, 1, 20, 'Pantalon Père Noël sale', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon Père Noël","colorLabel":"sale"}', 0), + (30577, 1, 20, 'Pantalon Père Noël très sale', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon Père Noël","colorLabel":"très sale"}', 0), + (30578, 2, 20, 'Pantalon Père Noël normal', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon Père Noël","colorLabel":"normal"}', 0), + (30579, 2, 20, 'Pantalon Père Noël sale', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon Père Noël","colorLabel":"sale"}', 0), + (30580, 2, 20, 'Pantalon Père Noël très sale', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon Père Noël","colorLabel":"très sale"}', 0), + (30581, 1, 22, 'Pyjama car. rouge', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. rouge"}', 0), + (30582, 1, 22, 'Pyjama car. pétrole', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. pétrole"}', 0), + (30583, 1, 22, 'Pyjama écossais', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"écossais"}', 0), + (30584, 1, 22, 'Pyjama rayures lutin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rayures lutin"}', 0), + (30585, 1, 22, 'Pyjama vert chaussettes', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert chaussettes"}', 0), + (30586, 1, 22, 'Pyjama vert père noël', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert père noël"}', 0), + (30587, 1, 22, 'Pyjama rouge père noël', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rouge père noël"}', 0), + (30588, 1, 22, 'Pyjama houx', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"houx"}', 0), + (30589, 1, 22, 'Pyjama bleu pingouin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"bleu pingouin"}', 0), + (30590, 1, 22, 'Pyjama jaune', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"jaune"}', 0), + (30591, 1, 22, 'Pyjama blanc étoiles', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"blanc étoiles"}', 0), + (30592, 1, 22, 'Pyjama bleu bonhomme de neige', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"bleu bonhomme de neige"}', 0), + (30593, 1, 22, 'Pyjama orange sapin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"orange sapin"}', 0), + (30594, 1, 22, 'Pyjama rouge sapin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rouge sapin"}', 0), + (30595, 1, 22, 'Pyjama beige sapin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"beige sapin"}', 0), + (30596, 1, 22, 'Pyjama vert rayures', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert rayures"}', 0), + (30597, 2, 22, 'Pyjama car. rouge', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. rouge"}', 0), + (30598, 2, 22, 'Pyjama car. pétrole', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. pétrole"}', 0), + (30599, 2, 22, 'Pyjama écossais', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"écossais"}', 0), + (30600, 2, 22, 'Pyjama rayures lutin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rayures lutin"}', 0), + (30601, 2, 22, 'Pyjama vert chaussettes', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert chaussettes"}', 0), + (30602, 2, 22, 'Pyjama vert père noël', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert père noël"}', 0), + (30603, 2, 22, 'Pyjama rouge père noël', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rouge père noël"}', 0), + (30604, 2, 22, 'Pyjama houx', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"houx"}', 0), + (30605, 2, 22, 'Pyjama bleu pingouin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"bleu pingouin"}', 0), + (30606, 2, 22, 'Pyjama jaune', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"jaune"}', 0), + (30607, 2, 22, 'Pyjama blanc étoiles', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"blanc étoiles"}', 0), + (30608, 2, 22, 'Pyjama bleu bonhomme de neige', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"bleu bonhomme de neige"}', 0), + (30609, 2, 22, 'Pyjama orange sapin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"orange sapin"}', 0), + (30610, 2, 22, 'Pyjama rouge sapin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rouge sapin"}', 0), + (30611, 2, 22, 'Pyjama beige sapin', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"beige sapin"}', 0), + (30612, 2, 22, 'Pyjama vert rayures', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert rayures"}', 0), + (30613, 1, 16, 'Pantalon cargo vert', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"vert"}', 0), + (30614, 1, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (30615, 1, 16, 'Pantalon cargo violet', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"violet"}', 0), + (30616, 1, 16, 'Pantalon cargo rose', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"rose"}', 0), + (30617, 1, 16, 'Pantalon cargo lie de vin', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"lie de vin"}', 0), + (30618, 1, 16, 'Pantalon cargo bleu', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"bleu"}', 0), + (30619, 1, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (30620, 1, 16, 'Pantalon cargo beige', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"beige"}', 0), + (30621, 1, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (30622, 1, 16, 'Pantalon cargo anthracite', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"anthracite"}', 0), + (30623, 2, 16, 'Pantalon cargo vert', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"vert"}', 0), + (30624, 2, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (30625, 2, 16, 'Pantalon cargo violet', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"violet"}', 0), + (30626, 2, 16, 'Pantalon cargo rose', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"rose"}', 0), + (30627, 2, 16, 'Pantalon cargo lie de vin', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"lie de vin"}', 0), + (30628, 2, 16, 'Pantalon cargo bleu', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"bleu"}', 0), + (30629, 2, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (30630, 2, 16, 'Pantalon cargo beige', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"beige"}', 0), + (30631, 2, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (30632, 2, 16, 'Pantalon cargo anthracite', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"anthracite"}', 0), + (30633, 3, 16, 'Pantalon classe car. marine', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. marine"}', 0), + (30634, 3, 16, 'Pantalon classe ray. rouge', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ray. rouge"}', 0), + (30635, 3, 16, 'Pantalon classe car. gris', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. gris"}', 0), + (30636, 3, 16, 'Pantalon classe car. noir', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. noir"}', 0), + (30637, 3, 16, 'Pantalon classe car. blanc', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. blanc"}', 0), + (30638, 3, 16, 'Pantalon classe car. bleu', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. bleu"}', 0), + (30639, 3, 16, 'Pantalon classe car. brun', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. brun"}', 0), + (30640, 3, 16, 'Pantalon classe ray. brun', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ray. brun"}', 0), + (30641, 3, 16, 'Pantalon classe car. rouge', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. rouge"}', 0), + (30642, 3, 16, 'Pantalon classe car. beige', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. beige"}', 0), + (30643, 3, 16, 'Pantalon classe car. crème', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. crème"}', 0), + (30644, 3, 16, 'Pantalon classe car. bleu foncé', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"car. bleu foncé"}', 0), + (30645, 3, 21, 'Caleçon blanc', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"blanc"}', 0), + (30646, 3, 21, 'Caleçon noir', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"noir"}', 0), + (30647, 3, 21, 'Caleçon beige', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"beige"}', 0), + (30648, 3, 21, 'Caleçon léopard rouge', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"léopard rouge"}', 0), + (30649, 3, 21, 'Caleçon blanc coeurs', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"blanc coeurs"}', 0), + (30650, 3, 21, 'Caleçon noir coeurs', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"noir coeurs"}', 0), + (30651, 3, 21, 'Caleçon rouge coeurs', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"rouge coeurs"}', 0), + (30652, 3, 21, 'Caleçon ray. violet', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"ray. violet"}', 0), + (30653, 3, 21, 'Caleçon ray. beige', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"ray. beige"}', 0), + (30654, 3, 21, 'Caleçon léopard noir', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"léopard noir"}', 0), + (30655, 3, 21, 'Caleçon ray. rouge', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"ray. rouge"}', 0), + (30656, 3, 21, 'Caleçon bleu points', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"bleu points"}', 0), + (30657, 3, 21, 'Caleçon car. rouge', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"car. rouge"}', 0), + (30658, 3, 21, 'Caleçon car. bleu', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"car. bleu"}', 0), + (30659, 3, 17, 'Pantacourt à pli noir', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt à pli","colorLabel":"noir"}', 0), + (30660, 3, 17, 'Pantacourt à pli beige', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt à pli","colorLabel":"beige"}', 0), + (30661, 3, 17, 'Pantacourt à pli perle', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt à pli","colorLabel":"perle"}', 0), + (30662, 3, 17, 'Pantacourt à pli kaki', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt à pli","colorLabel":"kaki"}', 0), + (30663, 1, 19, 'Jean bootcut bleu', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean bootcut","colorLabel":"bleu"}', 0), + (30664, 2, 19, 'Jean bootcut bleu', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean bootcut","colorLabel":"bleu"}', 0), + (30665, 1, 23, 'Jogging large aqua', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"aqua"}', 0), + (30666, 1, 23, 'Jogging large rouille', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"rouille"}', 0), + (30667, 1, 23, 'Jogging large crème', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"crème"}', 0), + (30668, 1, 23, 'Jogging large bleu foncé', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"bleu foncé"}', 0), + (30669, 1, 23, 'Jogging large rouge', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"rouge"}', 0), + (30670, 1, 23, 'Jogging large ciel', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"ciel"}', 0), + (30671, 1, 23, 'Jogging large bouton d\'or', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"bouton d\'or"}', 0), + (30672, 1, 23, 'Jogging large lila', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"lila"}', 0), + (30673, 1, 23, 'Jogging large gris', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"gris"}', 0), + (30674, 1, 23, 'Jogging large prairie', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"prairie"}', 0), + (30675, 1, 23, 'Jogging large nuage', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"nuage"}', 0), + (30676, 2, 23, 'Jogging large aqua', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"aqua"}', 0), + (30677, 2, 23, 'Jogging large rouille', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"rouille"}', 0), + (30678, 2, 23, 'Jogging large crème', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"crème"}', 0), + (30679, 2, 23, 'Jogging large bleu foncé', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"bleu foncé"}', 0), + (30680, 2, 23, 'Jogging large rouge', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"rouge"}', 0), + (30681, 2, 23, 'Jogging large ciel', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"ciel"}', 0), + (30682, 2, 23, 'Jogging large bouton d\'or', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"bouton d\'or"}', 0), + (30683, 2, 23, 'Jogging large lila', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"lila"}', 0), + (30684, 2, 23, 'Jogging large gris', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"gris"}', 0), + (30685, 2, 23, 'Jogging large prairie', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"prairie"}', 0), + (30686, 2, 23, 'Jogging large nuage', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging large","colorLabel":"nuage"}', 0), + (30687, 1, 22, 'Pyjama ray. ciel', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. ciel"}', 0), + (30688, 1, 22, 'Pyjama jaune pâle', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"jaune pâle"}', 0), + (30689, 1, 22, 'Pyjama rose pâle', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rose pâle"}', 0), + (30690, 1, 22, 'Pyjama vert pâle', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert pâle"}', 0), + (30691, 1, 22, 'Pyjama car. violet', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. violet"}', 0), + (30692, 1, 22, 'Pyjama car. indigo', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. indigo"}', 0), + (30693, 1, 22, 'Pyjama motifs rouge', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motifs rouge"}', 0), + (30694, 1, 22, 'Pyjama motifs blanc', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motifs blanc"}', 0), + (30695, 1, 22, 'Pyjama boteh bleu', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"boteh bleu"}', 0), + (30696, 1, 22, 'Pyjama boteh jaune', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"boteh jaune"}', 0), + (30697, 1, 22, 'Pyjama boteh rouge', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"boteh rouge"}', 0), + (30698, 1, 22, 'Pyjama ray. bleu', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. bleu"}', 0), + (30699, 1, 22, 'Pyjama ray. usa', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. usa"}', 0), + (30700, 1, 22, 'Pyjama ray. été', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. été"}', 0), + (30701, 2, 22, 'Pyjama ray. ciel', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. ciel"}', 0), + (30702, 2, 22, 'Pyjama jaune pâle', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"jaune pâle"}', 0), + (30703, 2, 22, 'Pyjama rose pâle', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"rose pâle"}', 0), + (30704, 2, 22, 'Pyjama vert pâle', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"vert pâle"}', 0), + (30705, 2, 22, 'Pyjama car. violet', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. violet"}', 0), + (30706, 2, 22, 'Pyjama car. indigo', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"car. indigo"}', 0), + (30707, 2, 22, 'Pyjama motifs rouge', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motifs rouge"}', 0), + (30708, 2, 22, 'Pyjama motifs blanc', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"motifs blanc"}', 0), + (30709, 2, 22, 'Pyjama boteh bleu', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"boteh bleu"}', 0), + (30710, 2, 22, 'Pyjama boteh jaune', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"boteh jaune"}', 0), + (30711, 2, 22, 'Pyjama boteh rouge', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"boteh rouge"}', 0), + (30712, 2, 22, 'Pyjama ray. bleu', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. bleu"}', 0), + (30713, 2, 22, 'Pyjama ray. usa', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. usa"}', 0), + (30714, 2, 22, 'Pyjama ray. été', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pyjama","colorLabel":"ray. été"}', 0), + (30715, 1, 16, 'Combinaison moto bleu foncé', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"bleu foncé"}', 0), + (30716, 1, 16, 'Combinaison moto acier', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"acier"}', 0), + (30717, 1, 16, 'Combinaison moto rouge', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rouge"}', 0), + (30718, 1, 16, 'Combinaison moto noir', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"noir"}', 0), + (30719, 1, 16, 'Combinaison moto prairie', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"prairie"}', 0), + (30720, 1, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (30721, 1, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (30722, 1, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (30723, 1, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (30724, 1, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (30725, 2, 16, 'Combinaison moto bleu foncé', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"bleu foncé"}', 0), + (30726, 2, 16, 'Combinaison moto acier', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"acier"}', 0), + (30727, 2, 16, 'Combinaison moto rouge', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rouge"}', 0), + (30728, 2, 16, 'Combinaison moto noir', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"noir"}', 0), + (30729, 2, 16, 'Combinaison moto prairie', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"prairie"}', 0), + (30730, 2, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (30731, 2, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (30732, 2, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (30733, 2, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (30734, 2, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (30735, 1, 20, 'Combinaison futuriste vert', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"vert"}', 0), + (30736, 1, 20, 'Combinaison futuriste rouge', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"rouge"}', 0), + (30737, 1, 20, 'Combinaison futuriste blanc-vert', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"blanc-vert"}', 0), + (30738, 1, 20, 'Combinaison futuriste noir', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"noir"}', 0), + (30739, 1, 20, 'Combinaison futuriste usa', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"usa"}', 0), + (30740, 1, 20, 'Combinaison futuriste kill bill', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"kill bill"}', 0), + (30741, 1, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (30742, 1, 20, 'Combinaison futuriste bleu', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"bleu"}', 0), + (30743, 1, 20, 'Combinaison futuriste kaki', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"kaki"}', 0), + (30744, 1, 20, 'Combinaison futuriste abricot', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"abricot"}', 0), + (30745, 1, 20, 'Combinaison futuriste violet', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"violet"}', 0), + (30746, 1, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (30747, 2, 20, 'Combinaison futuriste vert', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"vert"}', 0), + (30748, 2, 20, 'Combinaison futuriste rouge', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"rouge"}', 0), + (30749, 2, 20, 'Combinaison futuriste blanc-vert', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"blanc-vert"}', 0), + (30750, 2, 20, 'Combinaison futuriste noir', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"noir"}', 0), + (30751, 2, 20, 'Combinaison futuriste usa', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"usa"}', 0), + (30752, 2, 20, 'Combinaison futuriste kill bill', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"kill bill"}', 0), + (30753, 2, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (30754, 2, 20, 'Combinaison futuriste bleu', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"bleu"}', 0), + (30755, 2, 20, 'Combinaison futuriste kaki', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"kaki"}', 0), + (30756, 2, 20, 'Combinaison futuriste abricot', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"abricot"}', 0), + (30757, 2, 20, 'Combinaison futuriste violet', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"violet"}', 0), + (30758, 2, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (30759, 1, 20, 'Pantalon patriote blanc', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"blanc"}', 0), + (30760, 1, 20, 'Pantalon patriote bleu', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"bleu"}', 0), + (30761, 1, 20, 'Pantalon patriote rouge', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rouge"}', 0), + (30762, 1, 20, 'Pantalon patriote noir', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"noir"}', 0), + (30763, 1, 20, 'Pantalon patriote rose', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rose"}', 0), + (30764, 1, 20, 'Pantalon patriote gris-bleu', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gris-bleu"}', 0), + (30765, 2, 20, 'Pantalon patriote blanc', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"blanc"}', 0), + (30766, 2, 20, 'Pantalon patriote bleu', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"bleu"}', 0), + (30767, 2, 20, 'Pantalon patriote rouge', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rouge"}', 0), + (30768, 2, 20, 'Pantalon patriote noir', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"noir"}', 0), + (30769, 2, 20, 'Pantalon patriote rose', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rose"}', 0), + (30770, 2, 20, 'Pantalon patriote gris-bleu', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gris-bleu"}', 0), + (30771, 1, 23, 'Survet à motifs skull', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"skull"}', 0), + (30772, 1, 23, 'Survet à motifs camo marais', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo marais"}', 0), + (30773, 1, 23, 'Survet à motifs camo noir', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo noir"}', 0), + (30774, 1, 23, 'Survet à motifs étoiles bleu', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles bleu"}', 0), + (30775, 1, 23, 'Survet à motifs étoiles vert', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles vert"}', 0), + (30776, 1, 23, 'Survet à motifs étoiles abricot', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles abricot"}', 0), + (30777, 1, 23, 'Survet à motifs étoiles violet', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles violet"}', 0), + (30778, 1, 23, 'Survet à motifs étoiles rose', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles rose"}', 0), + (30779, 1, 23, 'Survet à motifs kungfu Lazer Force', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"kungfu Lazer Force"}', 0), + (30780, 1, 23, 'Survet à motifs super-héros', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"super-héros"}', 0), + (30781, 1, 23, 'Survet à motifs hamburgers', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"hamburgers"}', 0), + (30782, 1, 23, 'Survet à motifs nourriture', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"nourriture"}', 0), + (30783, 1, 23, 'Survet à motifs faim', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"faim"}', 0), + (30784, 1, 23, 'Survet à motifs waifu', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"waifu"}', 0), + (30785, 1, 23, 'Survet à motifs camo lime', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo lime"}', 0), + (30786, 1, 23, 'Survet à motifs ranger de l\'espace', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"ranger de l\'espace"}', 0), + (30787, 1, 23, 'Survet à motifs sprunk bouteille', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"sprunk bouteille"}', 0), + (30788, 1, 23, 'Survet à motifs sprunk uni', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"sprunk uni"}', 0), + (30789, 2, 23, 'Survet à motifs skull', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"skull"}', 0), + (30790, 2, 23, 'Survet à motifs camo marais', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo marais"}', 0), + (30791, 2, 23, 'Survet à motifs camo noir', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo noir"}', 0), + (30792, 2, 23, 'Survet à motifs étoiles bleu', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles bleu"}', 0), + (30793, 2, 23, 'Survet à motifs étoiles vert', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles vert"}', 0), + (30794, 2, 23, 'Survet à motifs étoiles abricot', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles abricot"}', 0), + (30795, 2, 23, 'Survet à motifs étoiles violet', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles violet"}', 0), + (30796, 2, 23, 'Survet à motifs étoiles rose', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"étoiles rose"}', 0), + (30797, 2, 23, 'Survet à motifs kungfu Lazer Force', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"kungfu Lazer Force"}', 0), + (30798, 2, 23, 'Survet à motifs super-héros', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"super-héros"}', 0), + (30799, 2, 23, 'Survet à motifs hamburgers', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"hamburgers"}', 0), + (30800, 2, 23, 'Survet à motifs nourriture', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"nourriture"}', 0), + (30801, 2, 23, 'Survet à motifs faim', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"faim"}', 0), + (30802, 2, 23, 'Survet à motifs waifu', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"waifu"}', 0), + (30803, 2, 23, 'Survet à motifs camo lime', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo lime"}', 0), + (30804, 2, 23, 'Survet à motifs ranger de l\'espace', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"ranger de l\'espace"}', 0), + (30805, 2, 23, 'Survet à motifs sprunk bouteille', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"sprunk bouteille"}', 0), + (30806, 2, 23, 'Survet à motifs sprunk uni', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"sprunk uni"}', 0), + (30807, 1, 20, 'Pantalon patriote jaune', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"jaune"}', 0), + (30808, 1, 20, 'Pantalon patriote gris', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gris"}', 0), + (30809, 1, 20, 'Pantalon patriote jaune-rouge', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"jaune-rouge"}', 0), + (30810, 1, 20, 'Pantalon patriote gris-rouge', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gris-rouge"}', 0), + (30811, 2, 20, 'Pantalon patriote jaune', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"jaune"}', 0), + (30812, 2, 20, 'Pantalon patriote gris', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gris"}', 0), + (30813, 2, 20, 'Pantalon patriote jaune-rouge', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"jaune-rouge"}', 0), + (30814, 2, 20, 'Pantalon patriote gris-rouge', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"gris-rouge"}', 0), + (30815, 1, 20, 'Pantalon patriote noir', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"noir"}', 0), + (30816, 1, 20, 'Pantalon patriote rouge', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rouge"}', 0), + (30817, 1, 20, 'Pantalon patriote brun', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"brun"}', 0), + (30818, 1, 20, 'Pantalon patriote noir usé', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"noir usé"}', 0), + (30819, 1, 20, 'Pantalon patriote rouge usé', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rouge usé"}', 0), + (30820, 1, 20, 'Pantalon patriote brun usé', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"brun usé"}', 0), + (30821, 2, 20, 'Pantalon patriote noir', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"noir"}', 0), + (30822, 2, 20, 'Pantalon patriote rouge', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rouge"}', 0), + (30823, 2, 20, 'Pantalon patriote brun', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"brun"}', 0), + (30824, 2, 20, 'Pantalon patriote noir usé', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"noir usé"}', 0), + (30825, 2, 20, 'Pantalon patriote rouge usé', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"rouge usé"}', 0), + (30826, 2, 20, 'Pantalon patriote brun usé', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon patriote","colorLabel":"brun usé"}', 0), + (30827, 3, 16, 'Pantalon en cuir cargo noir', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir cargo","colorLabel":"noir"}', 0), + (30828, 3, 16, 'Pantalon en cuir cargo rouge', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir cargo","colorLabel":"rouge"}', 0), + (30829, 3, 16, 'Pantalon en cuir cargo brun', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir cargo","colorLabel":"brun"}', 0), + (30830, 3, 16, 'Pantalon en cuir cargo noir usé', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir cargo","colorLabel":"noir usé"}', 0), + (30831, 3, 16, 'Pantalon en cuir cargo rouge usé', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir cargo","colorLabel":"rouge usé"}', 0), + (30832, 3, 16, 'Pantalon en cuir cargo brun usé', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir cargo","colorLabel":"brun usé"}', 0), + (30833, 3, 16, 'Pantalon en cuir matelassé noir', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé","colorLabel":"noir"}', 0), + (30834, 3, 16, 'Pantalon en cuir matelassé rouge', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé","colorLabel":"rouge"}', 0), + (30835, 3, 16, 'Pantalon en cuir matelassé brun', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé","colorLabel":"brun"}', 0), + (30836, 3, 16, 'Pantalon en cuir matelassé noir usé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé","colorLabel":"noir usé"}', 0), + (30837, 3, 16, 'Pantalon en cuir matelassé rouge usé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé","colorLabel":"rouge usé"}', 0), + (30838, 3, 16, 'Pantalon en cuir matelassé brun usé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé","colorLabel":"brun usé"}', 0), + (30839, 3, 16, 'Pantalon en cuir matelassé cargo noir', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé cargo","colorLabel":"noir"}', 0), + (30840, 3, 16, 'Pantalon en cuir matelassé cargo rouge', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé cargo","colorLabel":"rouge"}', 0), + (30841, 3, 16, 'Pantalon en cuir matelassé cargo brun', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé cargo","colorLabel":"brun"}', 0), + (30842, 3, 16, 'Pantalon en cuir matelassé cargo noir usé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé cargo","colorLabel":"noir usé"}', 0), + (30843, 3, 16, 'Pantalon en cuir matelassé cargo rouge usé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé cargo","colorLabel":"rouge usé"}', 0), + (30844, 3, 16, 'Pantalon en cuir matelassé cargo brun usé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir matelassé cargo","colorLabel":"brun usé"}', 0), + (30845, 1, 19, 'Jean ceinture bleu foncé', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"bleu foncé"}', 0), + (30846, 1, 19, 'Jean ceinture anthracite', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"anthracite"}', 0), + (30847, 1, 19, 'Jean ceinture délavé ciel', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"délavé ciel"}', 0), + (30848, 1, 19, 'Jean ceinture délavé gris', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"délavé gris"}', 0), + (30849, 1, 19, 'Jean ceinture délavé bleu', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"délavé bleu"}', 0), + (30850, 1, 19, 'Jean ceinture orage', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"orage"}', 0), + (30851, 1, 19, 'Jean ceinture delavé gris', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"delavé gris"}', 0), + (30852, 1, 19, 'Jean ceinture noir', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"noir"}', 0), + (30853, 2, 19, 'Jean ceinture bleu foncé', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"bleu foncé"}', 0), + (30854, 2, 19, 'Jean ceinture anthracite', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"anthracite"}', 0), + (30855, 2, 19, 'Jean ceinture délavé ciel', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"délavé ciel"}', 0), + (30856, 2, 19, 'Jean ceinture délavé gris', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"délavé gris"}', 0), + (30857, 2, 19, 'Jean ceinture délavé bleu', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"délavé bleu"}', 0), + (30858, 2, 19, 'Jean ceinture orage', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"orage"}', 0), + (30859, 2, 19, 'Jean ceinture delavé gris', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"delavé gris"}', 0), + (30860, 2, 19, 'Jean ceinture noir', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean ceinture","colorLabel":"noir"}', 0), + (30861, 1, 19, 'Jean ceinture abîmé bleu foncé', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"bleu foncé"}', 0), + (30862, 1, 19, 'Jean ceinture abîmé anthracite', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"anthracite"}', 0), + (30863, 1, 19, 'Jean ceinture abîmé délavé ciel', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"délavé ciel"}', 0), + (30864, 1, 19, 'Jean ceinture abîmé délavé gris', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"délavé gris"}', 0), + (30865, 1, 19, 'Jean ceinture abîmé délavé bleu', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"délavé bleu"}', 0), + (30866, 1, 19, 'Jean ceinture abîmé orage', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"orage"}', 0), + (30867, 1, 19, 'Jean ceinture abîmé delavé gris', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"delavé gris"}', 0), + (30868, 1, 19, 'Jean ceinture abîmé noir', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"noir"}', 0), + (30869, 2, 19, 'Jean ceinture abîmé bleu foncé', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"bleu foncé"}', 0), + (30870, 2, 19, 'Jean ceinture abîmé anthracite', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"anthracite"}', 0), + (30871, 2, 19, 'Jean ceinture abîmé délavé ciel', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"délavé ciel"}', 0), + (30872, 2, 19, 'Jean ceinture abîmé délavé gris', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"délavé gris"}', 0), + (30873, 2, 19, 'Jean ceinture abîmé délavé bleu', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"délavé bleu"}', 0), + (30874, 2, 19, 'Jean ceinture abîmé orage', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"orage"}', 0), + (30875, 2, 19, 'Jean ceinture abîmé delavé gris', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"delavé gris"}', 0), + (30876, 2, 19, 'Jean ceinture abîmé noir', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean ceinture abîmé","colorLabel":"noir"}', 0), + (30877, 1, 20, 'Combinaison néon jaune', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"jaune"}', 0), + (30878, 1, 20, 'Combinaison néon vert', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"vert"}', 0), + (30879, 1, 20, 'Combinaison néon orange', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"orange"}', 0), + (30880, 1, 20, 'Combinaison néon bleu', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"bleu"}', 0), + (30881, 1, 20, 'Combinaison néon rose', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"rose"}', 0), + (30882, 1, 20, 'Combinaison néon rouge', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"rouge"}', 0), + (30883, 1, 20, 'Combinaison néon lila', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"lila"}', 0), + (30884, 1, 20, 'Combinaison néon gris', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"gris"}', 0), + (30885, 1, 20, 'Combinaison néon crème', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"crème"}', 0), + (30886, 1, 20, 'Combinaison néon blanc', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"blanc"}', 0), + (30887, 1, 20, 'Combinaison néon noir', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"noir"}', 0), + (30888, 2, 20, 'Combinaison néon jaune', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"jaune"}', 0), + (30889, 2, 20, 'Combinaison néon vert', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"vert"}', 0), + (30890, 2, 20, 'Combinaison néon orange', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"orange"}', 0), + (30891, 2, 20, 'Combinaison néon bleu', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"bleu"}', 0), + (30892, 2, 20, 'Combinaison néon rose', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"rose"}', 0), + (30893, 2, 20, 'Combinaison néon rouge', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"rouge"}', 0), + (30894, 2, 20, 'Combinaison néon lila', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"lila"}', 0), + (30895, 2, 20, 'Combinaison néon gris', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"gris"}', 0), + (30896, 2, 20, 'Combinaison néon crème', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"crème"}', 0), + (30897, 2, 20, 'Combinaison néon blanc', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"blanc"}', 0), + (30898, 2, 20, 'Combinaison néon noir', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison néon","colorLabel":"noir"}', 0), + (30899, 3, 22, 'Corsaire long brun', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"brun"}', 0), + (30900, 3, 22, 'Corsaire long camo vert', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"camo vert"}', 0), + (30901, 3, 22, 'Corsaire long noir', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"noir"}', 0), + (30902, 3, 22, 'Corsaire long pixel bleu', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"pixel bleu"}', 0), + (30903, 3, 22, 'Corsaire long perle', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"perle"}', 0), + (30904, 3, 22, 'Corsaire long gris', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"gris"}', 0), + (30905, 3, 22, 'Corsaire long motifs anthracite', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"motifs anthracite"}', 0), + (30906, 3, 22, 'Corsaire long motifs vanille', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"motifs vanille"}', 0), + (30907, 3, 22, 'Corsaire long noir cuir', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"noir cuir"}', 0), + (30908, 3, 22, 'Corsaire long rouge', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"rouge"}', 0), + (30909, 3, 22, 'Corsaire long blanc', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Corsaire long","colorLabel":"blanc"}', 0), + (30910, 3, 22, 'Corsaire brun', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"brun"}', 0), + (30911, 3, 22, 'Corsaire camo vert', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"camo vert"}', 0), + (30912, 3, 22, 'Corsaire noir', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"noir"}', 0), + (30913, 3, 22, 'Corsaire pixel bleu', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"pixel bleu"}', 0), + (30914, 3, 22, 'Corsaire perle', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"perle"}', 0), + (30915, 3, 22, 'Corsaire gris', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"gris"}', 0), + (30916, 3, 22, 'Corsaire motifs anthracite', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"motifs anthracite"}', 0), + (30917, 3, 22, 'Corsaire motifs vanille', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"motifs vanille"}', 0), + (30918, 3, 22, 'Corsaire noir cuir', 50, '{"components":{"4":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"noir cuir"}', 0), + (30919, 3, 22, 'Corsaire rouge', 50, '{"components":{"4":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"rouge"}', 0), + (30920, 3, 22, 'Corsaire blanc', 50, '{"components":{"4":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Corsaire","colorLabel":"blanc"}', 0), + (30921, 1, 19, 'Jean skinny bleu', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"bleu"}', 0), + (30922, 1, 19, 'Jean skinny foncé', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"foncé"}', 0), + (30923, 1, 19, 'Jean skinny ciel', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"ciel"}', 0), + (30924, 1, 19, 'Jean skinny perle', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"perle"}', 0), + (30925, 1, 19, 'Jean skinny anthracite', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"anthracite"}', 0), + (30926, 1, 19, 'Jean skinny délavé bleu', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé bleu"}', 0), + (30927, 1, 19, 'Jean skinny délavé foncé', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé foncé"}', 0), + (30928, 1, 19, 'Jean skinny délavé ciel', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé ciel"}', 0), + (30929, 1, 19, 'Jean skinny délavé perle', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé perle"}', 0), + (30930, 1, 19, 'Jean skinny délavé anthracite', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé anthracite"}', 0), + (30931, 2, 19, 'Jean skinny bleu', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"bleu"}', 0), + (30932, 2, 19, 'Jean skinny foncé', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"foncé"}', 0), + (30933, 2, 19, 'Jean skinny ciel', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"ciel"}', 0), + (30934, 2, 19, 'Jean skinny perle', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"perle"}', 0), + (30935, 2, 19, 'Jean skinny anthracite', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"anthracite"}', 0), + (30936, 2, 19, 'Jean skinny délavé bleu', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé bleu"}', 0), + (30937, 2, 19, 'Jean skinny délavé foncé', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé foncé"}', 0), + (30938, 2, 19, 'Jean skinny délavé ciel', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé ciel"}', 0), + (30939, 2, 19, 'Jean skinny délavé perle', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé perle"}', 0), + (30940, 2, 19, 'Jean skinny délavé anthracite', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"délavé anthracite"}', 0), + (30941, 1, 19, 'Jean skinny noir', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"noir"}', 0), + (30942, 1, 19, 'Jean skinny rouge', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"rouge"}', 0), + (30943, 1, 19, 'Jean skinny blanc', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"blanc"}', 0), + (30944, 1, 19, 'Jean skinny brun', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"brun"}', 0), + (30945, 2, 19, 'Jean skinny noir', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"noir"}', 0), + (30946, 2, 19, 'Jean skinny rouge', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"rouge"}', 0), + (30947, 2, 19, 'Jean skinny blanc', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"blanc"}', 0), + (30948, 2, 19, 'Jean skinny brun', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean skinny","colorLabel":"brun"}', 0), + (30949, 1, 20, 'Combinaison couvrante indigène rouge', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"indigène rouge"}', 0), + (30950, 1, 20, 'Combinaison couvrante indigène rose', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"indigène rose"}', 0), + (30951, 1, 20, 'Combinaison couvrante indigène bleu', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"indigène bleu"}', 0), + (30952, 2, 20, 'Combinaison couvrante indigène rouge', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"indigène rouge"}', 0), + (30953, 2, 20, 'Combinaison couvrante indigène rose', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"indigène rose"}', 0), + (30954, 2, 20, 'Combinaison couvrante indigène bleu', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"indigène bleu"}', 0), + (30955, 1, 16, 'Pantalon grandes poches pixel bleu', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel bleu"}', 0), + (30956, 1, 16, 'Pantalon grandes poches pixel sable', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel sable"}', 0), + (30957, 1, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (30958, 1, 16, 'Pantalon grandes poches pixel gris', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel gris"}', 0), + (30959, 1, 16, 'Pantalon grandes poches pixel crème', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel crème"}', 0), + (30960, 1, 16, 'Pantalon grandes poches désert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"désert"}', 0), + (30961, 1, 16, 'Pantalon grandes poches savane', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"savane"}', 0), + (30962, 1, 16, 'Pantalon grandes poches grille', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"grille"}', 0), + (30963, 1, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (30964, 1, 16, 'Pantalon grandes poches pierre', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pierre"}', 0), + (30965, 1, 16, 'Pantalon grandes poches camo bleu', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo bleu"}', 0), + (30966, 1, 16, 'Pantalon grandes poches géométrique kaki', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"géométrique kaki"}', 0), + (30967, 1, 16, 'Pantalon grandes poches camo kaki', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo kaki"}', 0), + (30968, 1, 16, 'Pantalon grandes poches motifs kaki', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"motifs kaki"}', 0), + (30969, 1, 16, 'Pantalon grandes poches camo beige', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo beige"}', 0), + (30970, 1, 16, 'Pantalon grandes poches forêt', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"forêt"}', 0), + (30971, 1, 16, 'Pantalon grandes poches camo marais', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo marais"}', 0), + (30972, 1, 16, 'Pantalon grandes poches camo brun', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo brun"}', 0), + (30973, 1, 16, 'Pantalon grandes poches kaki uni', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki uni"}', 0), + (30974, 1, 16, 'Pantalon grandes poches jaune', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"jaune"}', 0), + (30975, 1, 16, 'Pantalon grandes poches camo vert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo vert"}', 0), + (30976, 1, 16, 'Pantalon grandes poches camo orange', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo orange"}', 0), + (30977, 1, 16, 'Pantalon grandes poches camo violet', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo violet"}', 0), + (30978, 1, 16, 'Pantalon grandes poches camo rose', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo rose"}', 0), + (30979, 2, 16, 'Pantalon grandes poches pixel bleu', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel bleu"}', 0), + (30980, 2, 16, 'Pantalon grandes poches pixel sable', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel sable"}', 0), + (30981, 2, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (30982, 2, 16, 'Pantalon grandes poches pixel gris', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel gris"}', 0), + (30983, 2, 16, 'Pantalon grandes poches pixel crème', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel crème"}', 0), + (30984, 2, 16, 'Pantalon grandes poches désert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"désert"}', 0), + (30985, 2, 16, 'Pantalon grandes poches savane', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"savane"}', 0), + (30986, 2, 16, 'Pantalon grandes poches grille', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"grille"}', 0), + (30987, 2, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (30988, 2, 16, 'Pantalon grandes poches pierre', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pierre"}', 0), + (30989, 2, 16, 'Pantalon grandes poches camo bleu', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo bleu"}', 0), + (30990, 2, 16, 'Pantalon grandes poches géométrique kaki', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"géométrique kaki"}', 0), + (30991, 2, 16, 'Pantalon grandes poches camo kaki', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo kaki"}', 0), + (30992, 2, 16, 'Pantalon grandes poches motifs kaki', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"motifs kaki"}', 0), + (30993, 2, 16, 'Pantalon grandes poches camo beige', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo beige"}', 0), + (30994, 2, 16, 'Pantalon grandes poches forêt', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"forêt"}', 0), + (30995, 2, 16, 'Pantalon grandes poches camo marais', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo marais"}', 0), + (30996, 2, 16, 'Pantalon grandes poches camo brun', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo brun"}', 0), + (30997, 2, 16, 'Pantalon grandes poches kaki uni', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki uni"}', 0), + (30998, 2, 16, 'Pantalon grandes poches jaune', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"jaune"}', 0), + (30999, 2, 16, 'Pantalon grandes poches camo vert', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo vert"}', 0), + (31000, 2, 16, 'Pantalon grandes poches camo orange', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo orange"}', 0), + (31001, 2, 16, 'Pantalon grandes poches camo violet', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo violet"}', 0), + (31002, 2, 16, 'Pantalon grandes poches camo rose', 50, '{"components":{"4":{"Drawable":86,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"camo rose"}', 0), + (31003, 1, 16, 'Pantalon cargo pixel bleu', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel bleu"}', 0), + (31004, 1, 16, 'Pantalon cargo pixel sable', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel sable"}', 0), + (31005, 1, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (31006, 1, 16, 'Pantalon cargo pixel gris', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel gris"}', 0), + (31007, 1, 16, 'Pantalon cargo pixel crème', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel crème"}', 0), + (31008, 1, 16, 'Pantalon cargo désert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"désert"}', 0), + (31009, 1, 16, 'Pantalon cargo savane', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"savane"}', 0), + (31010, 1, 16, 'Pantalon cargo grille', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"grille"}', 0), + (31011, 1, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (31012, 1, 16, 'Pantalon cargo pierre', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pierre"}', 0), + (31013, 1, 16, 'Pantalon cargo camo bleu', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo bleu"}', 0), + (31014, 1, 16, 'Pantalon cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"géométrique kaki"}', 0), + (31015, 1, 16, 'Pantalon cargo camo kaki', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo kaki"}', 0), + (31016, 1, 16, 'Pantalon cargo motifs kaki', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"motifs kaki"}', 0), + (31017, 1, 16, 'Pantalon cargo camo beige', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo beige"}', 0), + (31018, 1, 16, 'Pantalon cargo forêt', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"forêt"}', 0), + (31019, 1, 16, 'Pantalon cargo camo marais', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo marais"}', 0), + (31020, 1, 16, 'Pantalon cargo camo brun', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo brun"}', 0), + (31021, 1, 16, 'Pantalon cargo kaki uni', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"kaki uni"}', 0), + (31022, 1, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (31023, 1, 16, 'Pantalon cargo camo vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo vert"}', 0), + (31024, 1, 16, 'Pantalon cargo camo orange', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo orange"}', 0), + (31025, 1, 16, 'Pantalon cargo camo violet', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo violet"}', 0), + (31026, 1, 16, 'Pantalon cargo camo rose', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo rose"}', 0), + (31027, 2, 16, 'Pantalon cargo pixel bleu', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel bleu"}', 0), + (31028, 2, 16, 'Pantalon cargo pixel sable', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel sable"}', 0), + (31029, 2, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (31030, 2, 16, 'Pantalon cargo pixel gris', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel gris"}', 0), + (31031, 2, 16, 'Pantalon cargo pixel crème', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel crème"}', 0), + (31032, 2, 16, 'Pantalon cargo désert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"désert"}', 0), + (31033, 2, 16, 'Pantalon cargo savane', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"savane"}', 0), + (31034, 2, 16, 'Pantalon cargo grille', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"grille"}', 0), + (31035, 2, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (31036, 2, 16, 'Pantalon cargo pierre', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pierre"}', 0), + (31037, 2, 16, 'Pantalon cargo camo bleu', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo bleu"}', 0), + (31038, 2, 16, 'Pantalon cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"géométrique kaki"}', 0), + (31039, 2, 16, 'Pantalon cargo camo kaki', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo kaki"}', 0), + (31040, 2, 16, 'Pantalon cargo motifs kaki', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"motifs kaki"}', 0), + (31041, 2, 16, 'Pantalon cargo camo beige', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo beige"}', 0), + (31042, 2, 16, 'Pantalon cargo forêt', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"forêt"}', 0), + (31043, 2, 16, 'Pantalon cargo camo marais', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo marais"}', 0), + (31044, 2, 16, 'Pantalon cargo camo brun', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo brun"}', 0), + (31045, 2, 16, 'Pantalon cargo kaki uni', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"kaki uni"}', 0), + (31046, 2, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (31047, 2, 16, 'Pantalon cargo camo vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo vert"}', 0), + (31048, 2, 16, 'Pantalon cargo camo orange', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo orange"}', 0), + (31049, 2, 16, 'Pantalon cargo camo violet', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo violet"}', 0), + (31050, 2, 16, 'Pantalon cargo camo rose', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"camo rose"}', 0), + (31051, 1, 17, 'Bermuda pixel bleu', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel bleu"}', 0), + (31052, 1, 17, 'Bermuda pixel sable', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel sable"}', 0), + (31053, 1, 17, 'Bermuda pixel vert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel vert"}', 0), + (31054, 1, 17, 'Bermuda pixel gris', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel gris"}', 0), + (31055, 1, 17, 'Bermuda pixel crème', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel crème"}', 0), + (31056, 1, 17, 'Bermuda désert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"désert"}', 0), + (31057, 1, 17, 'Bermuda savane', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"savane"}', 0), + (31058, 1, 17, 'Bermuda grille', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"grille"}', 0), + (31059, 1, 17, 'Bermuda pixel vert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel vert"}', 0), + (31060, 1, 17, 'Bermuda pierre', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pierre"}', 0), + (31061, 1, 17, 'Bermuda camo bleu', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo bleu"}', 0), + (31062, 1, 17, 'Bermuda géométrique kaki', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"géométrique kaki"}', 0), + (31063, 1, 17, 'Bermuda camo kaki', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo kaki"}', 0), + (31064, 1, 17, 'Bermuda motifs kaki', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"motifs kaki"}', 0), + (31065, 1, 17, 'Bermuda camo beige', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo beige"}', 0), + (31066, 1, 17, 'Bermuda forêt', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"forêt"}', 0), + (31067, 1, 17, 'Bermuda camo marais', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo marais"}', 0), + (31068, 1, 17, 'Bermuda camo brun', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo brun"}', 0), + (31069, 1, 17, 'Bermuda kaki uni', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"kaki uni"}', 0), + (31070, 1, 17, 'Bermuda jaune', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"jaune"}', 0), + (31071, 1, 17, 'Bermuda camo vert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo vert"}', 0), + (31072, 1, 17, 'Bermuda camo orange', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo orange"}', 0), + (31073, 1, 17, 'Bermuda camo violet', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo violet"}', 0), + (31074, 1, 17, 'Bermuda camo rose', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo rose"}', 0), + (31075, 2, 17, 'Bermuda pixel bleu', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel bleu"}', 0), + (31076, 2, 17, 'Bermuda pixel sable', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel sable"}', 0), + (31077, 2, 17, 'Bermuda pixel vert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel vert"}', 0), + (31078, 2, 17, 'Bermuda pixel gris', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel gris"}', 0), + (31079, 2, 17, 'Bermuda pixel crème', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel crème"}', 0), + (31080, 2, 17, 'Bermuda désert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"désert"}', 0), + (31081, 2, 17, 'Bermuda savane', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"savane"}', 0), + (31082, 2, 17, 'Bermuda grille', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"grille"}', 0), + (31083, 2, 17, 'Bermuda pixel vert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pixel vert"}', 0), + (31084, 2, 17, 'Bermuda pierre', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"pierre"}', 0), + (31085, 2, 17, 'Bermuda camo bleu', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo bleu"}', 0), + (31086, 2, 17, 'Bermuda géométrique kaki', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"géométrique kaki"}', 0), + (31087, 2, 17, 'Bermuda camo kaki', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo kaki"}', 0), + (31088, 2, 17, 'Bermuda motifs kaki', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"motifs kaki"}', 0), + (31089, 2, 17, 'Bermuda camo beige', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo beige"}', 0), + (31090, 2, 17, 'Bermuda forêt', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"forêt"}', 0), + (31091, 2, 17, 'Bermuda camo marais', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo marais"}', 0), + (31092, 2, 17, 'Bermuda camo brun', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo brun"}', 0), + (31093, 2, 17, 'Bermuda kaki uni', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"kaki uni"}', 0), + (31094, 2, 17, 'Bermuda jaune', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"jaune"}', 0), + (31095, 2, 17, 'Bermuda camo vert', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo vert"}', 0), + (31096, 2, 17, 'Bermuda camo orange', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo orange"}', 0), + (31097, 2, 17, 'Bermuda camo violet', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo violet"}', 0), + (31098, 2, 17, 'Bermuda camo rose', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bermuda","colorLabel":"camo rose"}', 0), + (31099, 1, 16, 'Salopette pixel bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel bleu"}', 0), + (31100, 1, 16, 'Salopette pixel sable', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel sable"}', 0), + (31101, 1, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (31102, 1, 16, 'Salopette pixel gris', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel gris"}', 0), + (31103, 1, 16, 'Salopette pixel crème', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel crème"}', 0), + (31104, 1, 16, 'Salopette désert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"désert"}', 0), + (31105, 1, 16, 'Salopette savane', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"savane"}', 0), + (31106, 1, 16, 'Salopette grille', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"grille"}', 0), + (31107, 1, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (31108, 1, 16, 'Salopette pierre', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pierre"}', 0), + (31109, 1, 16, 'Salopette camo bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo bleu"}', 0), + (31110, 1, 16, 'Salopette géométrique kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"géométrique kaki"}', 0), + (31111, 1, 16, 'Salopette camo kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo kaki"}', 0), + (31112, 1, 16, 'Salopette motifs kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"motifs kaki"}', 0), + (31113, 1, 16, 'Salopette camo beige', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo beige"}', 0), + (31114, 1, 16, 'Salopette forêt', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"forêt"}', 0), + (31115, 1, 16, 'Salopette camo marais', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo marais"}', 0), + (31116, 1, 16, 'Salopette camo brun', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo brun"}', 0), + (31117, 1, 16, 'Salopette kaki uni', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"kaki uni"}', 0), + (31118, 1, 16, 'Salopette jaune', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"jaune"}', 0), + (31119, 1, 16, 'Salopette noir', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"noir"}', 0), + (31120, 1, 16, 'Salopette gris', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"gris"}', 0), + (31121, 1, 16, 'Salopette perle', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"perle"}', 0), + (31122, 1, 16, 'Salopette brun', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"brun"}', 0), + (31123, 1, 16, 'Salopette caca d\'oie', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"caca d\'oie"}', 0), + (31124, 2, 16, 'Salopette pixel bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel bleu"}', 0), + (31125, 2, 16, 'Salopette pixel sable', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel sable"}', 0), + (31126, 2, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (31127, 2, 16, 'Salopette pixel gris', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel gris"}', 0), + (31128, 2, 16, 'Salopette pixel crème', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel crème"}', 0), + (31129, 2, 16, 'Salopette désert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"désert"}', 0), + (31130, 2, 16, 'Salopette savane', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"savane"}', 0), + (31131, 2, 16, 'Salopette grille', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"grille"}', 0), + (31132, 2, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (31133, 2, 16, 'Salopette pierre', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"pierre"}', 0), + (31134, 2, 16, 'Salopette camo bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo bleu"}', 0), + (31135, 2, 16, 'Salopette géométrique kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"géométrique kaki"}', 0), + (31136, 2, 16, 'Salopette camo kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo kaki"}', 0), + (31137, 2, 16, 'Salopette motifs kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"motifs kaki"}', 0), + (31138, 2, 16, 'Salopette camo beige', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo beige"}', 0), + (31139, 2, 16, 'Salopette forêt', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"forêt"}', 0), + (31140, 2, 16, 'Salopette camo marais', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo marais"}', 0), + (31141, 2, 16, 'Salopette camo brun', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"camo brun"}', 0), + (31142, 2, 16, 'Salopette kaki uni', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"kaki uni"}', 0), + (31143, 2, 16, 'Salopette jaune', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"jaune"}', 0), + (31144, 2, 16, 'Salopette noir', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"noir"}', 0), + (31145, 2, 16, 'Salopette gris', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"gris"}', 0), + (31146, 2, 16, 'Salopette perle', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"perle"}', 0), + (31147, 2, 16, 'Salopette brun', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"brun"}', 0), + (31148, 2, 16, 'Salopette caca d\'oie', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Salopette","colorLabel":"caca d\'oie"}', 0), + (31149, 1, 16, 'Salopette en jean bleu foncé', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"bleu foncé"}', 0), + (31150, 1, 16, 'Salopette en jean délavé bleu foncé', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé bleu foncé"}', 0), + (31151, 1, 16, 'Salopette en jean anthracite', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"anthracite"}', 0), + (31152, 1, 16, 'Salopette en jean délavé anthracite', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé anthracite"}', 0), + (31153, 1, 16, 'Salopette en jean ciel', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"ciel"}', 0), + (31154, 1, 16, 'Salopette en jean délavé ciel', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé ciel"}', 0), + (31155, 1, 16, 'Salopette en jean gris', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"gris"}', 0), + (31156, 1, 16, 'Salopette en jean délavé gris', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé gris"}', 0), + (31157, 1, 16, 'Salopette en jean noir', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"noir"}', 0), + (31158, 1, 16, 'Salopette en jean délavé noir', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé noir"}', 0), + (31159, 2, 16, 'Salopette en jean bleu foncé', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"bleu foncé"}', 0), + (31160, 2, 16, 'Salopette en jean délavé bleu foncé', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé bleu foncé"}', 0), + (31161, 2, 16, 'Salopette en jean anthracite', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"anthracite"}', 0), + (31162, 2, 16, 'Salopette en jean délavé anthracite', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé anthracite"}', 0), + (31163, 2, 16, 'Salopette en jean ciel', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"ciel"}', 0), + (31164, 2, 16, 'Salopette en jean délavé ciel', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé ciel"}', 0), + (31165, 2, 16, 'Salopette en jean gris', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"gris"}', 0), + (31166, 2, 16, 'Salopette en jean délavé gris', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé gris"}', 0), + (31167, 2, 16, 'Salopette en jean noir', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"noir"}', 0), + (31168, 2, 16, 'Salopette en jean délavé noir', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Salopette en jean","colorLabel":"délavé noir"}', 0), + (31169, 1, 16, 'Combinaison moto sponsorisée vert-jaune', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"vert-jaune"}', 0), + (31170, 1, 16, 'Combinaison moto sponsorisée turquoise', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"turquoise"}', 0), + (31171, 1, 16, 'Combinaison moto sponsorisée postal', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"postal"}', 0), + (31172, 1, 16, 'Combinaison moto sponsorisée rouge Principe', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Principe"}', 0), + (31173, 1, 16, 'Combinaison moto sponsorisée noir-jaune', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-jaune"}', 0), + (31174, 1, 16, 'Combinaison moto sponsorisée faim', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"faim"}', 0), + (31175, 1, 16, 'Combinaison moto sponsorisée noir-rouge', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-rouge"}', 0), + (31176, 1, 16, 'Combinaison moto sponsorisée blanc-rouge', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"blanc-rouge"}', 0), + (31177, 1, 16, 'Combinaison moto sponsorisée rouge Jackal', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Jackal"}', 0), + (31178, 1, 16, 'Combinaison moto sponsorisée kill bill', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"kill bill"}', 0), + (31179, 1, 16, 'Combinaison moto sponsorisée bleu Liberty', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"bleu Liberty"}', 0), + (31180, 1, 16, 'Combinaison moto sponsorisée aqua', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"aqua"}', 0), + (31181, 1, 16, 'Combinaison moto sponsorisée lime', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"lime"}', 0), + (31182, 1, 16, 'Combinaison moto sponsorisée sunset', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"sunset"}', 0), + (31183, 2, 16, 'Combinaison moto sponsorisée vert-jaune', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"vert-jaune"}', 0), + (31184, 2, 16, 'Combinaison moto sponsorisée turquoise', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"turquoise"}', 0), + (31185, 2, 16, 'Combinaison moto sponsorisée postal', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"postal"}', 0), + (31186, 2, 16, 'Combinaison moto sponsorisée rouge Principe', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Principe"}', 0), + (31187, 2, 16, 'Combinaison moto sponsorisée noir-jaune', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-jaune"}', 0), + (31188, 2, 16, 'Combinaison moto sponsorisée faim', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"faim"}', 0), + (31189, 2, 16, 'Combinaison moto sponsorisée noir-rouge', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-rouge"}', 0), + (31190, 2, 16, 'Combinaison moto sponsorisée blanc-rouge', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"blanc-rouge"}', 0), + (31191, 2, 16, 'Combinaison moto sponsorisée rouge Jackal', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Jackal"}', 0), + (31192, 2, 16, 'Combinaison moto sponsorisée kill bill', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"kill bill"}', 0), + (31193, 2, 16, 'Combinaison moto sponsorisée bleu Liberty', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"bleu Liberty"}', 0), + (31194, 2, 16, 'Combinaison moto sponsorisée aqua', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"aqua"}', 0), + (31195, 2, 16, 'Combinaison moto sponsorisée lime', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"lime"}', 0), + (31196, 2, 16, 'Combinaison moto sponsorisée sunset', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"sunset"}', 0), + (31197, 1, 20, 'Parachutiste forêt', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"forêt"}', 0), + (31198, 1, 20, 'Parachutiste abricot', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"abricot"}', 0), + (31199, 1, 20, 'Parachutiste violet', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"violet"}', 0), + (31200, 1, 20, 'Parachutiste rose', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"rose"}', 0), + (31201, 1, 20, 'Parachutiste noir', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"noir"}', 0), + (31202, 1, 20, 'Parachutiste blanc', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"blanc"}', 0), + (31203, 1, 20, 'Parachutiste perle', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"perle"}', 0), + (31204, 1, 20, 'Parachutiste lapis-lazuli', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"lapis-lazuli"}', 0), + (31205, 1, 20, 'Parachutiste beige', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"beige"}', 0), + (31206, 1, 20, 'Parachutiste lie de vin', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"lie de vin"}', 0), + (31207, 1, 20, 'Parachutiste orange', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"orange"}', 0), + (31208, 1, 20, 'Parachutiste jaune', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"jaune"}', 0), + (31209, 1, 20, 'Parachutiste bleu', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"bleu"}', 0), + (31210, 1, 20, 'Parachutiste ciel', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"ciel"}', 0), + (31211, 1, 20, 'Parachutiste sable', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"sable"}', 0), + (31212, 1, 20, 'Parachutiste crème', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"crème"}', 0), + (31213, 1, 20, 'Parachutiste camo kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"camo kaki"}', 0), + (31214, 1, 20, 'Parachutiste camo brun', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"camo brun"}', 0), + (31215, 1, 20, 'Parachutiste pixel sable', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"pixel sable"}', 0), + (31216, 1, 20, 'Parachutiste gris', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"gris"}', 0), + (31217, 2, 20, 'Parachutiste forêt', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"forêt"}', 0), + (31218, 2, 20, 'Parachutiste abricot', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"abricot"}', 0), + (31219, 2, 20, 'Parachutiste violet', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"violet"}', 0), + (31220, 2, 20, 'Parachutiste rose', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"rose"}', 0), + (31221, 2, 20, 'Parachutiste noir', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"noir"}', 0), + (31222, 2, 20, 'Parachutiste blanc', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"blanc"}', 0), + (31223, 2, 20, 'Parachutiste perle', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"perle"}', 0), + (31224, 2, 20, 'Parachutiste lapis-lazuli', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"lapis-lazuli"}', 0), + (31225, 2, 20, 'Parachutiste beige', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"beige"}', 0), + (31226, 2, 20, 'Parachutiste lie de vin', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"lie de vin"}', 0), + (31227, 2, 20, 'Parachutiste orange', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"orange"}', 0), + (31228, 2, 20, 'Parachutiste jaune', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"jaune"}', 0), + (31229, 2, 20, 'Parachutiste bleu', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"bleu"}', 0), + (31230, 2, 20, 'Parachutiste ciel', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"ciel"}', 0), + (31231, 2, 20, 'Parachutiste sable', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"sable"}', 0), + (31232, 2, 20, 'Parachutiste crème', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"crème"}', 0), + (31233, 2, 20, 'Parachutiste camo kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"camo kaki"}', 0), + (31234, 2, 20, 'Parachutiste camo brun', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"camo brun"}', 0), + (31235, 2, 20, 'Parachutiste pixel sable', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"pixel sable"}', 0), + (31236, 2, 20, 'Parachutiste gris', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"gris"}', 0), + (31237, 1, 20, 'Parachutiste feu', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"feu"}', 0), + (31238, 2, 20, 'Parachutiste feu', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Parachutiste","colorLabel":"feu"}', 0), + (31239, 1, 22, 'Legging noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir"}', 0), + (31240, 1, 22, 'Legging gris noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"gris noir"}', 0), + (31241, 1, 22, 'Legging bleu noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"bleu noir"}', 0), + (31242, 1, 22, 'Legging rouge noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"rouge noir"}', 0), + (31243, 1, 22, 'Legging turquoise noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"turquoise noir"}', 0), + (31244, 1, 22, 'Legging lime noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"lime noir"}', 0), + (31245, 1, 22, 'Legging orange noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"orange noir"}', 0), + (31246, 1, 22, 'Legging jaune noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"jaune noir"}', 0), + (31247, 1, 22, 'Legging anthracite noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"anthracite noir"}', 0), + (31248, 1, 22, 'Legging noir rose', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir rose"}', 0), + (31249, 1, 22, 'Legging pétrole noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"pétrole noir"}', 0), + (31250, 1, 22, 'Legging aqua', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"aqua"}', 0), + (31251, 1, 22, 'Legging feu noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"feu noir"}', 0), + (31252, 1, 22, 'Legging taupe noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"taupe noir"}', 0), + (31253, 1, 22, 'Legging blanc rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"blanc rouge"}', 0), + (31254, 1, 22, 'Legging aqua noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"aqua noir"}', 0), + (31255, 1, 22, 'Legging tigre', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"tigre"}', 0), + (31256, 1, 22, 'Legging camo gris', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"camo gris"}', 0), + (31257, 1, 22, 'Legging camo kaki', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"camo kaki"}', 0), + (31258, 1, 22, 'Legging noir rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir rouge"}', 0), + (31259, 1, 22, 'Legging noir bleu', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir bleu"}', 0), + (31260, 1, 22, 'Legging multicolore noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"multicolore noir"}', 0), + (31261, 1, 22, 'Legging vert noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"vert noir"}', 0), + (31262, 1, 22, 'Legging abricot noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"abricot noir"}', 0), + (31263, 1, 22, 'Legging violet noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"violet noir"}', 0), + (31264, 2, 22, 'Legging noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir"}', 0), + (31265, 2, 22, 'Legging gris noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"gris noir"}', 0), + (31266, 2, 22, 'Legging bleu noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"bleu noir"}', 0), + (31267, 2, 22, 'Legging rouge noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"rouge noir"}', 0), + (31268, 2, 22, 'Legging turquoise noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"turquoise noir"}', 0), + (31269, 2, 22, 'Legging lime noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"lime noir"}', 0), + (31270, 2, 22, 'Legging orange noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"orange noir"}', 0), + (31271, 2, 22, 'Legging jaune noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"jaune noir"}', 0), + (31272, 2, 22, 'Legging anthracite noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"anthracite noir"}', 0), + (31273, 2, 22, 'Legging noir rose', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir rose"}', 0), + (31274, 2, 22, 'Legging pétrole noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"pétrole noir"}', 0), + (31275, 2, 22, 'Legging aqua', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"aqua"}', 0), + (31276, 2, 22, 'Legging feu noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"feu noir"}', 0), + (31277, 2, 22, 'Legging taupe noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"taupe noir"}', 0), + (31278, 2, 22, 'Legging blanc rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"blanc rouge"}', 0), + (31279, 2, 22, 'Legging aqua noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"aqua noir"}', 0), + (31280, 2, 22, 'Legging tigre', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"tigre"}', 0), + (31281, 2, 22, 'Legging camo gris', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"camo gris"}', 0), + (31282, 2, 22, 'Legging camo kaki', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"camo kaki"}', 0), + (31283, 2, 22, 'Legging noir rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir rouge"}', 0), + (31284, 2, 22, 'Legging noir bleu', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"noir bleu"}', 0), + (31285, 2, 22, 'Legging multicolore noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"multicolore noir"}', 0), + (31286, 2, 22, 'Legging vert noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"vert noir"}', 0), + (31287, 2, 22, 'Legging abricot noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"abricot noir"}', 0), + (31288, 2, 22, 'Legging violet noir', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Legging","colorLabel":"violet noir"}', 0), + (31289, 1, 20, 'Combinaison couvrante noir-vert', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (31290, 1, 20, 'Combinaison couvrante noir-orange', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (31291, 1, 20, 'Combinaison couvrante noir-bleu', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-bleu"}', 0), + (31292, 1, 20, 'Combinaison couvrante noir-rose', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (31293, 1, 20, 'Combinaison couvrante noir-jaune', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (31294, 1, 20, 'Combinaison couvrante marron', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"marron"}', 0), + (31295, 1, 20, 'Combinaison couvrante jaune', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"jaune"}', 0), + (31296, 1, 20, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (31297, 1, 20, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (31298, 1, 20, 'Combinaison couvrante père noël', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (31299, 1, 20, 'Combinaison couvrante lutin vert', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (31300, 1, 20, 'Combinaison couvrante lutin rouge', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (31301, 2, 20, 'Combinaison couvrante noir-vert', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (31302, 2, 20, 'Combinaison couvrante noir-orange', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (31303, 2, 20, 'Combinaison couvrante noir-bleu', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-bleu"}', 0), + (31304, 2, 20, 'Combinaison couvrante noir-rose', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (31305, 2, 20, 'Combinaison couvrante noir-jaune', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (31306, 2, 20, 'Combinaison couvrante marron', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"marron"}', 0), + (31307, 2, 20, 'Combinaison couvrante jaune', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"jaune"}', 0), + (31308, 2, 20, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (31309, 2, 20, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (31310, 2, 20, 'Combinaison couvrante père noël', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (31311, 2, 20, 'Combinaison couvrante lutin vert', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (31312, 2, 20, 'Combinaison couvrante lutin rouge', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (31313, 3, 16, 'Pantalon classe marine', 50, '{"components":{"4":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"marine"}', 0), + (31314, 3, 16, 'Pantalon classe menthe', 50, '{"components":{"4":{"Drawable":96,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"menthe"}', 0), + (31315, 1, 16, 'Pantalon de travail cargo jaune', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"jaune"}', 0), + (31316, 1, 16, 'Pantalon de travail cargo anthracite', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite"}', 0), + (31317, 1, 16, 'Pantalon de travail cargo blanc', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc"}', 0), + (31318, 1, 16, 'Pantalon de travail cargo perle', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"perle"}', 0), + (31319, 1, 16, 'Pantalon de travail cargo taupe', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"taupe"}', 0), + (31320, 1, 16, 'Pantalon de travail cargo sable', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"sable"}', 0), + (31321, 1, 16, 'Pantalon de travail cargo orage', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"orage"}', 0), + (31322, 1, 16, 'Pantalon de travail cargo camo vanille', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo vanille"}', 0), + (31323, 1, 16, 'Pantalon de travail cargo camo bleu', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo bleu"}', 0), + (31324, 1, 16, 'Pantalon de travail cargo camo ciel', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo ciel"}', 0), + (31325, 1, 16, 'Pantalon de travail cargo camo rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo rouge"}', 0), + (31326, 1, 16, 'Pantalon de travail cargo camo gris', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo gris"}', 0), + (31327, 1, 16, 'Pantalon de travail cargo ardoise', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"ardoise"}', 0), + (31328, 1, 16, 'Pantalon de travail cargo marine', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"marine"}', 0), + (31329, 1, 16, 'Pantalon de travail cargo gris', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"gris"}', 0), + (31330, 1, 16, 'Pantalon de travail cargo ciel', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"ciel"}', 0), + (31331, 1, 16, 'Pantalon de travail cargo orange', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"orange"}', 0), + (31332, 1, 16, 'Pantalon de travail cargo rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"rouge"}', 0), + (31333, 1, 16, 'Pantalon de travail cargo vert', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"vert"}', 0), + (31334, 1, 16, 'Pantalon de travail cargo indigo', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"indigo"}', 0), + (31335, 1, 16, 'Pantalon de travail cargo camo beige', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo beige"}', 0), + (31336, 1, 16, 'Pantalon de travail cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"géométrique kaki"}', 0), + (31337, 1, 16, 'Pantalon de travail cargo blanc-rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc-rouge"}', 0), + (31338, 1, 16, 'Pantalon de travail cargo anthracite-rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-rouge"}', 0), + (31339, 1, 16, 'Pantalon de travail cargo anthracite-bleu', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-bleu"}', 0), + (31340, 2, 16, 'Pantalon de travail cargo jaune', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"jaune"}', 0), + (31341, 2, 16, 'Pantalon de travail cargo anthracite', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite"}', 0), + (31342, 2, 16, 'Pantalon de travail cargo blanc', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc"}', 0), + (31343, 2, 16, 'Pantalon de travail cargo perle', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"perle"}', 0), + (31344, 2, 16, 'Pantalon de travail cargo taupe', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"taupe"}', 0), + (31345, 2, 16, 'Pantalon de travail cargo sable', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"sable"}', 0), + (31346, 2, 16, 'Pantalon de travail cargo orage', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"orage"}', 0), + (31347, 2, 16, 'Pantalon de travail cargo camo vanille', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo vanille"}', 0), + (31348, 2, 16, 'Pantalon de travail cargo camo bleu', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo bleu"}', 0), + (31349, 2, 16, 'Pantalon de travail cargo camo ciel', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo ciel"}', 0), + (31350, 2, 16, 'Pantalon de travail cargo camo rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo rouge"}', 0), + (31351, 2, 16, 'Pantalon de travail cargo camo gris', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo gris"}', 0), + (31352, 2, 16, 'Pantalon de travail cargo ardoise', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"ardoise"}', 0), + (31353, 2, 16, 'Pantalon de travail cargo marine', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"marine"}', 0), + (31354, 2, 16, 'Pantalon de travail cargo gris', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"gris"}', 0), + (31355, 2, 16, 'Pantalon de travail cargo ciel', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"ciel"}', 0), + (31356, 2, 16, 'Pantalon de travail cargo orange', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"orange"}', 0), + (31357, 2, 16, 'Pantalon de travail cargo rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"rouge"}', 0), + (31358, 2, 16, 'Pantalon de travail cargo vert', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"vert"}', 0), + (31359, 2, 16, 'Pantalon de travail cargo indigo', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"indigo"}', 0), + (31360, 2, 16, 'Pantalon de travail cargo camo beige', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo beige"}', 0), + (31361, 2, 16, 'Pantalon de travail cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"géométrique kaki"}', 0), + (31362, 2, 16, 'Pantalon de travail cargo blanc-rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc-rouge"}', 0), + (31363, 2, 16, 'Pantalon de travail cargo anthracite-rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-rouge"}', 0), + (31364, 2, 16, 'Pantalon de travail cargo anthracite-bleu', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-bleu"}', 0), + (31365, 1, 16, 'Pantalon de travail jaune', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"jaune"}', 0), + (31366, 1, 16, 'Pantalon de travail anthracite', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"anthracite"}', 0), + (31367, 1, 16, 'Pantalon de travail blanc', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"blanc"}', 0), + (31368, 1, 16, 'Pantalon de travail perle', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"perle"}', 0), + (31369, 1, 16, 'Pantalon de travail taupe', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"taupe"}', 0), + (31370, 1, 16, 'Pantalon de travail sable', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"sable"}', 0), + (31371, 1, 16, 'Pantalon de travail orage', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"orage"}', 0), + (31372, 1, 16, 'Pantalon de travail camo vanille', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo vanille"}', 0), + (31373, 1, 16, 'Pantalon de travail camo bleu', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo bleu"}', 0), + (31374, 1, 16, 'Pantalon de travail camo ciel', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo ciel"}', 0), + (31375, 1, 16, 'Pantalon de travail camo rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo rouge"}', 0), + (31376, 1, 16, 'Pantalon de travail camo gris', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo gris"}', 0), + (31377, 1, 16, 'Pantalon de travail ardoise', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"ardoise"}', 0), + (31378, 1, 16, 'Pantalon de travail marine', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"marine"}', 0), + (31379, 1, 16, 'Pantalon de travail gris', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"gris"}', 0), + (31380, 1, 16, 'Pantalon de travail ciel', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"ciel"}', 0), + (31381, 1, 16, 'Pantalon de travail orange', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"orange"}', 0), + (31382, 1, 16, 'Pantalon de travail rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"rouge"}', 0), + (31383, 1, 16, 'Pantalon de travail vert', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"vert"}', 0), + (31384, 1, 16, 'Pantalon de travail indigo', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"indigo"}', 0), + (31385, 1, 16, 'Pantalon de travail camo beige', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo beige"}', 0), + (31386, 1, 16, 'Pantalon de travail géométrique kaki', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"géométrique kaki"}', 0), + (31387, 1, 16, 'Pantalon de travail blanc-rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"blanc-rouge"}', 0), + (31388, 1, 16, 'Pantalon de travail anthracite-rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-rouge"}', 0), + (31389, 1, 16, 'Pantalon de travail anthracite-bleu', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-bleu"}', 0), + (31390, 2, 16, 'Pantalon de travail jaune', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"jaune"}', 0), + (31391, 2, 16, 'Pantalon de travail anthracite', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"anthracite"}', 0), + (31392, 2, 16, 'Pantalon de travail blanc', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"blanc"}', 0), + (31393, 2, 16, 'Pantalon de travail perle', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"perle"}', 0), + (31394, 2, 16, 'Pantalon de travail taupe', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"taupe"}', 0), + (31395, 2, 16, 'Pantalon de travail sable', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"sable"}', 0), + (31396, 2, 16, 'Pantalon de travail orage', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"orage"}', 0), + (31397, 2, 16, 'Pantalon de travail camo vanille', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo vanille"}', 0), + (31398, 2, 16, 'Pantalon de travail camo bleu', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo bleu"}', 0), + (31399, 2, 16, 'Pantalon de travail camo ciel', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo ciel"}', 0), + (31400, 2, 16, 'Pantalon de travail camo rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo rouge"}', 0), + (31401, 2, 16, 'Pantalon de travail camo gris', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo gris"}', 0), + (31402, 2, 16, 'Pantalon de travail ardoise', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"ardoise"}', 0), + (31403, 2, 16, 'Pantalon de travail marine', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"marine"}', 0), + (31404, 2, 16, 'Pantalon de travail gris', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"gris"}', 0), + (31405, 2, 16, 'Pantalon de travail ciel', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"ciel"}', 0), + (31406, 2, 16, 'Pantalon de travail orange', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"orange"}', 0), + (31407, 2, 16, 'Pantalon de travail rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"rouge"}', 0), + (31408, 2, 16, 'Pantalon de travail vert', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"vert"}', 0), + (31409, 2, 16, 'Pantalon de travail indigo', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"indigo"}', 0), + (31410, 2, 16, 'Pantalon de travail camo beige', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"camo beige"}', 0), + (31411, 2, 16, 'Pantalon de travail géométrique kaki', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"géométrique kaki"}', 0), + (31412, 2, 16, 'Pantalon de travail blanc-rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"blanc-rouge"}', 0), + (31413, 2, 16, 'Pantalon de travail anthracite-rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-rouge"}', 0), + (31414, 2, 16, 'Pantalon de travail anthracite-bleu', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-bleu"}', 0), + (31415, 1, 16, 'Combinaison moto bleu', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"bleu"}', 0), + (31416, 1, 16, 'Combinaison moto feu', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"feu"}', 0), + (31417, 1, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (31418, 1, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (31419, 1, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (31420, 1, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (31421, 1, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (31422, 2, 16, 'Combinaison moto bleu', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"bleu"}', 0), + (31423, 2, 16, 'Combinaison moto feu', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"feu"}', 0), + (31424, 2, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (31425, 2, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (31426, 2, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (31427, 2, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (31428, 2, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (31429, 1, 23, 'Survet à motifs fleurs vert', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"fleurs vert"}', 0), + (31430, 1, 23, 'Survet à motifs fleurs blanc', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"fleurs blanc"}', 0), + (31431, 1, 23, 'Survet à motifs fleurs corail', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"fleurs corail"}', 0), + (31432, 1, 23, 'Survet à motifs motifs pétrole', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs pétrole"}', 0), + (31433, 1, 23, 'Survet à motifs motifs lime', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs lime"}', 0), + (31434, 1, 23, 'Survet à motifs camo beige', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo beige"}', 0), + (31435, 1, 23, 'Survet à motifs camo orange', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo orange"}', 0), + (31436, 1, 23, 'Survet à motifs camo lila', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo lila"}', 0), + (31437, 1, 23, 'Survet à motifs camo gris', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo gris"}', 0), + (31438, 1, 23, 'Survet à motifs camo jaune', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo jaune"}', 0), + (31439, 1, 23, 'Survet à motifs motifs ciel', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs ciel"}', 0), + (31440, 1, 23, 'Survet à motifs motifs multicolore', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs multicolore"}', 0), + (31441, 1, 23, 'Survet à motifs zèbre abricot', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"zèbre abricot"}', 0), + (31442, 1, 23, 'Survet à motifs léopard vert', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"léopard vert"}', 0), + (31443, 2, 23, 'Survet à motifs fleurs vert', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"fleurs vert"}', 0), + (31444, 2, 23, 'Survet à motifs fleurs blanc', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"fleurs blanc"}', 0), + (31445, 2, 23, 'Survet à motifs fleurs corail', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"fleurs corail"}', 0), + (31446, 2, 23, 'Survet à motifs motifs pétrole', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs pétrole"}', 0), + (31447, 2, 23, 'Survet à motifs motifs lime', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs lime"}', 0), + (31448, 2, 23, 'Survet à motifs camo beige', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo beige"}', 0), + (31449, 2, 23, 'Survet à motifs camo orange', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo orange"}', 0), + (31450, 2, 23, 'Survet à motifs camo lila', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo lila"}', 0), + (31451, 2, 23, 'Survet à motifs camo gris', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo gris"}', 0), + (31452, 2, 23, 'Survet à motifs camo jaune', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"camo jaune"}', 0), + (31453, 2, 23, 'Survet à motifs motifs ciel', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs ciel"}', 0), + (31454, 2, 23, 'Survet à motifs motifs multicolore', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"motifs multicolore"}', 0), + (31455, 2, 23, 'Survet à motifs zèbre abricot', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"zèbre abricot"}', 0), + (31456, 2, 23, 'Survet à motifs léopard vert', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Survet à motifs","colorLabel":"léopard vert"}', 0), + (31457, 1, 16, 'Combinaison moto pétrole', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"pétrole"}', 0), + (31458, 1, 16, 'Combinaison moto jaune', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"jaune"}', 0), + (31459, 2, 16, 'Combinaison moto pétrole', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"pétrole"}', 0), + (31460, 2, 16, 'Combinaison moto jaune', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"jaune"}', 0), + (31461, 1, 16, 'Pantalon à chaîne anthracite', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"anthracite"}', 0), + (31462, 1, 16, 'Pantalon à chaîne gris', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"gris"}', 0), + (31463, 1, 16, 'Pantalon à chaîne perle', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"perle"}', 0), + (31464, 1, 16, 'Pantalon à chaîne marron', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"marron"}', 0), + (31465, 1, 16, 'Pantalon à chaîne beige', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"beige"}', 0), + (31466, 1, 16, 'Pantalon à chaîne crème', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"crème"}', 0), + (31467, 1, 16, 'Pantalon à chaîne camo gris', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo gris"}', 0), + (31468, 1, 16, 'Pantalon à chaîne camo brun', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo brun"}', 0), + (31469, 1, 16, 'Pantalon à chaîne savane', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"savane"}', 0), + (31470, 1, 16, 'Pantalon à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"motifs kaki"}', 0), + (31471, 1, 16, 'Pantalon à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches kaki"}', 0), + (31472, 1, 16, 'Pantalon à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches beige"}', 0), + (31473, 1, 16, 'Pantalon à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches ardoise"}', 0), + (31474, 1, 16, 'Pantalon à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches brun"}', 0), + (31475, 1, 16, 'Pantalon à chaîne camo vert', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo vert"}', 0), + (31476, 1, 16, 'Pantalon à chaîne camo orange', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo orange"}', 0), + (31477, 1, 16, 'Pantalon à chaîne camo violet', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo violet"}', 0), + (31478, 1, 16, 'Pantalon à chaîne camo rose', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo rose"}', 0), + (31479, 2, 16, 'Pantalon à chaîne anthracite', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"anthracite"}', 0), + (31480, 2, 16, 'Pantalon à chaîne gris', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"gris"}', 0), + (31481, 2, 16, 'Pantalon à chaîne perle', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"perle"}', 0), + (31482, 2, 16, 'Pantalon à chaîne marron', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"marron"}', 0), + (31483, 2, 16, 'Pantalon à chaîne beige', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"beige"}', 0), + (31484, 2, 16, 'Pantalon à chaîne crème', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"crème"}', 0), + (31485, 2, 16, 'Pantalon à chaîne camo gris', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo gris"}', 0), + (31486, 2, 16, 'Pantalon à chaîne camo brun', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo brun"}', 0), + (31487, 2, 16, 'Pantalon à chaîne savane', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"savane"}', 0), + (31488, 2, 16, 'Pantalon à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"motifs kaki"}', 0), + (31489, 2, 16, 'Pantalon à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches kaki"}', 0), + (31490, 2, 16, 'Pantalon à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches beige"}', 0), + (31491, 2, 16, 'Pantalon à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches ardoise"}', 0), + (31492, 2, 16, 'Pantalon à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"tâches brun"}', 0), + (31493, 2, 16, 'Pantalon à chaîne camo vert', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo vert"}', 0), + (31494, 2, 16, 'Pantalon à chaîne camo orange', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo orange"}', 0), + (31495, 2, 16, 'Pantalon à chaîne camo violet', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo violet"}', 0), + (31496, 2, 16, 'Pantalon à chaîne camo rose', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon à chaîne","colorLabel":"camo rose"}', 0), + (31497, 1, 16, 'Pantacourt à chaîne anthracite', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"anthracite"}', 0), + (31498, 1, 16, 'Pantacourt à chaîne gris', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"gris"}', 0), + (31499, 1, 16, 'Pantacourt à chaîne perle', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"perle"}', 0), + (31500, 1, 16, 'Pantacourt à chaîne marron', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"marron"}', 0), + (31501, 1, 16, 'Pantacourt à chaîne beige', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"beige"}', 0), + (31502, 1, 16, 'Pantacourt à chaîne crème', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"crème"}', 0), + (31503, 1, 16, 'Pantacourt à chaîne camo gris', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo gris"}', 0), + (31504, 1, 16, 'Pantacourt à chaîne camo brun', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo brun"}', 0), + (31505, 1, 16, 'Pantacourt à chaîne savane', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"savane"}', 0), + (31506, 1, 16, 'Pantacourt à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"motifs kaki"}', 0), + (31507, 1, 16, 'Pantacourt à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches kaki"}', 0), + (31508, 1, 16, 'Pantacourt à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches beige"}', 0), + (31509, 1, 16, 'Pantacourt à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches ardoise"}', 0), + (31510, 1, 16, 'Pantacourt à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches brun"}', 0), + (31511, 1, 16, 'Pantacourt à chaîne camo vert', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo vert"}', 0), + (31512, 1, 16, 'Pantacourt à chaîne camo orange', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo orange"}', 0), + (31513, 1, 16, 'Pantacourt à chaîne camo violet', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo violet"}', 0), + (31514, 1, 16, 'Pantacourt à chaîne camo rose', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo rose"}', 0), + (31515, 2, 16, 'Pantacourt à chaîne anthracite', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"anthracite"}', 0), + (31516, 2, 16, 'Pantacourt à chaîne gris', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"gris"}', 0), + (31517, 2, 16, 'Pantacourt à chaîne perle', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"perle"}', 0), + (31518, 2, 16, 'Pantacourt à chaîne marron', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"marron"}', 0), + (31519, 2, 16, 'Pantacourt à chaîne beige', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"beige"}', 0), + (31520, 2, 16, 'Pantacourt à chaîne crème', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"crème"}', 0), + (31521, 2, 16, 'Pantacourt à chaîne camo gris', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo gris"}', 0), + (31522, 2, 16, 'Pantacourt à chaîne camo brun', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo brun"}', 0), + (31523, 2, 16, 'Pantacourt à chaîne savane', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"savane"}', 0), + (31524, 2, 16, 'Pantacourt à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"motifs kaki"}', 0), + (31525, 2, 16, 'Pantacourt à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches kaki"}', 0), + (31526, 2, 16, 'Pantacourt à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches beige"}', 0), + (31527, 2, 16, 'Pantacourt à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches ardoise"}', 0), + (31528, 2, 16, 'Pantacourt à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches brun"}', 0), + (31529, 2, 16, 'Pantacourt à chaîne camo vert', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo vert"}', 0), + (31530, 2, 16, 'Pantacourt à chaîne camo orange', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo orange"}', 0), + (31531, 2, 16, 'Pantacourt à chaîne camo violet', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo violet"}', 0), + (31532, 2, 16, 'Pantacourt à chaîne camo rose', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo rose"}', 0), + (31533, 1, 16, 'Pantalon baggy ceinture bleu clair', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu clair"}', 0), + (31534, 2, 16, 'Pantalon baggy ceinture bleu clair', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu clair"}', 0), + (31535, 3, 16, 'Pantalon en cuir à lacets anthracite', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"anthracite"}', 0), + (31536, 3, 16, 'Pantalon en cuir à lacets noir rouge', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"noir rouge"}', 0), + (31537, 3, 16, 'Pantalon en cuir à lacets blanc', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"blanc"}', 0), + (31538, 3, 16, 'Pantalon en cuir à lacets rouge', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"rouge"}', 0), + (31539, 3, 16, 'Pantalon en cuir à lacets corail', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"corail"}', 0), + (31540, 3, 16, 'Pantalon en cuir à lacets bleu', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"bleu"}', 0), + (31541, 3, 16, 'Pantalon en cuir à lacets usé café', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"usé café"}', 0), + (31542, 3, 16, 'Pantalon en cuir à lacets usé gris', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"usé gris"}', 0), + (31543, 3, 16, 'Pantalon en cuir à lacets usé brun', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"usé brun"}', 0), + (31544, 3, 16, 'Pantalon en cuir à lacets usé rouille', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"usé rouille"}', 0), + (31545, 3, 16, 'Pantalon en cuir à lacets usé anthracite', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"usé anthracite"}', 0), + (31546, 3, 16, 'Pantalon en cuir à lacets usé rouge', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"usé rouge"}', 0), + (31547, 1, 20, 'Combinaison couvrante robot jaune', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (31548, 1, 20, 'Combinaison couvrante robot bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (31549, 1, 20, 'Combinaison couvrante cyber bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (31550, 1, 20, 'Combinaison couvrante cyber rouge', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (31551, 1, 20, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (31552, 1, 20, 'Combinaison couvrante flèches violettes', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (31553, 1, 20, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (31554, 1, 20, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (31555, 1, 20, 'Combinaison couvrante fond vert', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (31556, 1, 20, 'Combinaison couvrante fond violet', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (31557, 1, 20, 'Combinaison couvrante naïade vert', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (31558, 1, 20, 'Combinaison couvrante naïade rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (31559, 1, 20, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (31560, 1, 20, 'Combinaison couvrante galaxie rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (31561, 1, 20, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (31562, 1, 20, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (31563, 1, 20, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (31564, 1, 20, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (31565, 1, 20, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (31566, 1, 20, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (31567, 2, 20, 'Combinaison couvrante robot jaune', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (31568, 2, 20, 'Combinaison couvrante robot bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (31569, 2, 20, 'Combinaison couvrante cyber bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (31570, 2, 20, 'Combinaison couvrante cyber rouge', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (31571, 2, 20, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (31572, 2, 20, 'Combinaison couvrante flèches violettes', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (31573, 2, 20, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (31574, 2, 20, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (31575, 2, 20, 'Combinaison couvrante fond vert', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (31576, 2, 20, 'Combinaison couvrante fond violet', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (31577, 2, 20, 'Combinaison couvrante naïade vert', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (31578, 2, 20, 'Combinaison couvrante naïade rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (31579, 2, 20, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (31580, 2, 20, 'Combinaison couvrante galaxie rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (31581, 2, 20, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (31582, 2, 20, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (31583, 2, 20, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (31584, 2, 20, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (31585, 2, 20, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (31586, 2, 20, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (31587, 1, 20, 'Pantacourt médiéval brun', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"brun"}', 0), + (31588, 1, 20, 'Pantacourt médiéval noir', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"noir"}', 0), + (31589, 1, 20, 'Pantacourt médiéval vert-brun', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"vert-brun"}', 0), + (31590, 1, 20, 'Pantacourt médiéval beige', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"beige"}', 0), + (31591, 1, 20, 'Pantacourt médiéval bleu-brun', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu-brun"}', 0), + (31592, 1, 20, 'Pantacourt médiéval camo vert', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"camo vert"}', 0), + (31593, 1, 20, 'Pantacourt médiéval perle', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"perle"}', 0), + (31594, 1, 20, 'Pantacourt médiéval grille', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"grille"}', 0), + (31595, 1, 20, 'Pantacourt médiéval jaune', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"jaune"}', 0), + (31596, 1, 20, 'Pantacourt médiéval gris', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"gris"}', 0), + (31597, 1, 20, 'Pantacourt médiéval feu', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"feu"}', 0), + (31598, 1, 20, 'Pantacourt médiéval bleu', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu"}', 0), + (31599, 1, 20, 'Pantacourt médiéval vert', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"vert"}', 0), + (31600, 1, 20, 'Pantacourt médiéval abricot', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"abricot"}', 0), + (31601, 1, 20, 'Pantacourt médiéval violet', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"violet"}', 0), + (31602, 1, 20, 'Pantacourt médiéval rose', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"rose"}', 0), + (31603, 2, 20, 'Pantacourt médiéval brun', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"brun"}', 0), + (31604, 2, 20, 'Pantacourt médiéval noir', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"noir"}', 0), + (31605, 2, 20, 'Pantacourt médiéval vert-brun', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"vert-brun"}', 0), + (31606, 2, 20, 'Pantacourt médiéval beige', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"beige"}', 0), + (31607, 2, 20, 'Pantacourt médiéval bleu-brun', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu-brun"}', 0), + (31608, 2, 20, 'Pantacourt médiéval camo vert', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"camo vert"}', 0), + (31609, 2, 20, 'Pantacourt médiéval perle', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"perle"}', 0), + (31610, 2, 20, 'Pantacourt médiéval grille', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"grille"}', 0), + (31611, 2, 20, 'Pantacourt médiéval jaune', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"jaune"}', 0), + (31612, 2, 20, 'Pantacourt médiéval gris', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"gris"}', 0), + (31613, 2, 20, 'Pantacourt médiéval feu', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"feu"}', 0), + (31614, 2, 20, 'Pantacourt médiéval bleu', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu"}', 0), + (31615, 2, 20, 'Pantacourt médiéval vert', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"vert"}', 0), + (31616, 2, 20, 'Pantacourt médiéval abricot', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"abricot"}', 0), + (31617, 2, 20, 'Pantacourt médiéval violet', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"violet"}', 0), + (31618, 2, 20, 'Pantacourt médiéval rose', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantacourt médiéval","colorLabel":"rose"}', 0), + (31619, 1, 20, 'Déguisement astronaute feu', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (31620, 1, 20, 'Déguisement astronaute jaune', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (31621, 1, 20, 'Déguisement astronaute pétrole', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (31622, 1, 20, 'Déguisement astronaute sable', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (31623, 1, 20, 'Déguisement astronaute perle', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (31624, 1, 20, 'Déguisement astronaute bleu', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (31625, 1, 20, 'Déguisement astronaute blanc', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (31626, 1, 20, 'Déguisement astronaute anthracite', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (31627, 1, 20, 'Déguisement astronaute rouge', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (31628, 1, 20, 'Déguisement astronaute vert de gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (31629, 1, 20, 'Déguisement astronaute forêt', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (31630, 1, 20, 'Déguisement astronaute abricot', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (31631, 1, 20, 'Déguisement astronaute violet', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (31632, 1, 20, 'Déguisement astronaute rose', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (31633, 1, 20, 'Déguisement astronaute camel', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (31634, 1, 20, 'Déguisement astronaute crème', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (31635, 1, 20, 'Déguisement astronaute noir', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (31636, 1, 20, 'Déguisement astronaute gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (31637, 2, 20, 'Déguisement astronaute feu', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (31638, 2, 20, 'Déguisement astronaute jaune', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (31639, 2, 20, 'Déguisement astronaute pétrole', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (31640, 2, 20, 'Déguisement astronaute sable', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (31641, 2, 20, 'Déguisement astronaute perle', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (31642, 2, 20, 'Déguisement astronaute bleu', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (31643, 2, 20, 'Déguisement astronaute blanc', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (31644, 2, 20, 'Déguisement astronaute anthracite', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (31645, 2, 20, 'Déguisement astronaute rouge', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (31646, 2, 20, 'Déguisement astronaute vert de gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (31647, 2, 20, 'Déguisement astronaute forêt', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (31648, 2, 20, 'Déguisement astronaute abricot', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (31649, 2, 20, 'Déguisement astronaute violet', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (31650, 2, 20, 'Déguisement astronaute rose', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (31651, 2, 20, 'Déguisement astronaute camel', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (31652, 2, 20, 'Déguisement astronaute crème', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (31653, 2, 20, 'Déguisement astronaute noir', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (31654, 2, 20, 'Déguisement astronaute gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (31655, 1, 20, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (31656, 1, 20, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (31657, 1, 20, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (31658, 1, 20, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (31659, 1, 20, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (31660, 1, 20, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (31661, 1, 20, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (31662, 1, 20, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (31663, 1, 20, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (31664, 1, 20, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (31665, 1, 20, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (31666, 1, 20, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (31667, 2, 20, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (31668, 2, 20, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (31669, 2, 20, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (31670, 2, 20, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (31671, 2, 20, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (31672, 2, 20, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (31673, 2, 20, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (31674, 2, 20, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (31675, 2, 20, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (31676, 2, 20, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (31677, 2, 20, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (31678, 2, 20, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (31679, 1, 16, 'Combinaison moto ensanglanté', 50, '{"components":{"4":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"ensanglanté"}', 0), + (31680, 2, 16, 'Combinaison moto ensanglanté', 50, '{"components":{"4":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"ensanglanté"}', 0), + (31681, 1, 20, 'Scaphandre léger rouge', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (31682, 2, 20, 'Scaphandre léger rouge', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (31683, 1, 20, 'Costume ranger de l\'espace vert', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (31684, 2, 20, 'Costume ranger de l\'espace vert', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (31685, 1, 20, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (31686, 1, 20, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (31687, 1, 20, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (31688, 1, 20, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (31689, 1, 20, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (31690, 1, 20, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (31691, 1, 20, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (31692, 1, 20, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (31693, 1, 20, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (31694, 1, 20, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (31695, 1, 20, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (31696, 1, 20, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (31697, 1, 20, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (31698, 1, 20, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (31699, 2, 20, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (31700, 2, 20, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (31701, 2, 20, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (31702, 2, 20, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (31703, 2, 20, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (31704, 2, 20, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (31705, 2, 20, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (31706, 2, 20, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (31707, 2, 20, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (31708, 2, 20, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (31709, 2, 20, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (31710, 2, 20, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (31711, 2, 20, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (31712, 2, 20, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (31713, 1, 20, 'Costume super-héros musclé blanc', 50, '{"components":{"4":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (31714, 2, 20, 'Costume super-héros musclé blanc', 50, '{"components":{"4":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (31715, 3, 16, 'Pantalon slim classe chaussettes motifs beige', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"motifs beige"}', 0), + (31716, 3, 16, 'Pantalon slim classe chaussettes car. rouge', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"car. rouge"}', 0), + (31717, 3, 16, 'Pantalon slim classe chaussettes car. brun', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"car. brun"}', 0), + (31718, 3, 16, 'Pantalon slim classe chaussettes vert', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"vert"}', 0), + (31719, 3, 16, 'Pantalon slim classe chaussettes beige', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"beige"}', 0), + (31720, 3, 16, 'Pantalon slim classe chaussettes motifs marine', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"motifs marine"}', 0), + (31721, 3, 16, 'Pantalon slim classe chaussettes camo vert', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"camo vert"}', 0), + (31722, 3, 16, 'Pantalon slim classe chaussettes motifs bleu-rouge', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"motifs bleu-rouge"}', 0), + (31723, 3, 16, 'Pantalon slim classe chaussettes motifs anthracite', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"motifs anthracite"}', 0), + (31724, 3, 16, 'Pantalon slim classe chaussettes motifs bleu', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon slim classe chaussettes","colorLabel":"motifs bleu"}', 0), + (31725, 1, 24, 'Short de bain dorures rouge', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorures rouge"}', 0), + (31726, 1, 24, 'Short de bain dorures bleu', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorures bleu"}', 0), + (31727, 1, 24, 'Short de bain dorure blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorure blanc"}', 0), + (31728, 1, 24, 'Short de bain dorure noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorure noir"}', 0), + (31729, 1, 24, 'Short de bain motifs noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"motifs noir"}', 0), + (31730, 1, 24, 'Short de bain serpent jaune', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"serpent jaune"}', 0), + (31731, 1, 24, 'Short de bain Santo capra blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"Santo capra blanc"}', 0), + (31732, 1, 24, 'Short de bain Santo capra noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"Santo capra noir"}', 0), + (31733, 1, 24, 'Short de bain Broker jaune', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"Broker jaune"}', 0), + (31734, 1, 24, 'Short de bain SD blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"SD blanc"}', 0), + (31735, 1, 24, 'Short de bain SD noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"SD noir"}', 0), + (31736, 2, 24, 'Short de bain dorures rouge', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorures rouge"}', 0), + (31737, 2, 24, 'Short de bain dorures bleu', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorures bleu"}', 0), + (31738, 2, 24, 'Short de bain dorure blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorure blanc"}', 0), + (31739, 2, 24, 'Short de bain dorure noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"dorure noir"}', 0), + (31740, 2, 24, 'Short de bain motifs noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"motifs noir"}', 0), + (31741, 2, 24, 'Short de bain serpent jaune', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"serpent jaune"}', 0), + (31742, 2, 24, 'Short de bain Santo capra blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"Santo capra blanc"}', 0), + (31743, 2, 24, 'Short de bain Santo capra noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"Santo capra noir"}', 0), + (31744, 2, 24, 'Short de bain Broker jaune', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"Broker jaune"}', 0), + (31745, 2, 24, 'Short de bain SD blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"SD blanc"}', 0), + (31746, 2, 24, 'Short de bain SD noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Short de bain","colorLabel":"SD noir"}', 0), + (31747, 3, 16, 'Pantalon à pince losange anthracite', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"losange anthracite"}', 0), + (31748, 3, 16, 'Pantalon à pince losange ciel', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"losange ciel"}', 0), + (31749, 3, 16, 'Pantalon à pince losange bleu', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"losange bleu"}', 0), + (31750, 3, 16, 'Pantalon à pince P bleu', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"P bleu"}', 0), + (31751, 3, 16, 'Pantalon à pince P vanille', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"P vanille"}', 0), + (31752, 3, 16, 'Pantalon à pince P anthracite', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"P anthracite"}', 0), + (31753, 3, 16, 'Pantalon à pince symboles noir', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"symboles noir"}', 0), + (31754, 3, 16, 'Pantalon à pince dorures blanc', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"dorures blanc"}', 0), + (31755, 3, 16, 'Pantalon à pince danse violet', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"danse violet"}', 0), + (31756, 3, 16, 'Pantalon à pince dorures rouge', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"dorures rouge"}', 0), + (31757, 3, 16, 'Pantalon à pince Santo capra bleu', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"Santo capra bleu"}', 0), + (31758, 3, 16, 'Pantalon à pince danse bleu', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"danse bleu"}', 0), + (31759, 3, 16, 'Pantalon à pince dorures noir', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"dorures noir"}', 0), + (31760, 3, 16, 'Pantalon à pince Santo capra blanc', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"Santo capra blanc"}', 0), + (31761, 3, 16, 'Pantalon à pince triangle noir', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"triangle noir"}', 0), + (31762, 3, 16, 'Pantalon à pince triangle rose', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"triangle rose"}', 0), + (31763, 3, 16, 'Pantalon à pince danse gris', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"danse gris"}', 0), + (31764, 3, 16, 'Pantalon à pince espace vert', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"espace vert"}', 0), + (31765, 3, 16, 'Pantalon à pince espace bleu', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"espace bleu"}', 0), + (31766, 3, 16, 'Pantalon à pince espace jaune', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"espace jaune"}', 0), + (31767, 3, 16, 'Pantalon à pince losange gris', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"losange gris"}', 0), + (31768, 3, 16, 'Pantalon à pince fleurs anthracite', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"fleurs anthracite"}', 0), + (31769, 3, 16, 'Pantalon à pince fleurs bleu', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"fleurs bleu"}', 0), + (31770, 3, 16, 'Pantalon à pince fleurs rouge', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"fleurs rouge"}', 0), + (31771, 3, 16, 'Pantalon à pince fleurs rose', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon à pince","colorLabel":"fleurs rose"}', 0), + (31772, 3, 22, 'Peignoir médaillon blanc', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"médaillon blanc"}', 0), + (31773, 3, 22, 'Peignoir médaillon rouge', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"médaillon rouge"}', 0), + (31774, 3, 22, 'Peignoir Santo capra gris', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"Santo capra gris"}', 0), + (31775, 3, 22, 'Peignoir Santo capra jaune', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"Santo capra jaune"}', 0), + (31776, 3, 22, 'Peignoir blanc-noir', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"blanc-noir"}', 0), + (31777, 3, 22, 'Peignoir noir-blanc', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"noir-blanc"}', 0), + (31778, 3, 22, 'Peignoir étoiles anthracite', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"étoiles anthracite"}', 0), + (31779, 3, 22, 'Peignoir anthracite', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"anthracite"}', 0), + (31780, 3, 22, 'Peignoir étoiles rouge', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"étoiles rouge"}', 0), + (31781, 3, 22, 'Peignoir rouge-doré', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"rouge-doré"}', 0), + (31782, 3, 22, 'Peignoir blanc-doré', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Peignoir","colorLabel":"blanc-doré"}', 0), + (31783, 1, 20, 'Pompier jaune clair', 50, '{"components":{"4":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pompier","colorLabel":"jaune clair"}', 0), + (31784, 1, 20, 'Pompier jaune foncé', 50, '{"components":{"4":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pompier","colorLabel":"jaune foncé"}', 0), + (31785, 2, 20, 'Pompier jaune clair', 50, '{"components":{"4":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pompier","colorLabel":"jaune clair"}', 0), + (31786, 2, 20, 'Pompier jaune foncé', 50, '{"components":{"4":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pompier","colorLabel":"jaune foncé"}', 0), + (31787, 1, 16, 'Pantalon grandes poches taupe', 50, '{"components":{"4":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"taupe"}', 0), + (31788, 2, 16, 'Pantalon grandes poches taupe', 50, '{"components":{"4":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"taupe"}', 0), + (31789, 1, 16, 'Pantalon cargo taupe', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"taupe"}', 0), + (31790, 2, 16, 'Pantalon cargo taupe', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"taupe"}', 0), + (31791, 1, 16, 'Pantalon renforcé genoux bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"bleu"}', 0), + (31792, 1, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (31793, 1, 16, 'Pantalon renforcé genoux gris', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"gris"}', 0), + (31794, 1, 16, 'Pantalon renforcé genoux beige', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"beige"}', 0), + (31795, 1, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (31796, 1, 16, 'Pantalon renforcé genoux kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"kaki"}', 0), + (31797, 1, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (31798, 1, 16, 'Pantalon renforcé genoux abricot', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"abricot"}', 0), + (31799, 1, 16, 'Pantalon renforcé genoux violet', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"violet"}', 0), + (31800, 1, 16, 'Pantalon renforcé genoux rose', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"rose"}', 0), + (31801, 1, 16, 'Pantalon renforcé genoux camo bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo bleu"}', 0), + (31802, 1, 16, 'Pantalon renforcé genoux géométrique kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"géométrique kaki"}', 0), + (31803, 1, 16, 'Pantalon renforcé genoux camo kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo kaki"}', 0), + (31804, 1, 16, 'Pantalon renforcé genoux pixel vert', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel vert"}', 0), + (31805, 1, 16, 'Pantalon renforcé genoux pixel beige', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel beige"}', 0), + (31806, 1, 16, 'Pantalon renforcé genoux forêt', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"forêt"}', 0), + (31807, 1, 16, 'Pantalon renforcé genoux marais', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"marais"}', 0), + (31808, 1, 16, 'Pantalon renforcé genoux pixel bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel bleu"}', 0), + (31809, 1, 16, 'Pantalon renforcé genoux motifs kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"motifs kaki"}', 0), + (31810, 1, 16, 'Pantalon renforcé genoux camo brun', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo brun"}', 0), + (31811, 2, 16, 'Pantalon renforcé genoux bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"bleu"}', 0), + (31812, 2, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (31813, 2, 16, 'Pantalon renforcé genoux gris', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"gris"}', 0), + (31814, 2, 16, 'Pantalon renforcé genoux beige', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"beige"}', 0), + (31815, 2, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (31816, 2, 16, 'Pantalon renforcé genoux kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"kaki"}', 0), + (31817, 2, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (31818, 2, 16, 'Pantalon renforcé genoux abricot', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"abricot"}', 0), + (31819, 2, 16, 'Pantalon renforcé genoux violet', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"violet"}', 0), + (31820, 2, 16, 'Pantalon renforcé genoux rose', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"rose"}', 0), + (31821, 2, 16, 'Pantalon renforcé genoux camo bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo bleu"}', 0), + (31822, 2, 16, 'Pantalon renforcé genoux géométrique kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"géométrique kaki"}', 0), + (31823, 2, 16, 'Pantalon renforcé genoux camo kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo kaki"}', 0), + (31824, 2, 16, 'Pantalon renforcé genoux pixel vert', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel vert"}', 0), + (31825, 2, 16, 'Pantalon renforcé genoux pixel beige', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel beige"}', 0), + (31826, 2, 16, 'Pantalon renforcé genoux forêt', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"forêt"}', 0), + (31827, 2, 16, 'Pantalon renforcé genoux marais', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"marais"}', 0), + (31828, 2, 16, 'Pantalon renforcé genoux pixel bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel bleu"}', 0), + (31829, 2, 16, 'Pantalon renforcé genoux motifs kaki', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"motifs kaki"}', 0), + (31830, 2, 16, 'Pantalon renforcé genoux camo brun', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo brun"}', 0), + (31831, 1, 20, 'Pantalon jambière ardoise', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"ardoise"}', 0), + (31832, 1, 20, 'Pantalon jambière noir', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"noir"}', 0), + (31833, 1, 20, 'Pantalon jambière anthracite', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"anthracite"}', 0), + (31834, 1, 20, 'Pantalon jambière beige', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"beige"}', 0), + (31835, 1, 20, 'Pantalon jambière blanc', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"blanc"}', 0), + (31836, 1, 20, 'Pantalon jambière kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"kaki"}', 0), + (31837, 1, 20, 'Pantalon jambière vert', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"vert"}', 0), + (31838, 1, 20, 'Pantalon jambière abricot', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"abricot"}', 0), + (31839, 1, 20, 'Pantalon jambière violet', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"violet"}', 0), + (31840, 1, 20, 'Pantalon jambière rose', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"rose"}', 0), + (31841, 1, 20, 'Pantalon jambière camo bleu', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"camo bleu"}', 0), + (31842, 1, 20, 'Pantalon jambière géométrique kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"géométrique kaki"}', 0), + (31843, 1, 20, 'Pantalon jambière camo kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"camo kaki"}', 0), + (31844, 1, 20, 'Pantalon jambière pixel vert', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"pixel vert"}', 0), + (31845, 1, 20, 'Pantalon jambière pixel beige', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"pixel beige"}', 0), + (31846, 1, 20, 'Pantalon jambière forêt', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"forêt"}', 0), + (31847, 1, 20, 'Pantalon jambière marais', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"marais"}', 0), + (31848, 1, 20, 'Pantalon jambière pixel bleu', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"pixel bleu"}', 0), + (31849, 1, 20, 'Pantalon jambière motifs kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"motifs kaki"}', 0), + (31850, 1, 20, 'Pantalon jambière camo brun', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"camo brun"}', 0), + (31851, 2, 20, 'Pantalon jambière ardoise', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"ardoise"}', 0), + (31852, 2, 20, 'Pantalon jambière noir', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"noir"}', 0), + (31853, 2, 20, 'Pantalon jambière anthracite', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"anthracite"}', 0), + (31854, 2, 20, 'Pantalon jambière beige', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"beige"}', 0), + (31855, 2, 20, 'Pantalon jambière blanc', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"blanc"}', 0), + (31856, 2, 20, 'Pantalon jambière kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"kaki"}', 0), + (31857, 2, 20, 'Pantalon jambière vert', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"vert"}', 0), + (31858, 2, 20, 'Pantalon jambière abricot', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"abricot"}', 0), + (31859, 2, 20, 'Pantalon jambière violet', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"violet"}', 0), + (31860, 2, 20, 'Pantalon jambière rose', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"rose"}', 0), + (31861, 2, 20, 'Pantalon jambière camo bleu', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"camo bleu"}', 0), + (31862, 2, 20, 'Pantalon jambière géométrique kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"géométrique kaki"}', 0), + (31863, 2, 20, 'Pantalon jambière camo kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"camo kaki"}', 0), + (31864, 2, 20, 'Pantalon jambière pixel vert', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"pixel vert"}', 0), + (31865, 2, 20, 'Pantalon jambière pixel beige', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"pixel beige"}', 0), + (31866, 2, 20, 'Pantalon jambière forêt', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"forêt"}', 0), + (31867, 2, 20, 'Pantalon jambière marais', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"marais"}', 0), + (31868, 2, 20, 'Pantalon jambière pixel bleu', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"pixel bleu"}', 0), + (31869, 2, 20, 'Pantalon jambière motifs kaki', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"motifs kaki"}', 0), + (31870, 2, 20, 'Pantalon jambière camo brun', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon jambière","colorLabel":"camo brun"}', 0), + (31871, 1, 16, 'Pantalon en toile marine', 50, '{"components":{"4":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"marine"}', 0), + (31872, 2, 16, 'Pantalon en toile marine', 50, '{"components":{"4":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en toile","colorLabel":"marine"}', 0), + (31873, 3, 22, 'Legging classe crème', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"crème"}', 0), + (31874, 3, 22, 'Legging classe anthracite', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"anthracite"}', 0), + (31875, 3, 22, 'Legging classe jaune', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"jaune"}', 0), + (31876, 3, 22, 'Legging classe prune', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"prune"}', 0), + (31877, 3, 22, 'Legging classe orange', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"orange"}', 0), + (31878, 3, 22, 'Legging classe bonbon', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"bonbon"}', 0), + (31879, 3, 22, 'Legging classe blanc-rouge', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"blanc-rouge"}', 0), + (31880, 3, 22, 'Legging classe turquoise', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"turquoise"}', 0), + (31881, 3, 22, 'Legging classe gris', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"gris"}', 0), + (31882, 3, 22, 'Legging classe bleu', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"bleu"}', 0), + (31883, 3, 22, 'Legging classe perle', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"perle"}', 0), + (31884, 3, 22, 'Legging classe aqua', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"aqua"}', 0), + (31885, 3, 22, 'Legging classe noir-rouge', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"noir-rouge"}', 0), + (31886, 3, 22, 'Legging classe rouge', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"rouge"}', 0), + (31887, 3, 22, 'Legging classe marine', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"marine"}', 0), + (31888, 3, 22, 'Legging classe motifs bleu', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"motifs bleu"}', 0), + (31889, 3, 22, 'Legging classe motifs rouge', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"motifs rouge"}', 0), + (31890, 3, 22, 'Legging classe motifs jaune', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"motifs jaune"}', 0), + (31891, 3, 22, 'Legging classe noir', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"noir"}', 0), + (31892, 3, 22, 'Legging classe blanc', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"blanc"}', 0), + (31893, 3, 22, 'Legging classe taupe', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"taupe"}', 0), + (31894, 3, 22, 'Legging classe vert', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"vert"}', 0), + (31895, 3, 22, 'Legging classe abricot', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"abricot"}', 0), + (31896, 3, 22, 'Legging classe violet', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"violet"}', 0), + (31897, 3, 22, 'Legging classe rose', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"rose"}', 0), + (31898, 1, 16, 'Pantalon grandes poches pétrole', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pétrole"}', 0), + (31899, 1, 16, 'Pantalon grandes poches noir', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"noir"}', 0), + (31900, 1, 16, 'Pantalon grandes poches kaki', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki"}', 0), + (31901, 1, 16, 'Pantalon grandes poches gris', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"gris"}', 0), + (31902, 1, 16, 'Pantalon grandes poches blanc', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"blanc"}', 0), + (31903, 1, 16, 'Pantalon grandes poches sapin', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"sapin"}', 0), + (31904, 1, 16, 'Pantalon grandes poches crème', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"crème"}', 0), + (31905, 1, 16, 'Pantalon grandes poches ciel', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"ciel"}', 0), + (31906, 2, 16, 'Pantalon grandes poches pétrole', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"pétrole"}', 0), + (31907, 2, 16, 'Pantalon grandes poches noir', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"noir"}', 0), + (31908, 2, 16, 'Pantalon grandes poches kaki', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki"}', 0), + (31909, 2, 16, 'Pantalon grandes poches gris', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"gris"}', 0), + (31910, 2, 16, 'Pantalon grandes poches blanc', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"blanc"}', 0), + (31911, 2, 16, 'Pantalon grandes poches sapin', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"sapin"}', 0), + (31912, 2, 16, 'Pantalon grandes poches crème', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"crème"}', 0), + (31913, 2, 16, 'Pantalon grandes poches ciel', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon grandes poches","colorLabel":"ciel"}', 0), + (31914, 1, 16, 'Pantalon cargo pétrole', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pétrole"}', 0), + (31915, 1, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (31916, 1, 16, 'Pantalon cargo kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"kaki"}', 0), + (31917, 1, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (31918, 1, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (31919, 1, 16, 'Pantalon cargo sapin', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"sapin"}', 0), + (31920, 1, 16, 'Pantalon cargo crème', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"crème"}', 0), + (31921, 1, 16, 'Pantalon cargo ciel', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"ciel"}', 0), + (31922, 2, 16, 'Pantalon cargo pétrole', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"pétrole"}', 0), + (31923, 2, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (31924, 2, 16, 'Pantalon cargo kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"kaki"}', 0), + (31925, 2, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (31926, 2, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (31927, 2, 16, 'Pantalon cargo sapin', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"sapin"}', 0), + (31928, 2, 16, 'Pantalon cargo crème', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"crème"}', 0), + (31929, 2, 16, 'Pantalon cargo ciel', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon cargo","colorLabel":"ciel"}', 0), + (31930, 3, 22, 'Legging classe lila-bleu', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Legging classe","colorLabel":"lila-bleu"}', 0), + (31931, 1, 17, 'Short de basket léopard blanc-noir', 50, '{"components":{"4":{"Drawable":132,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de basket","colorLabel":"léopard blanc-noir"}', 0), + (31932, 1, 17, 'Short de basket léopard violet', 50, '{"components":{"4":{"Drawable":132,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de basket","colorLabel":"léopard violet"}', 0), + (31933, 1, 17, 'Short de basket gris motifs', 50, '{"components":{"4":{"Drawable":132,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de basket","colorLabel":"gris motifs"}', 0), + (31934, 2, 17, 'Short de basket léopard blanc-noir', 50, '{"components":{"4":{"Drawable":132,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Short de basket","colorLabel":"léopard blanc-noir"}', 0), + (31935, 2, 17, 'Short de basket léopard violet', 50, '{"components":{"4":{"Drawable":132,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Short de basket","colorLabel":"léopard violet"}', 0), + (31936, 2, 17, 'Short de basket gris motifs', 50, '{"components":{"4":{"Drawable":132,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Short de basket","colorLabel":"gris motifs"}', 0), + (31937, 1, 20, 'Pantalon cow-boy daim', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cow-boy","colorLabel":"daim"}', 0), + (31938, 2, 20, 'Pantalon cow-boy daim', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon cow-boy","colorLabel":"daim"}', 0), + (31939, 1, 23, 'Jogging oversize beige', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"beige"}', 0), + (31940, 1, 23, 'Jogging oversize vert', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"vert"}', 0), + (31941, 1, 23, 'Jogging oversize abricot', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"abricot"}', 0), + (31942, 1, 23, 'Jogging oversize perle', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"perle"}', 0), + (31943, 2, 23, 'Jogging oversize beige', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"beige"}', 0), + (31944, 2, 23, 'Jogging oversize vert', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"vert"}', 0), + (31945, 2, 23, 'Jogging oversize abricot', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"abricot"}', 0), + (31946, 2, 23, 'Jogging oversize perle', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"perle"}', 0), + (31947, 1, 23, 'Jogging taille haute beige', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"beige"}', 0), + (31948, 1, 23, 'Jogging taille haute vert', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"vert"}', 0), + (31949, 2, 23, 'Jogging taille haute beige', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"beige"}', 0), + (31950, 2, 23, 'Jogging taille haute vert', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging taille haute","colorLabel":"vert"}', 0), + (31951, 1, 20, 'Combinaison couvrante rouge', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"rouge"}', 0), + (31952, 1, 20, 'Combinaison couvrante vert', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (31953, 2, 20, 'Combinaison couvrante rouge', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"rouge"}', 0), + (31954, 2, 20, 'Combinaison couvrante vert', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (31955, 1, 16, 'Combinaison moto noir-beige', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"noir-beige"}', 0), + (31956, 1, 16, 'Combinaison moto blanc-noir', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"blanc-noir"}', 0), + (31957, 1, 16, 'Combinaison moto vert-jaune', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"vert-jaune"}', 0), + (31958, 1, 16, 'Combinaison moto cyan-rouge', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"cyan-rouge"}', 0), + (31959, 1, 16, 'Combinaison moto rouge-cyan', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rouge-cyan"}', 0), + (31960, 1, 16, 'Combinaison moto comics-noir', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"comics-noir"}', 0), + (31961, 1, 16, 'Combinaison moto bleu-comics', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"bleu-comics"}', 0), + (31962, 2, 16, 'Combinaison moto noir-beige', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"noir-beige"}', 0), + (31963, 2, 16, 'Combinaison moto blanc-noir', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"blanc-noir"}', 0), + (31964, 2, 16, 'Combinaison moto vert-jaune', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"vert-jaune"}', 0), + (31965, 2, 16, 'Combinaison moto cyan-rouge', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"cyan-rouge"}', 0), + (31966, 2, 16, 'Combinaison moto rouge-cyan', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"rouge-cyan"}', 0), + (31967, 2, 16, 'Combinaison moto comics-noir', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"comics-noir"}', 0), + (31968, 2, 16, 'Combinaison moto bleu-comics', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Combinaison moto","colorLabel":"bleu-comics"}', 0), + (31969, 1, 23, 'Jogging uni jaune', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni jaune"}', 0), + (31970, 1, 23, 'Jogging uni noir', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni noir"}', 0), + (31971, 1, 23, 'Jogging uni gris', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni gris"}', 0), + (31972, 1, 23, 'Jogging uni crème', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni crème"}', 0), + (31973, 1, 23, 'Jogging uni ardoise', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni ardoise"}', 0), + (31974, 1, 23, 'Jogging uni brun', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni brun"}', 0), + (31975, 1, 23, 'Jogging uni vert', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni vert"}', 0), + (31976, 1, 23, 'Jogging FB98 rouge', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"FB98 rouge"}', 0), + (31977, 1, 23, 'Jogging FB98 vert', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"FB98 vert"}', 0), + (31978, 1, 23, 'Jogging FB98 bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"FB98 bleu"}', 0), + (31979, 1, 23, 'Jogging dégradé rose', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"dégradé rose"}', 0), + (31980, 1, 23, 'Jogging dégradé orange', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"dégradé orange"}', 0), + (31981, 1, 23, 'Jogging dégradé bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"dégradé bleu"}', 0), + (31982, 1, 23, 'Jogging Bigness noir', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness noir"}', 0), + (31983, 1, 23, 'Jogging Bigness turquoise', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness turquoise"}', 0), + (31984, 1, 23, 'Jogging Bigness jaune', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness jaune"}', 0), + (31985, 1, 23, 'Jogging Bigness rose', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness rose"}', 0), + (31986, 1, 23, 'Jogging Bigness violet', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness violet"}', 0), + (31987, 1, 23, 'Jogging carreaux rose', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"carreaux rose"}', 0), + (31988, 1, 23, 'Jogging carreaux patchwork', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"carreaux patchwork"}', 0), + (31989, 1, 23, 'Jogging carreaux bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"carreaux bleu"}', 0), + (31990, 1, 23, 'Jogging Squash blanc', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Squash blanc"}', 0), + (31991, 1, 23, 'Jogging noir jap.', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir jap."}', 0), + (31992, 1, 23, 'Jogging noir triangle', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir triangle"}', 0), + (31993, 1, 23, 'Jogging noir zèbre', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir zèbre"}', 0), + (31994, 2, 23, 'Jogging uni jaune', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni jaune"}', 0), + (31995, 2, 23, 'Jogging uni noir', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni noir"}', 0), + (31996, 2, 23, 'Jogging uni gris', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni gris"}', 0), + (31997, 2, 23, 'Jogging uni crème', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni crème"}', 0), + (31998, 2, 23, 'Jogging uni ardoise', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni ardoise"}', 0), + (31999, 2, 23, 'Jogging uni brun', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni brun"}', 0), + (32000, 2, 23, 'Jogging uni vert', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"uni vert"}', 0), + (32001, 2, 23, 'Jogging FB98 rouge', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"FB98 rouge"}', 0), + (32002, 2, 23, 'Jogging FB98 vert', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"FB98 vert"}', 0), + (32003, 2, 23, 'Jogging FB98 bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"FB98 bleu"}', 0), + (32004, 2, 23, 'Jogging dégradé rose', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"dégradé rose"}', 0), + (32005, 2, 23, 'Jogging dégradé orange', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"dégradé orange"}', 0), + (32006, 2, 23, 'Jogging dégradé bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"dégradé bleu"}', 0), + (32007, 2, 23, 'Jogging Bigness noir', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness noir"}', 0), + (32008, 2, 23, 'Jogging Bigness turquoise', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness turquoise"}', 0), + (32009, 2, 23, 'Jogging Bigness jaune', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness jaune"}', 0), + (32010, 2, 23, 'Jogging Bigness rose', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness rose"}', 0), + (32011, 2, 23, 'Jogging Bigness violet', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Bigness violet"}', 0), + (32012, 2, 23, 'Jogging carreaux rose', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"carreaux rose"}', 0), + (32013, 2, 23, 'Jogging carreaux patchwork', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"carreaux patchwork"}', 0), + (32014, 2, 23, 'Jogging carreaux bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"carreaux bleu"}', 0), + (32015, 2, 23, 'Jogging Squash blanc', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"Squash blanc"}', 0), + (32016, 2, 23, 'Jogging noir jap.', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir jap."}', 0), + (32017, 2, 23, 'Jogging noir triangle', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir triangle"}', 0), + (32018, 2, 23, 'Jogging noir zèbre', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir zèbre"}', 0), + (32019, 1, 23, 'Jogging bleu bigness', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"bleu bigness"}', 0), + (32020, 1, 23, 'Jogging rouge bigness', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"rouge bigness"}', 0), + (32021, 1, 23, 'Jogging blanc bigness', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"blanc bigness"}', 0), + (32022, 1, 23, 'Jogging yeti n. gris', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. gris"}', 0), + (32023, 1, 23, 'Jogging yeti n. jaune-bleu', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-bleu"}', 0), + (32024, 1, 23, 'Jogging yeti n. bleu-rose', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. bleu-rose"}', 0), + (32025, 1, 23, 'Jogging yeti b. bleu-rose', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. bleu-rose"}', 0), + (32026, 1, 23, 'Jogging yeti b. jaune-bleu', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-bleu"}', 0), + (32027, 1, 23, 'Jogging yeti n. jaune-vert', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-vert"}', 0), + (32028, 1, 23, 'Jogging yeti b. jaune-vert', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-vert"}', 0), + (32029, 1, 23, 'Jogging yeti b. vert', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. vert"}', 0), + (32030, 1, 23, 'Jogging yeti b. rose', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. rose"}', 0), + (32031, 1, 23, 'Jogging yeti b. bleu', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. bleu"}', 0), + (32032, 1, 23, 'Jogging noir heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir heat"}', 0), + (32033, 1, 23, 'Jogging turquoise heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"turquoise heat"}', 0), + (32034, 1, 23, 'Jogging jaune heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"jaune heat"}', 0), + (32035, 1, 23, 'Jogging corail heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"corail heat"}', 0), + (32036, 1, 23, 'Jogging orange heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"orange heat"}', 0), + (32037, 1, 23, 'Jogging bleu heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"bleu heat"}', 0), + (32038, 1, 23, 'Jogging taupe heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"taupe heat"}', 0), + (32039, 1, 23, 'Jogging violet heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"violet heat"}', 0), + (32040, 1, 23, 'Jogging beige heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"beige heat"}', 0), + (32041, 1, 23, 'Jogging lime heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"lime heat"}', 0), + (32042, 1, 23, 'Jogging vanille heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"vanille heat"}', 0), + (32043, 1, 23, 'Jogging manor noir', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor noir"}', 0), + (32044, 2, 23, 'Jogging bleu bigness', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"bleu bigness"}', 0), + (32045, 2, 23, 'Jogging rouge bigness', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"rouge bigness"}', 0), + (32046, 2, 23, 'Jogging blanc bigness', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"blanc bigness"}', 0), + (32047, 2, 23, 'Jogging yeti n. gris', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. gris"}', 0), + (32048, 2, 23, 'Jogging yeti n. jaune-bleu', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-bleu"}', 0), + (32049, 2, 23, 'Jogging yeti n. bleu-rose', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. bleu-rose"}', 0), + (32050, 2, 23, 'Jogging yeti b. bleu-rose', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. bleu-rose"}', 0), + (32051, 2, 23, 'Jogging yeti b. jaune-bleu', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-bleu"}', 0), + (32052, 2, 23, 'Jogging yeti n. jaune-vert', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-vert"}', 0), + (32053, 2, 23, 'Jogging yeti b. jaune-vert', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-vert"}', 0), + (32054, 2, 23, 'Jogging yeti b. vert', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. vert"}', 0), + (32055, 2, 23, 'Jogging yeti b. rose', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. rose"}', 0), + (32056, 2, 23, 'Jogging yeti b. bleu', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"yeti b. bleu"}', 0), + (32057, 2, 23, 'Jogging noir heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"noir heat"}', 0), + (32058, 2, 23, 'Jogging turquoise heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"turquoise heat"}', 0), + (32059, 2, 23, 'Jogging jaune heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"jaune heat"}', 0), + (32060, 2, 23, 'Jogging corail heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"corail heat"}', 0), + (32061, 2, 23, 'Jogging orange heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"orange heat"}', 0), + (32062, 2, 23, 'Jogging bleu heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"bleu heat"}', 0), + (32063, 2, 23, 'Jogging taupe heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"taupe heat"}', 0), + (32064, 2, 23, 'Jogging violet heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"violet heat"}', 0), + (32065, 2, 23, 'Jogging beige heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"beige heat"}', 0), + (32066, 2, 23, 'Jogging lime heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"lime heat"}', 0), + (32067, 2, 23, 'Jogging vanille heat', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"vanille heat"}', 0), + (32068, 2, 23, 'Jogging manor noir', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor noir"}', 0), + (32069, 1, 23, 'Jogging manor turquoise', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor turquoise"}', 0), + (32070, 1, 23, 'Jogging manor rouge', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor rouge"}', 0), + (32071, 1, 23, 'Jogging manor jaune', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor jaune"}', 0), + (32072, 2, 23, 'Jogging manor turquoise', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor turquoise"}', 0), + (32073, 2, 23, 'Jogging manor rouge', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor rouge"}', 0), + (32074, 2, 23, 'Jogging manor jaune', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jogging","colorLabel":"manor jaune"}', 0), + (32075, 3, 16, 'Pantalon chic à passants noir', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"noir"}', 0), + (32076, 3, 16, 'Pantalon chic à passants gris', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"gris"}', 0), + (32077, 3, 16, 'Pantalon chic à passants perle', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"perle"}', 0), + (32078, 3, 16, 'Pantalon chic à passants blanc', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"blanc"}', 0), + (32079, 3, 16, 'Pantalon chic à passants beige', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"beige"}', 0), + (32080, 3, 16, 'Pantalon chic à passants marine', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"marine"}', 0), + (32081, 3, 16, 'Pantalon chic à passants brun', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"brun"}', 0), + (32082, 3, 16, 'Pantalon chic à passants chinois vert', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois vert"}', 0), + (32083, 3, 16, 'Pantalon chic à passants chinois beige', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois beige"}', 0), + (32084, 3, 16, 'Pantalon chic à passants chinois bleu', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois bleu"}', 0), + (32085, 3, 16, 'Pantalon chic à passants chinois rouge', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois rouge"}', 0), + (32086, 3, 16, 'Pantalon chic à passants fleurs vert', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs vert"}', 0), + (32087, 3, 16, 'Pantalon chic à passants fleurs beige', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs beige"}', 0), + (32088, 3, 16, 'Pantalon chic à passants fleurs bleu', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs bleu"}', 0), + (32089, 3, 16, 'Pantalon chic à passants fleurs rouge', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs rouge"}', 0), + (32090, 3, 16, 'Pantalon chic à passants chihuahua vert', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chihuahua vert"}', 0), + (32091, 3, 16, 'Pantalon chic à passants chihuahua beige', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chihuahua beige"}', 0), + (32092, 3, 16, 'Pantalon chic à passants chihuahua bleu', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"chihuahua bleu"}', 0), + (32093, 3, 16, 'Pantalon chic à passants marbre blanc', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre blanc"}', 0), + (32094, 3, 16, 'Pantalon chic à passants marbre noir', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre noir"}', 0), + (32095, 3, 16, 'Pantalon chic à passants marbre ciel', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre ciel"}', 0), + (32096, 3, 16, 'Pantalon chic à passants marbre bleu', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre bleu"}', 0), + (32097, 3, 16, 'Pantalon chic à passants camo gris', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo gris"}', 0), + (32098, 3, 16, 'Pantalon chic à passants camo turquoise', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo turquoise"}', 0), + (32099, 3, 16, 'Pantalon chic à passants camo jaune', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo jaune"}', 0), + (32100, 3, 16, 'Pantalon chic à passants camo beige', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo beige"}', 0), + (32101, 3, 16, 'Pantalon chic à passants géométrique gris', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique gris"}', 0), + (32102, 3, 16, 'Pantalon chic à passants géométrique beige', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique beige"}', 0), + (32103, 3, 16, 'Pantalon chic à passants géométrique lime', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique lime"}', 0), + (32104, 3, 16, 'Pantalon chic à passants géométrique rouge', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique rouge"}', 0), + (32105, 3, 16, 'Pantalon chic à passants géométrique turquoise', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique turquoise"}', 0), + (32106, 3, 16, 'Pantalon chic à passants grillage gris', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage gris"}', 0), + (32107, 3, 16, 'Pantalon chic à passants grillage turquoise', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage turquoise"}', 0), + (32108, 3, 16, 'Pantalon chic à passants grillage rouge', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage rouge"}', 0), + (32109, 3, 16, 'Pantalon chic à passants grillage vert', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage vert"}', 0), + (32110, 3, 16, 'Pantalon chic à passants grillage beige', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage beige"}', 0), + (32111, 3, 16, 'Pantalon chic à passants camo taupe', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo taupe"}', 0), + (32112, 3, 16, 'Pantalon chic à passants camo anthracite', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo anthracite"}', 0), + (32113, 3, 16, 'Pantalon chic à passants camo orange', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo orange"}', 0), + (32114, 3, 16, 'Pantalon chic à passants camo abricot', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo abricot"}', 0), + (32115, 3, 16, 'Pantalon chic à passants camo brun', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo brun"}', 0), + (32116, 3, 16, 'Pantalon chic à passants camo ciel', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"camo ciel"}', 0), + (32117, 3, 16, 'Pantalon chic à passants carreaux anthracite', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux anthracite"}', 0), + (32118, 3, 16, 'Pantalon chic à passants carreaux marine', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux marine"}', 0), + (32119, 3, 16, 'Pantalon chic à passants carreaux beige', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux beige"}', 0), + (32120, 3, 16, 'Pantalon chic à passants carreaux vert', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux vert"}', 0), + (32121, 3, 16, 'Pantalon chic à passants carreaux corail', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux corail"}', 0), + (32122, 3, 16, 'Pantalon de costume noir', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"noir"}', 0), + (32123, 3, 16, 'Pantalon de costume gris', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"gris"}', 0), + (32124, 3, 16, 'Pantalon de costume perle', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"perle"}', 0), + (32125, 3, 16, 'Pantalon de costume blanc', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"blanc"}', 0), + (32126, 3, 16, 'Pantalon de costume beige', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"beige"}', 0), + (32127, 3, 16, 'Pantalon de costume kaki', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"kaki"}', 0), + (32128, 3, 16, 'Pantalon de costume bulles rose', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"bulles rose"}', 0), + (32129, 3, 16, 'Pantalon de costume demi-carreaux ciel', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"demi-carreaux ciel"}', 0), + (32130, 3, 16, 'Pantalon de costume demi-carreaux beige', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"demi-carreaux beige"}', 0), + (32131, 3, 16, 'Pantalon de costume demi-carreaux vert', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"demi-carreaux vert"}', 0), + (32132, 3, 16, 'Pantalon de costume neurones gris', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"neurones gris"}', 0), + (32133, 3, 16, 'Pantalon de costume neurones jaune', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"neurones jaune"}', 0), + (32134, 3, 16, 'Pantalon de costume dollars gris', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"dollars gris"}', 0), + (32135, 3, 16, 'Pantalon de costume dollars rose', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"dollars rose"}', 0), + (32136, 3, 16, 'Pantalon de costume multicolore bleu', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"multicolore bleu"}', 0), + (32137, 3, 16, 'Pantalon de costume multicolore beige', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"multicolore beige"}', 0), + (32138, 3, 16, 'Pantalon de costume turtle gris', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"turtle gris"}', 0), + (32139, 3, 16, 'Pantalon de costume turtle rose', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"turtle rose"}', 0), + (32140, 3, 16, 'Pantalon de costume brume taupe', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"brume taupe"}', 0), + (32141, 3, 16, 'Pantalon de costume brume vert', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"brume vert"}', 0), + (32142, 3, 16, 'Pantalon de costume foudre rouge', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"foudre rouge"}', 0), + (32143, 3, 16, 'Pantalon de costume foudre jaune', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"foudre jaune"}', 0), + (32144, 3, 16, 'Pantalon de costume points bleu', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"points bleu"}', 0), + (32145, 3, 16, 'Pantalon de costume points rose', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"points rose"}', 0), + (32146, 3, 16, 'Pantalon de costume bulles bleu', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon de costume","colorLabel":"bulles bleu"}', 0), + (32147, 3, 17, 'Bermuda chic en jean blanc', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"blanc"}', 0), + (32148, 3, 17, 'Bermuda chic en jean gris', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"gris"}', 0), + (32149, 3, 17, 'Bermuda chic en jean anthracite', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"anthracite"}', 0), + (32150, 3, 17, 'Bermuda chic en jean noir', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"noir"}', 0), + (32151, 3, 17, 'Bermuda chic en jean indigo', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"indigo"}', 0), + (32152, 3, 17, 'Bermuda chic en jean ciel', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"ciel"}', 0), + (32153, 3, 17, 'Bermuda chic en jean bleu clair', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu clair"}', 0), + (32154, 3, 17, 'Bermuda chic en jean bleu', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu"}', 0), + (32155, 3, 17, 'Bermuda chic en jean bleu foncé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu foncé"}', 0), + (32156, 3, 17, 'Bermuda chic en jean bleu marine', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu marine"}', 0), + (32157, 3, 17, 'Bermuda chic en jean gris délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"gris délavé"}', 0), + (32158, 3, 17, 'Bermuda chic en jean noir délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"noir délavé"}', 0), + (32159, 3, 17, 'Bermuda chic en jean bleu clair délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu clair délavé"}', 0), + (32160, 3, 17, 'Bermuda chic en jean turquoise délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"turquoise délavé"}', 0), + (32161, 3, 17, 'Bermuda chic en jean indigo délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"indigo délavé"}', 0), + (32162, 3, 17, 'Bermuda chic en jean bleu foncé délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu foncé délavé"}', 0), + (32163, 3, 17, 'Bermuda chic en jean bleu délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu délavé"}', 0), + (32164, 3, 17, 'Bermuda chic en jean ciel délavé', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"ciel délavé"}', 0), + (32165, 3, 17, 'Bermuda chic en jean rouge', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"rouge"}', 0), + (32166, 3, 17, 'Bermuda chic en jean abricot', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"abricot"}', 0), + (32167, 3, 17, 'Bermuda chic en jean citron', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"citron"}', 0), + (32168, 3, 17, 'Bermuda chic en jean jaune', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"jaune"}', 0), + (32169, 3, 17, 'Bermuda chic en jean lilas', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"lilas"}', 0), + (32170, 3, 17, 'Bermuda chic en jean vert', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"vert"}', 0), + (32171, 3, 17, 'Bermuda chic en jean crème', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Bermuda chic en jean","colorLabel":"crème"}', 0), + (32172, 3, 21, 'Caleçon alien vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"alien vert"}', 0), + (32173, 3, 21, 'Caleçon alien blanc', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Caleçon","colorLabel":"alien blanc"}', 0), + (32174, 3, 16, 'Pantalon en cuir à lacets noir', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"noir"}', 0), + (32175, 3, 16, 'Pantalon en cuir à lacets gris', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"gris"}', 0), + (32176, 3, 16, 'Pantalon en cuir à lacets perle', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"perle"}', 0), + (32177, 3, 16, 'Pantalon en cuir à lacets lune', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lune"}', 0), + (32178, 3, 16, 'Pantalon en cuir à lacets brun', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"brun"}', 0), + (32179, 3, 16, 'Pantalon en cuir à lacets orange', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"orange"}', 0), + (32180, 3, 16, 'Pantalon en cuir à lacets vert', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"vert"}', 0), + (32181, 3, 16, 'Pantalon en cuir à lacets feu', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"feu"}', 0), + (32182, 3, 16, 'Pantalon en cuir à lacets abricot', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"abricot"}', 0), + (32183, 3, 16, 'Pantalon en cuir à lacets jaune', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"jaune"}', 0), + (32184, 3, 16, 'Pantalon en cuir à lacets ambre', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"ambre"}', 0), + (32185, 3, 16, 'Pantalon en cuir à lacets beige', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"beige"}', 0), + (32186, 3, 16, 'Pantalon en cuir à lacets marine', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"marine"}', 0), + (32187, 3, 16, 'Pantalon en cuir à lacets ciel', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"ciel"}', 0), + (32188, 3, 16, 'Pantalon en cuir à lacets noir rouge lisse', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"noir rouge lisse"}', 0), + (32189, 3, 16, 'Pantalon en cuir à lacets lisse usé café', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé café"}', 0), + (32190, 3, 16, 'Pantalon en cuir à lacets lisse usé gris', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé gris"}', 0), + (32191, 3, 16, 'Pantalon en cuir à lacets lisse usé brun', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé brun"}', 0), + (32192, 3, 16, 'Pantalon en cuir à lacets lisse usé rouille', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé rouille"}', 0), + (32193, 3, 16, 'Pantalon en cuir à lacets lisse usé anthracite', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé anthracite"}', 0), + (32194, 3, 16, 'Pantalon en cuir à lacets lisse usé rouge', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé rouge"}', 0), + (32195, 1, 19, 'Jean slim retroussé blanc', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"blanc"}', 0), + (32196, 1, 19, 'Jean slim retroussé gris', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"gris"}', 0), + (32197, 1, 19, 'Jean slim retroussé anthracite', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"anthracite"}', 0), + (32198, 1, 19, 'Jean slim retroussé noir', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"noir"}', 0), + (32199, 1, 19, 'Jean slim retroussé indigo', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"indigo"}', 0), + (32200, 1, 19, 'Jean slim retroussé ciel', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"ciel"}', 0), + (32201, 1, 19, 'Jean slim retroussé bleu clair', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu clair"}', 0), + (32202, 1, 19, 'Jean slim retroussé bleu', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu"}', 0), + (32203, 1, 19, 'Jean slim retroussé bleu foncé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu foncé"}', 0), + (32204, 1, 19, 'Jean slim retroussé bleu marine', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu marine"}', 0), + (32205, 1, 19, 'Jean slim retroussé gris délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"gris délavé"}', 0), + (32206, 1, 19, 'Jean slim retroussé noir délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"noir délavé"}', 0), + (32207, 1, 19, 'Jean slim retroussé bleu clair délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu clair délavé"}', 0), + (32208, 1, 19, 'Jean slim retroussé turquoise délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"turquoise délavé"}', 0), + (32209, 1, 19, 'Jean slim retroussé indigo délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"indigo délavé"}', 0), + (32210, 1, 19, 'Jean slim retroussé bleu foncé délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu foncé délavé"}', 0), + (32211, 1, 19, 'Jean slim retroussé bleu délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu délavé"}', 0), + (32212, 1, 19, 'Jean slim retroussé ciel délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"ciel délavé"}', 0), + (32213, 1, 19, 'Jean slim retroussé rouge', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"rouge"}', 0), + (32214, 1, 19, 'Jean slim retroussé abricot', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"abricot"}', 0), + (32215, 1, 19, 'Jean slim retroussé citron', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"citron"}', 0), + (32216, 1, 19, 'Jean slim retroussé jaune', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"jaune"}', 0), + (32217, 1, 19, 'Jean slim retroussé lilas', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lilas"}', 0), + (32218, 1, 19, 'Jean slim retroussé vert', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"vert"}', 0), + (32219, 1, 19, 'Jean slim retroussé crème', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"crème"}', 0), + (32220, 2, 19, 'Jean slim retroussé blanc', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"blanc"}', 0), + (32221, 2, 19, 'Jean slim retroussé gris', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"gris"}', 0), + (32222, 2, 19, 'Jean slim retroussé anthracite', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"anthracite"}', 0), + (32223, 2, 19, 'Jean slim retroussé noir', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"noir"}', 0), + (32224, 2, 19, 'Jean slim retroussé indigo', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"indigo"}', 0), + (32225, 2, 19, 'Jean slim retroussé ciel', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"ciel"}', 0), + (32226, 2, 19, 'Jean slim retroussé bleu clair', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu clair"}', 0), + (32227, 2, 19, 'Jean slim retroussé bleu', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu"}', 0), + (32228, 2, 19, 'Jean slim retroussé bleu foncé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu foncé"}', 0), + (32229, 2, 19, 'Jean slim retroussé bleu marine', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu marine"}', 0), + (32230, 2, 19, 'Jean slim retroussé gris délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"gris délavé"}', 0), + (32231, 2, 19, 'Jean slim retroussé noir délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"noir délavé"}', 0), + (32232, 2, 19, 'Jean slim retroussé bleu clair délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu clair délavé"}', 0), + (32233, 2, 19, 'Jean slim retroussé turquoise délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"turquoise délavé"}', 0), + (32234, 2, 19, 'Jean slim retroussé indigo délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"indigo délavé"}', 0), + (32235, 2, 19, 'Jean slim retroussé bleu foncé délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu foncé délavé"}', 0), + (32236, 2, 19, 'Jean slim retroussé bleu délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"bleu délavé"}', 0), + (32237, 2, 19, 'Jean slim retroussé ciel délavé', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"ciel délavé"}', 0), + (32238, 2, 19, 'Jean slim retroussé rouge', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"rouge"}', 0), + (32239, 2, 19, 'Jean slim retroussé abricot', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"abricot"}', 0), + (32240, 2, 19, 'Jean slim retroussé citron', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"citron"}', 0), + (32241, 2, 19, 'Jean slim retroussé jaune', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"jaune"}', 0), + (32242, 2, 19, 'Jean slim retroussé lilas', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lilas"}', 0), + (32243, 2, 19, 'Jean slim retroussé vert', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"vert"}', 0), + (32244, 2, 19, 'Jean slim retroussé crème', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"crème"}', 0), + (32245, 3, 16, 'Pantalon classe ardoise', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"ardoise"}', 0), + (32246, 3, 16, 'Pantalon classe canabis', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon classe","colorLabel":"canabis"}', 0), + (32247, 1, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (32248, 2, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (32249, 1, 16, 'Pantalon taille basse noir', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"noir"}', 0), + (32250, 1, 16, 'Pantalon taille basse gris', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"gris"}', 0), + (32251, 1, 16, 'Pantalon taille basse crème', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"crème"}', 0), + (32252, 1, 16, 'Pantalon taille basse blanc', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"blanc"}', 0), + (32253, 1, 16, 'Pantalon taille basse beige', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"beige"}', 0), + (32254, 1, 16, 'Pantalon taille basse brun', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"brun"}', 0), + (32255, 1, 16, 'Pantalon taille basse rouge', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"rouge"}', 0), + (32256, 1, 16, 'Pantalon taille basse rose', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"rose"}', 0), + (32257, 1, 16, 'Pantalon taille basse feu', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"feu"}', 0), + (32258, 1, 16, 'Pantalon taille basse orange', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"orange"}', 0), + (32259, 1, 16, 'Pantalon taille basse citron', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"citron"}', 0), + (32260, 1, 16, 'Pantalon taille basse jaune', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"jaune"}', 0), + (32261, 1, 16, 'Pantalon taille basse marine', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"marine"}', 0), + (32262, 1, 16, 'Pantalon taille basse bleu', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"bleu"}', 0), + (32263, 1, 16, 'Pantalon taille basse turquoise', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"turquoise"}', 0), + (32264, 1, 16, 'Pantalon taille basse océan', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"océan"}', 0), + (32265, 1, 16, 'Pantalon taille basse ciel', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"ciel"}', 0), + (32266, 1, 16, 'Pantalon taille basse lilas', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"lilas"}', 0), + (32267, 1, 16, 'Pantalon taille basse vert', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"vert"}', 0), + (32268, 1, 16, 'Pantalon taille basse menthe', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"menthe"}', 0), + (32269, 1, 16, 'Pantalon taille basse kaki', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"kaki"}', 0), + (32270, 1, 16, 'Pantalon taille basse lime', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"lime"}', 0), + (32271, 1, 16, 'Pantalon taille basse abricot', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"abricot"}', 0), + (32272, 1, 16, 'Pantalon taille basse rose pâle', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"rose pâle"}', 0), + (32273, 1, 16, 'Pantalon taille basse violet', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"violet"}', 0), + (32274, 2, 16, 'Pantalon taille basse noir', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"noir"}', 0), + (32275, 2, 16, 'Pantalon taille basse gris', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"gris"}', 0), + (32276, 2, 16, 'Pantalon taille basse crème', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"crème"}', 0), + (32277, 2, 16, 'Pantalon taille basse blanc', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"blanc"}', 0), + (32278, 2, 16, 'Pantalon taille basse beige', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"beige"}', 0), + (32279, 2, 16, 'Pantalon taille basse brun', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"brun"}', 0), + (32280, 2, 16, 'Pantalon taille basse rouge', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"rouge"}', 0), + (32281, 2, 16, 'Pantalon taille basse rose', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"rose"}', 0), + (32282, 2, 16, 'Pantalon taille basse feu', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"feu"}', 0), + (32283, 2, 16, 'Pantalon taille basse orange', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"orange"}', 0), + (32284, 2, 16, 'Pantalon taille basse citron', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"citron"}', 0), + (32285, 2, 16, 'Pantalon taille basse jaune', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"jaune"}', 0), + (32286, 2, 16, 'Pantalon taille basse marine', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"marine"}', 0), + (32287, 2, 16, 'Pantalon taille basse bleu', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"bleu"}', 0), + (32288, 2, 16, 'Pantalon taille basse turquoise', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"turquoise"}', 0), + (32289, 2, 16, 'Pantalon taille basse océan', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"océan"}', 0), + (32290, 2, 16, 'Pantalon taille basse ciel', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"ciel"}', 0), + (32291, 2, 16, 'Pantalon taille basse lilas', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"lilas"}', 0), + (32292, 2, 16, 'Pantalon taille basse vert', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"vert"}', 0), + (32293, 2, 16, 'Pantalon taille basse menthe', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"menthe"}', 0), + (32294, 2, 16, 'Pantalon taille basse kaki', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"kaki"}', 0), + (32295, 2, 16, 'Pantalon taille basse lime', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"lime"}', 0), + (32296, 2, 16, 'Pantalon taille basse abricot', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"abricot"}', 0), + (32297, 2, 16, 'Pantalon taille basse rose pâle', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"rose pâle"}', 0), + (32298, 2, 16, 'Pantalon taille basse violet', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon taille basse","colorLabel":"violet"}', 0), + (32299, 1, 19, 'Jean slim retroussé coeur noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"coeur noir"}', 0), + (32300, 1, 19, 'Jean slim retroussé coeur blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"coeur blanc"}', 0), + (32301, 1, 19, 'Jean slim retroussé lion noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion noir"}', 0), + (32302, 1, 19, 'Jean slim retroussé lion blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion blanc"}', 0), + (32303, 1, 19, 'Jean slim retroussé lion bleu', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion bleu"}', 0), + (32304, 1, 19, 'Jean slim retroussé lion gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion gris"}', 0), + (32305, 1, 19, 'Jean slim retroussé flammes noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"flammes noir"}', 0), + (32306, 1, 19, 'Jean slim retroussé flammes blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"flammes blanc"}', 0), + (32307, 1, 19, 'Jean slim retroussé turbo noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"turbo noir"}', 0), + (32308, 1, 19, 'Jean slim retroussé turbo gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"turbo gris"}', 0), + (32309, 1, 19, 'Jean slim retroussé patch bleu', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"patch bleu"}', 0), + (32310, 1, 19, 'Jean slim retroussé patch gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"patch gris"}', 0), + (32311, 1, 19, 'Jean slim retroussé médaillons noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"médaillons noir"}', 0), + (32312, 1, 19, 'Jean slim retroussé médaillons blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"médaillons blanc"}', 0), + (32313, 1, 19, 'Jean slim retroussé dragon blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"dragon blanc"}', 0), + (32314, 1, 19, 'Jean slim retroussé dragon rouge', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"dragon rouge"}', 0), + (32315, 1, 19, 'Jean slim retroussé étoiles blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"étoiles blanc"}', 0), + (32316, 1, 19, 'Jean slim retroussé étoiles gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"étoiles gris"}', 0), + (32317, 1, 19, 'Jean slim retroussé étoiles rouge', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"étoiles rouge"}', 10); +INSERT INTO `shop_content` (`id`, `shop_id`, `category_id`, `label`, `price`, `data`, `stock`) VALUES + (32318, 2, 19, 'Jean slim retroussé coeur noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"coeur noir"}', 0), + (32319, 2, 19, 'Jean slim retroussé coeur blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"coeur blanc"}', 0), + (32320, 2, 19, 'Jean slim retroussé lion noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion noir"}', 0), + (32321, 2, 19, 'Jean slim retroussé lion blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion blanc"}', 0), + (32322, 2, 19, 'Jean slim retroussé lion bleu', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion bleu"}', 0), + (32323, 2, 19, 'Jean slim retroussé lion gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"lion gris"}', 0), + (32324, 2, 19, 'Jean slim retroussé flammes noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"flammes noir"}', 0), + (32325, 2, 19, 'Jean slim retroussé flammes blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"flammes blanc"}', 0), + (32326, 2, 19, 'Jean slim retroussé turbo noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"turbo noir"}', 0), + (32327, 2, 19, 'Jean slim retroussé turbo gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"turbo gris"}', 0), + (32328, 2, 19, 'Jean slim retroussé patch bleu', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"patch bleu"}', 0), + (32329, 2, 19, 'Jean slim retroussé patch gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"patch gris"}', 0), + (32330, 2, 19, 'Jean slim retroussé médaillons noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"médaillons noir"}', 0), + (32331, 2, 19, 'Jean slim retroussé médaillons blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"médaillons blanc"}', 0), + (32332, 2, 19, 'Jean slim retroussé dragon blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"dragon blanc"}', 0), + (32333, 2, 19, 'Jean slim retroussé dragon rouge', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"dragon rouge"}', 0), + (32334, 2, 19, 'Jean slim retroussé étoiles blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"étoiles blanc"}', 0), + (32335, 2, 19, 'Jean slim retroussé étoiles gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"étoiles gris"}', 0), + (32336, 2, 19, 'Jean slim retroussé étoiles rouge', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Jean slim retroussé","colorLabel":"étoiles rouge"}', 0), + (32337, 1, 16, 'Pantalon baggy Zèbre blanc', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"Zèbre blanc"}', 0), + (32338, 1, 16, 'Pantalon baggy zèbre rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"zèbre rose"}', 0), + (32339, 1, 16, 'Pantalon baggy blagueurs noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs noir"}', 0), + (32340, 1, 16, 'Pantalon baggy blgaueurs bleu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blgaueurs bleu"}', 0), + (32341, 1, 16, 'Pantalon baggy blagueurs brun', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs brun"}', 0), + (32342, 1, 16, 'Pantalon baggy blagueurs blanc', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs blanc"}', 0), + (32343, 1, 16, 'Pantalon baggy flammes vert', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes vert"}', 0), + (32344, 1, 16, 'Pantalon baggy flammes orange', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes orange"}', 0), + (32345, 1, 16, 'Pantalon baggy flammes rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes rose"}', 0), + (32346, 1, 16, 'Pantalon baggy flammes violet', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes violet"}', 0), + (32347, 1, 16, 'Pantalon baggy flammes rouge', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes rouge"}', 0), + (32348, 1, 16, 'Pantalon baggy foudre bleu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre bleu"}', 0), + (32349, 1, 16, 'Pantalon baggy foudre blanc', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre blanc"}', 0), + (32350, 1, 16, 'Pantalon baggy foudre vert', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre vert"}', 0), + (32351, 1, 16, 'Pantalon baggy foudre orange', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre orange"}', 0), + (32352, 1, 16, 'Pantalon baggy foudre rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre rose"}', 0), + (32353, 1, 16, 'Pantalon baggy foudre rouge', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre rouge"}', 0), + (32354, 1, 16, 'Pantalon baggy foudre b. ciel', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. ciel"}', 0), + (32355, 1, 16, 'Pantalon baggy foudre b. gris', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. gris"}', 0), + (32356, 1, 16, 'Pantalon baggy foudre b. rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. rose"}', 0), + (32357, 1, 16, 'Pantalon baggy grelots bleu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots bleu"}', 0), + (32358, 1, 16, 'Pantalon baggy grelots noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots noir"}', 0), + (32359, 1, 16, 'Pantalon baggy grelots brun', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots brun"}', 0), + (32360, 1, 16, 'Pantalon baggy grelots beige', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots beige"}', 0), + (32361, 1, 16, 'Pantalon baggy Trickster noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"Trickster noir"}', 0), + (32362, 2, 16, 'Pantalon baggy Zèbre blanc', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"Zèbre blanc"}', 0), + (32363, 2, 16, 'Pantalon baggy zèbre rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"zèbre rose"}', 0), + (32364, 2, 16, 'Pantalon baggy blagueurs noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs noir"}', 0), + (32365, 2, 16, 'Pantalon baggy blgaueurs bleu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blgaueurs bleu"}', 0), + (32366, 2, 16, 'Pantalon baggy blagueurs brun', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs brun"}', 0), + (32367, 2, 16, 'Pantalon baggy blagueurs blanc', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs blanc"}', 0), + (32368, 2, 16, 'Pantalon baggy flammes vert', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes vert"}', 0), + (32369, 2, 16, 'Pantalon baggy flammes orange', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes orange"}', 0), + (32370, 2, 16, 'Pantalon baggy flammes rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes rose"}', 0), + (32371, 2, 16, 'Pantalon baggy flammes violet', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes violet"}', 0), + (32372, 2, 16, 'Pantalon baggy flammes rouge', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"flammes rouge"}', 0), + (32373, 2, 16, 'Pantalon baggy foudre bleu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre bleu"}', 0), + (32374, 2, 16, 'Pantalon baggy foudre blanc', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre blanc"}', 0), + (32375, 2, 16, 'Pantalon baggy foudre vert', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre vert"}', 0), + (32376, 2, 16, 'Pantalon baggy foudre orange', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre orange"}', 0), + (32377, 2, 16, 'Pantalon baggy foudre rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre rose"}', 0), + (32378, 2, 16, 'Pantalon baggy foudre rouge', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre rouge"}', 0), + (32379, 2, 16, 'Pantalon baggy foudre b. ciel', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. ciel"}', 0), + (32380, 2, 16, 'Pantalon baggy foudre b. gris', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. gris"}', 0), + (32381, 2, 16, 'Pantalon baggy foudre b. rose', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. rose"}', 0), + (32382, 2, 16, 'Pantalon baggy grelots bleu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots bleu"}', 0), + (32383, 2, 16, 'Pantalon baggy grelots noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots noir"}', 0), + (32384, 2, 16, 'Pantalon baggy grelots brun', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots brun"}', 0), + (32385, 2, 16, 'Pantalon baggy grelots beige', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"grelots beige"}', 0), + (32386, 2, 16, 'Pantalon baggy Trickster noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"Trickster noir"}', 0), + (32387, 1, 16, 'Pantalon baggy boteh noir', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh noir"}', 0), + (32388, 1, 16, 'Pantalon baggy boteh blanc', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc"}', 0), + (32389, 1, 16, 'Pantalon baggy boteh blanc-bleu', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-bleu"}', 0), + (32390, 1, 16, 'Pantalon baggy boteh blanc-rouge', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-rouge"}', 0), + (32391, 2, 16, 'Pantalon baggy boteh noir', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh noir"}', 0), + (32392, 2, 16, 'Pantalon baggy boteh blanc', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc"}', 0), + (32393, 2, 16, 'Pantalon baggy boteh blanc-bleu', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-bleu"}', 0), + (32394, 2, 16, 'Pantalon baggy boteh blanc-rouge', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-rouge"}', 0), + (32395, 1, 20, 'Costume M. Loyal noir', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume M. Loyal","colorLabel":"noir"}', 0), + (32396, 1, 20, 'Costume M. Loyal blanc', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Costume M. Loyal","colorLabel":"blanc"}', 0), + (32397, 2, 20, 'Costume M. Loyal noir', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume M. Loyal","colorLabel":"noir"}', 0), + (32398, 2, 20, 'Costume M. Loyal blanc', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Costume M. Loyal","colorLabel":"blanc"}', 0), + (32399, 1, 20, 'Costume animal fauve', 50, '{"components":{"4":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume animal","colorLabel":"fauve"}', 0), + (32400, 1, 20, 'Costume animal brun', 50, '{"components":{"4":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Costume animal","colorLabel":"brun"}', 0), + (32401, 2, 20, 'Costume animal fauve', 50, '{"components":{"4":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume animal","colorLabel":"fauve"}', 0), + (32402, 2, 20, 'Costume animal brun', 50, '{"components":{"4":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Costume animal","colorLabel":"brun"}', 0), + (32403, 1, 23, 'Jogging oversize kaki', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"kaki"}', 0), + (32404, 1, 23, 'Jogging oversize anthracite', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"anthracite"}', 0), + (32405, 2, 23, 'Jogging oversize kaki', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"kaki"}', 0), + (32406, 2, 23, 'Jogging oversize anthracite', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Jogging oversize","colorLabel":"anthracite"}', 0), + (32407, 1, 16, 'Pantacourt bleu', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"bleu"}', 0), + (32408, 1, 16, 'Pantacourt kaki', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"kaki"}', 0), + (32409, 2, 16, 'Pantacourt bleu', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"bleu"}', 0), + (32410, 2, 16, 'Pantacourt kaki', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Pantacourt","colorLabel":"kaki"}', 0), + (32411, 1, 19, 'Jean slim bleu foncé', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"bleu foncé"}', 0), + (32412, 1, 19, 'Jean slim noir', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"noir"}', 0), + (32413, 1, 19, 'Jean slim indigo', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"indigo"}', 0), + (32414, 1, 19, 'Jean slim léopard gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"léopard gris"}', 0), + (32415, 1, 19, 'Jean slim pois bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"pois bleu"}', 0), + (32416, 1, 19, 'Jean slim violet', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"violet"}', 0), + (32417, 1, 19, 'Jean slim roses', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"roses"}', 0), + (32418, 1, 19, 'Jean slim vert', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"vert"}', 0), + (32419, 1, 19, 'Jean slim délavé gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"délavé gris"}', 0), + (32420, 1, 19, 'Jean slim rouge', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"rouge"}', 0), + (32421, 1, 19, 'Jean slim bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"bleu"}', 0), + (32422, 1, 19, 'Jean slim turquoise', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"turquoise"}', 0), + (32423, 1, 19, 'Jean slim jaune', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"jaune"}', 0), + (32424, 1, 19, 'Jean slim tigre', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"tigre"}', 0), + (32425, 1, 19, 'Jean slim fleurs blanc', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"fleurs blanc"}', 0), + (32426, 1, 19, 'Jean slim carreaux rouge', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"carreaux rouge"}', 0), + (32427, 2, 19, 'Jean slim bleu foncé', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"bleu foncé"}', 0), + (32428, 2, 19, 'Jean slim noir', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"noir"}', 0), + (32429, 2, 19, 'Jean slim indigo', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"indigo"}', 0), + (32430, 2, 19, 'Jean slim léopard gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"léopard gris"}', 0), + (32431, 2, 19, 'Jean slim pois bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"pois bleu"}', 0), + (32432, 2, 19, 'Jean slim violet', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"violet"}', 0), + (32433, 2, 19, 'Jean slim roses', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"roses"}', 0), + (32434, 2, 19, 'Jean slim vert', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"vert"}', 0), + (32435, 2, 19, 'Jean slim délavé gris', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"délavé gris"}', 0), + (32436, 2, 19, 'Jean slim rouge', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"rouge"}', 0), + (32437, 2, 19, 'Jean slim bleu', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"bleu"}', 0), + (32438, 2, 19, 'Jean slim turquoise', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"turquoise"}', 0), + (32439, 2, 19, 'Jean slim jaune', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"jaune"}', 0), + (32440, 2, 19, 'Jean slim tigre', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"tigre"}', 0), + (32441, 2, 19, 'Jean slim fleurs blanc', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"fleurs blanc"}', 0), + (32442, 2, 19, 'Jean slim carreaux rouge', 50, '{"components":{"4":{"Drawable":0,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jean slim","colorLabel":"carreaux rouge"}', 0), + (32443, 1, 19, 'Jean large bleu foncé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bleu foncé"}', 0), + (32444, 1, 19, 'Jean large indigo', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"indigo"}', 0), + (32445, 1, 19, 'Jean large gris', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"gris"}', 0), + (32446, 1, 19, 'Jean large bleu délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bleu délavé"}', 0), + (32447, 1, 19, 'Jean large bleu', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bleu"}', 0), + (32448, 1, 19, 'Jean large anthracite délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"anthracite délavé"}', 0), + (32449, 1, 19, 'Jean large noir', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"noir"}', 0), + (32450, 1, 19, 'Jean large marine', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"marine"}', 0), + (32451, 1, 19, 'Jean large pluie', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"pluie"}', 0), + (32452, 1, 19, 'Jean large perle délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"perle délavé"}', 0), + (32453, 1, 19, 'Jean large pétrole délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"pétrole délavé"}', 0), + (32454, 1, 19, 'Jean large marron', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"marron"}', 0), + (32455, 1, 19, 'Jean large rose pâle', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"rose pâle"}', 0), + (32456, 1, 19, 'Jean large orage', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"orage"}', 0), + (32457, 1, 19, 'Jean large ciel patché', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"ciel patché"}', 0), + (32458, 1, 19, 'Jean large bordeaux', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bordeaux"}', 0), + (32459, 2, 19, 'Jean large bleu foncé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bleu foncé"}', 0), + (32460, 2, 19, 'Jean large indigo', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"indigo"}', 0), + (32461, 2, 19, 'Jean large gris', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"gris"}', 0), + (32462, 2, 19, 'Jean large bleu délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bleu délavé"}', 0), + (32463, 2, 19, 'Jean large bleu', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bleu"}', 0), + (32464, 2, 19, 'Jean large anthracite délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"anthracite délavé"}', 0), + (32465, 2, 19, 'Jean large noir', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"noir"}', 0), + (32466, 2, 19, 'Jean large marine', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"marine"}', 0), + (32467, 2, 19, 'Jean large pluie', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"pluie"}', 0), + (32468, 2, 19, 'Jean large perle délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"perle délavé"}', 0), + (32469, 2, 19, 'Jean large pétrole délavé', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"pétrole délavé"}', 0), + (32470, 2, 19, 'Jean large marron', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"marron"}', 0), + (32471, 2, 19, 'Jean large rose pâle', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"rose pâle"}', 0), + (32472, 2, 19, 'Jean large orage', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"orage"}', 0), + (32473, 2, 19, 'Jean large ciel patché', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"ciel patché"}', 0), + (32474, 2, 19, 'Jean large bordeaux', 50, '{"components":{"4":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jean large","colorLabel":"bordeaux"}', 0), + (32475, 1, 22, 'Corsaire sportif blanc', 50, '{"components":{"4":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Corsaire sportif","colorLabel":"blanc"}', 0), + (32476, 1, 22, 'Corsaire sportif taupe', 50, '{"components":{"4":{"Drawable":2,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Corsaire sportif","colorLabel":"taupe"}', 0), + (32477, 1, 22, 'Corsaire sportif noir', 50, '{"components":{"4":{"Drawable":2,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Corsaire sportif","colorLabel":"noir"}', 0), + (32478, 2, 22, 'Corsaire sportif blanc', 50, '{"components":{"4":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Corsaire sportif","colorLabel":"blanc"}', 0), + (32479, 2, 22, 'Corsaire sportif taupe', 50, '{"components":{"4":{"Drawable":2,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Corsaire sportif","colorLabel":"taupe"}', 0), + (32480, 2, 22, 'Corsaire sportif noir', 50, '{"components":{"4":{"Drawable":2,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Corsaire sportif","colorLabel":"noir"}', 0), + (32481, 1, 16, 'Pantalon baggy ceinture noir', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"noir"}', 0), + (32482, 1, 16, 'Pantalon baggy ceinture marron', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"marron"}', 0), + (32483, 1, 16, 'Pantalon baggy ceinture gris', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"gris"}', 0), + (32484, 1, 16, 'Pantalon baggy ceinture bleu', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu"}', 0), + (32485, 1, 16, 'Pantalon baggy ceinture blanc-noir', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"blanc-noir"}', 0), + (32486, 1, 16, 'Pantalon baggy ceinture taupe', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"taupe"}', 0), + (32487, 1, 16, 'Pantalon baggy ceinture blanc-vert', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"blanc-vert"}', 0), + (32488, 1, 16, 'Pantalon baggy ceinture framboise', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"framboise"}', 0), + (32489, 1, 16, 'Pantalon baggy ceinture beige', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"beige"}', 0), + (32490, 1, 16, 'Pantalon baggy ceinture rose', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"rose"}', 0), + (32491, 1, 16, 'Pantalon baggy ceinture turquoise', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"turquoise"}', 0), + (32492, 1, 16, 'Pantalon baggy ceinture lie-de-vin', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"lie-de-vin"}', 0), + (32493, 1, 16, 'Pantalon baggy ceinture crème', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"crème"}', 0), + (32494, 1, 16, 'Pantalon baggy ceinture ciel', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"ciel"}', 0), + (32495, 1, 16, 'Pantalon baggy ceinture perle', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"perle"}', 0), + (32496, 1, 16, 'Pantalon baggy ceinture orange', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"orange"}', 0), + (32497, 2, 16, 'Pantalon baggy ceinture noir', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"noir"}', 0), + (32498, 2, 16, 'Pantalon baggy ceinture marron', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"marron"}', 0), + (32499, 2, 16, 'Pantalon baggy ceinture gris', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"gris"}', 0), + (32500, 2, 16, 'Pantalon baggy ceinture bleu', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu"}', 0), + (32501, 2, 16, 'Pantalon baggy ceinture blanc-noir', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"blanc-noir"}', 0), + (32502, 2, 16, 'Pantalon baggy ceinture taupe', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"taupe"}', 0), + (32503, 2, 16, 'Pantalon baggy ceinture blanc-vert', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"blanc-vert"}', 0), + (32504, 2, 16, 'Pantalon baggy ceinture framboise', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"framboise"}', 0), + (32505, 2, 16, 'Pantalon baggy ceinture beige', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"beige"}', 0), + (32506, 2, 16, 'Pantalon baggy ceinture rose', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"rose"}', 0), + (32507, 2, 16, 'Pantalon baggy ceinture turquoise', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"turquoise"}', 0), + (32508, 2, 16, 'Pantalon baggy ceinture lie-de-vin', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"lie-de-vin"}', 0), + (32509, 2, 16, 'Pantalon baggy ceinture crème', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"crème"}', 0), + (32510, 2, 16, 'Pantalon baggy ceinture ciel', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"ciel"}', 0), + (32511, 2, 16, 'Pantalon baggy ceinture perle', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"perle"}', 0), + (32512, 2, 16, 'Pantalon baggy ceinture orange', 50, '{"components":{"4":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"orange"}', 0), + (32513, 1, 19, 'Pantacourt en jean anthracite', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"anthracite"}', 0), + (32514, 1, 19, 'Pantacourt en jean foncé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"foncé"}', 0), + (32515, 1, 19, 'Pantacourt en jean pluie', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"pluie"}', 0), + (32516, 1, 19, 'Pantacourt en jean gris', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"gris"}', 0), + (32517, 1, 19, 'Pantacourt en jean turquoise', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"turquoise"}', 0), + (32518, 1, 19, 'Pantacourt en jean orange', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"orange"}', 0), + (32519, 1, 19, 'Pantacourt en jean océan', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"océan"}', 0), + (32520, 1, 19, 'Pantacourt en jean ciel', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"ciel"}', 0), + (32521, 1, 19, 'Pantacourt en jean marine', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"marine"}', 0), + (32522, 1, 19, 'Pantacourt en jean noir', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"noir"}', 0), + (32523, 1, 19, 'Pantacourt en jean lie-de-vin', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"lie-de-vin"}', 0), + (32524, 1, 19, 'Pantacourt en jean neige', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"neige"}', 0), + (32525, 1, 19, 'Pantacourt en jean bleu délavé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"bleu délavé"}', 0), + (32526, 1, 19, 'Pantacourt en jean marine délavé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"marine délavé"}', 0), + (32527, 1, 19, 'Pantacourt en jean ciel délavé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"ciel délavé"}', 0), + (32528, 1, 19, 'Pantacourt en jean jaune', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"jaune"}', 0), + (32529, 2, 19, 'Pantacourt en jean anthracite', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"anthracite"}', 0), + (32530, 2, 19, 'Pantacourt en jean foncé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"foncé"}', 0), + (32531, 2, 19, 'Pantacourt en jean pluie', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"pluie"}', 0), + (32532, 2, 19, 'Pantacourt en jean gris', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"gris"}', 0), + (32533, 2, 19, 'Pantacourt en jean turquoise', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"turquoise"}', 0), + (32534, 2, 19, 'Pantacourt en jean orange', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"orange"}', 0), + (32535, 2, 19, 'Pantacourt en jean océan', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"océan"}', 0), + (32536, 2, 19, 'Pantacourt en jean ciel', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"ciel"}', 0), + (32537, 2, 19, 'Pantacourt en jean marine', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"marine"}', 0), + (32538, 2, 19, 'Pantacourt en jean noir', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"noir"}', 0), + (32539, 2, 19, 'Pantacourt en jean lie-de-vin', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"lie-de-vin"}', 0), + (32540, 2, 19, 'Pantacourt en jean neige', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"neige"}', 0), + (32541, 2, 19, 'Pantacourt en jean bleu délavé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"bleu délavé"}', 0), + (32542, 2, 19, 'Pantacourt en jean marine délavé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"marine délavé"}', 0), + (32543, 2, 19, 'Pantacourt en jean ciel délavé', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"ciel délavé"}', 0), + (32544, 2, 19, 'Pantacourt en jean jaune', 50, '{"components":{"4":{"Drawable":4,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt en jean","colorLabel":"jaune"}', 0), + (32545, 1, 17, 'Short en jean rose', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"rose"}', 0), + (32546, 1, 17, 'Short en jean violet', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"violet"}', 0), + (32547, 1, 17, 'Short en jean orange', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"orange"}', 0), + (32548, 2, 17, 'Short en jean rose', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"rose"}', 0), + (32549, 2, 17, 'Short en jean violet', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"violet"}', 0), + (32550, 2, 17, 'Short en jean orange', 50, '{"components":{"4":{"Drawable":5,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"orange"}', 0), + (32551, 3, 16, 'Pantalon chic noir', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"noir"}', 0), + (32552, 3, 16, 'Pantalon chic taupe', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"taupe"}', 0), + (32553, 3, 16, 'Pantalon chic marine', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"marine"}', 0), + (32554, 3, 16, 'Pantalon chic indigo', 50, '{"components":{"4":{"Drawable":6,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"indigo"}', 0), + (32555, 3, 18, 'Jupe longue chic noir', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"noir"}', 0), + (32556, 3, 18, 'Jupe longue chic taupe', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"taupe"}', 0), + (32557, 3, 18, 'Jupe longue chic marine', 50, '{"components":{"4":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"marine"}', 0), + (32558, 1, 18, 'Mini-jupe noir', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"noir"}', 0), + (32559, 1, 18, 'Mini-jupe gris', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"gris"}', 0), + (32560, 1, 18, 'Mini-jupe marine', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"marine"}', 0), + (32561, 1, 18, 'Mini-jupe jean bleu', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"jean bleu"}', 0), + (32562, 1, 18, 'Mini-jupe rayures', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"rayures"}', 0), + (32563, 1, 18, 'Mini-jupe fleurs', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"fleurs"}', 0), + (32564, 1, 18, 'Mini-jupe rouge', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"rouge"}', 0), + (32565, 1, 18, 'Mini-jupe jean taupe', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"jean taupe"}', 0), + (32566, 1, 18, 'Mini-jupe indigène', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"indigène"}', 0), + (32567, 1, 18, 'Mini-jupe triangle', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"triangle"}', 0), + (32568, 1, 18, 'Mini-jupe géométrique', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"géométrique"}', 0), + (32569, 1, 18, 'Mini-jupe papillon', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"papillon"}', 0), + (32570, 1, 18, 'Mini-jupe lumières', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"lumières"}', 0), + (32571, 1, 18, 'Mini-jupe carreaux rouge', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"carreaux rouge"}', 0), + (32572, 1, 18, 'Mini-jupe dentelle violet', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"dentelle violet"}', 0), + (32573, 2, 18, 'Mini-jupe noir', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"noir"}', 0), + (32574, 2, 18, 'Mini-jupe gris', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"gris"}', 0), + (32575, 2, 18, 'Mini-jupe marine', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"marine"}', 0), + (32576, 2, 18, 'Mini-jupe jean bleu', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"jean bleu"}', 0), + (32577, 2, 18, 'Mini-jupe rayures', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"rayures"}', 0), + (32578, 2, 18, 'Mini-jupe fleurs', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"fleurs"}', 0), + (32579, 2, 18, 'Mini-jupe rouge', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"rouge"}', 0), + (32580, 2, 18, 'Mini-jupe jean taupe', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"jean taupe"}', 0), + (32581, 2, 18, 'Mini-jupe indigène', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"indigène"}', 0), + (32582, 2, 18, 'Mini-jupe triangle', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"triangle"}', 0), + (32583, 2, 18, 'Mini-jupe géométrique', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"géométrique"}', 0), + (32584, 2, 18, 'Mini-jupe papillon', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"papillon"}', 0), + (32585, 2, 18, 'Mini-jupe lumières', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"lumières"}', 0), + (32586, 2, 18, 'Mini-jupe carreaux rouge', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"carreaux rouge"}', 0), + (32587, 2, 18, 'Mini-jupe dentelle violet', 50, '{"components":{"4":{"Drawable":8,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"dentelle violet"}', 0), + (32588, 1, 18, 'Mini-jupe à sequins noir', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"noir"}', 0), + (32589, 1, 18, 'Mini-jupe à sequins gris', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"gris"}', 0), + (32590, 1, 18, 'Mini-jupe à sequins jaune-gris', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"jaune-gris"}', 0), + (32591, 1, 18, 'Mini-jupe à sequins jaune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"jaune"}', 0), + (32592, 1, 18, 'Mini-jupe à sequins bleu-violet', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"bleu-violet"}', 0), + (32593, 1, 18, 'Mini-jupe à sequins vert', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"vert"}', 0), + (32594, 1, 18, 'Mini-jupe à sequins indigène blanc', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"indigène blanc"}', 0), + (32595, 1, 18, 'Mini-jupe à sequins roses', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"roses"}', 0), + (32596, 1, 18, 'Mini-jupe à sequins zèbre', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"zèbre"}', 0), + (32597, 1, 18, 'Mini-jupe à sequins violet-rose', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"violet-rose"}', 0), + (32598, 1, 18, 'Mini-jupe à sequins rayures beige', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures beige"}', 0), + (32599, 1, 18, 'Mini-jupe à sequins indigène bleu', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"indigène bleu"}', 0), + (32600, 1, 18, 'Mini-jupe à sequins rouge', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rouge"}', 0), + (32601, 1, 18, 'Mini-jupe à sequins blanc', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"blanc"}', 0), + (32602, 1, 18, 'Mini-jupe à sequins rayures noir-jaune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures noir-jaune"}', 0), + (32603, 1, 18, 'Mini-jupe à sequins rayures vanille', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures vanille"}', 0), + (32604, 2, 18, 'Mini-jupe à sequins noir', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"noir"}', 0), + (32605, 2, 18, 'Mini-jupe à sequins gris', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"gris"}', 0), + (32606, 2, 18, 'Mini-jupe à sequins jaune-gris', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"jaune-gris"}', 0), + (32607, 2, 18, 'Mini-jupe à sequins jaune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"jaune"}', 0), + (32608, 2, 18, 'Mini-jupe à sequins bleu-violet', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"bleu-violet"}', 0), + (32609, 2, 18, 'Mini-jupe à sequins vert', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"vert"}', 0), + (32610, 2, 18, 'Mini-jupe à sequins indigène blanc', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"indigène blanc"}', 0), + (32611, 2, 18, 'Mini-jupe à sequins roses', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"roses"}', 0), + (32612, 2, 18, 'Mini-jupe à sequins zèbre', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"zèbre"}', 0), + (32613, 2, 18, 'Mini-jupe à sequins violet-rose', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"violet-rose"}', 0), + (32614, 2, 18, 'Mini-jupe à sequins rayures beige', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures beige"}', 0), + (32615, 2, 18, 'Mini-jupe à sequins indigène bleu', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"indigène bleu"}', 0), + (32616, 2, 18, 'Mini-jupe à sequins rouge', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rouge"}', 0), + (32617, 2, 18, 'Mini-jupe à sequins blanc', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"blanc"}', 0), + (32618, 2, 18, 'Mini-jupe à sequins rayures noir-jaune', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures noir-jaune"}', 0), + (32619, 2, 18, 'Mini-jupe à sequins rayures vanille', 50, '{"components":{"4":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures vanille"}', 0), + (32620, 1, 17, 'Mini-short de sport blanc', 50, '{"components":{"4":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-short de sport","colorLabel":"blanc"}', 0), + (32621, 1, 17, 'Mini-short de sport ciel', 50, '{"components":{"4":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-short de sport","colorLabel":"ciel"}', 0), + (32622, 1, 17, 'Mini-short de sport bleu', 50, '{"components":{"4":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-short de sport","colorLabel":"bleu"}', 0), + (32623, 2, 17, 'Mini-short de sport blanc', 50, '{"components":{"4":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-short de sport","colorLabel":"blanc"}', 0), + (32624, 2, 17, 'Mini-short de sport ciel', 50, '{"components":{"4":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-short de sport","colorLabel":"ciel"}', 0), + (32625, 2, 17, 'Mini-short de sport bleu', 50, '{"components":{"4":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-short de sport","colorLabel":"bleu"}', 0), + (32626, 3, 16, 'Pantacourt slim à poches kaki', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"kaki"}', 0), + (32627, 3, 16, 'Pantacourt slim à poches noir', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"noir"}', 0), + (32628, 3, 16, 'Pantacourt slim à poches marron', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"marron"}', 0), + (32629, 3, 16, 'Pantacourt slim à poches taupe', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"taupe"}', 0), + (32630, 3, 16, 'Pantacourt slim à poches bleu', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"bleu"}', 0), + (32631, 3, 16, 'Pantacourt slim à poches turquoise', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"turquoise"}', 0), + (32632, 3, 16, 'Pantacourt slim à poches crème', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"crème"}', 0), + (32633, 3, 16, 'Pantacourt slim à poches beige', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"beige"}', 0), + (32634, 3, 16, 'Pantacourt slim à poches camo rose', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"camo rose"}', 0), + (32635, 3, 16, 'Pantacourt slim à poches camo gris', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"camo gris"}', 0), + (32636, 3, 16, 'Pantacourt slim à poches camo kaki', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"camo kaki"}', 0), + (32637, 3, 16, 'Pantacourt slim à poches camo beige', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"camo beige"}', 0), + (32638, 3, 16, 'Pantacourt slim à poches gris', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"gris"}', 0), + (32639, 3, 16, 'Pantacourt slim à poches violet', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"violet"}', 0), + (32640, 3, 16, 'Pantacourt slim à poches lie-de-vin', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"lie-de-vin"}', 0), + (32641, 3, 16, 'Pantacourt slim à poches blanc', 50, '{"components":{"4":{"Drawable":11,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt slim à poches","colorLabel":"blanc"}', 0), + (32642, 3, 18, 'Jupe plissée carreaux beige', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"carreaux beige"}', 0), + (32643, 3, 18, 'Jupe plissée carreaux rouge', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"carreaux rouge"}', 0), + (32644, 3, 18, 'Jupe plissée carreaux vert', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"carreaux vert"}', 0), + (32645, 3, 18, 'Jupe plissée lettres rouge', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"lettres rouge"}', 0), + (32646, 3, 18, 'Jupe plissée camo kaki', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"camo kaki"}', 0), + (32647, 3, 18, 'Jupe plissée carreaux bleu', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"carreaux bleu"}', 0), + (32648, 3, 18, 'Jupe plissée fuchsia', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"fuchsia"}', 0), + (32649, 3, 18, 'Jupe plissée anthracite', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"anthracite"}', 0), + (32650, 3, 18, 'Jupe plissée blanc', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"blanc"}', 0), + (32651, 3, 18, 'Jupe plissée gris', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"gris"}', 0), + (32652, 3, 18, 'Jupe plissée bleu', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"bleu"}', 0), + (32653, 3, 18, 'Jupe plissée blanc-bleu', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"blanc-bleu"}', 0), + (32654, 3, 18, 'Jupe plissée citron', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"citron"}', 0), + (32655, 3, 18, 'Jupe plissée beige', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"beige"}', 0), + (32656, 3, 18, 'Jupe plissée lilas', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"lilas"}', 0), + (32657, 3, 18, 'Jupe plissée violet', 50, '{"components":{"4":{"Drawable":12,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jupe plissée","colorLabel":"violet"}', 0), + (32658, 1, 21, 'Bikini bas noir', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"noir"}', 0), + (32659, 1, 21, 'Bikini bas gris', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"gris"}', 0), + (32660, 1, 21, 'Bikini bas menthe', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"menthe"}', 0), + (32661, 1, 21, 'Bikini bas sunrise', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"sunrise"}', 0), + (32662, 2, 21, 'Bikini bas noir', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"noir"}', 0), + (32663, 2, 21, 'Bikini bas gris', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"gris"}', 0), + (32664, 2, 21, 'Bikini bas menthe', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"menthe"}', 0), + (32665, 2, 21, 'Bikini bas sunrise', 50, '{"components":{"4":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"sunrise"}', 0), + (32666, 1, 17, 'Short jaune', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"jaune"}', 0), + (32667, 1, 17, 'Short marinière', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"marinière"}', 0), + (32668, 1, 17, 'Short ciel', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"ciel"}', 0), + (32669, 1, 17, 'Short rose', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"rose"}', 0), + (32670, 1, 17, 'Short carreaux gris', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"carreaux gris"}', 0), + (32671, 1, 17, 'Short vichy rouge', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"vichy rouge"}', 0), + (32672, 1, 17, 'Short jean bleu', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"jean bleu"}', 0), + (32673, 1, 17, 'Short framboise', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"framboise"}', 0), + (32674, 1, 17, 'Short sable', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"sable"}', 0), + (32675, 1, 17, 'Short rayures bleu', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"rayures bleu"}', 0), + (32676, 1, 17, 'Short océan', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"océan"}', 0), + (32677, 1, 17, 'Short rose pâle', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"rose pâle"}', 0), + (32678, 2, 17, 'Short jaune', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"jaune"}', 0), + (32679, 2, 17, 'Short marinière', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"marinière"}', 0), + (32680, 2, 17, 'Short ciel', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"ciel"}', 0), + (32681, 2, 17, 'Short rose', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"rose"}', 0), + (32682, 2, 17, 'Short carreaux gris', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"carreaux gris"}', 0), + (32683, 2, 17, 'Short vichy rouge', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"vichy rouge"}', 0), + (32684, 2, 17, 'Short jean bleu', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"jean bleu"}', 0), + (32685, 2, 17, 'Short framboise', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"framboise"}', 0), + (32686, 2, 17, 'Short sable', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"sable"}', 0), + (32687, 2, 17, 'Short rayures bleu', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"rayures bleu"}', 0), + (32688, 2, 17, 'Short océan', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"océan"}', 0), + (32689, 2, 17, 'Short rose pâle', 50, '{"components":{"4":{"Drawable":16,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"rose pâle"}', 0), + (32690, 1, 21, 'Bikini bas blanc', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"blanc"}', 0), + (32691, 1, 21, 'Bikini bas étoiles', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"étoiles"}', 0), + (32692, 1, 21, 'Bikini bas bleu', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"bleu"}', 0), + (32693, 1, 21, 'Bikini bas léopard', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"léopard"}', 0), + (32694, 1, 21, 'Bikini bas rouge', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rouge"}', 0), + (32695, 1, 21, 'Bikini bas rayures violet', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rayures violet"}', 0), + (32696, 1, 21, 'Bikini bas camo kaki', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"camo kaki"}', 0), + (32697, 1, 21, 'Bikini bas carreaux rose', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"carreaux rose"}', 0), + (32698, 1, 21, 'Bikini bas géométrique violet', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"géométrique violet"}', 0), + (32699, 1, 21, 'Bikini bas tropique', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"tropique"}', 0), + (32700, 1, 21, 'Bikini bas fleurs', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"fleurs"}', 0), + (32701, 1, 21, 'Bikini bas rayures bleu-orange', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rayures bleu-orange"}', 0), + (32702, 2, 21, 'Bikini bas blanc', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"blanc"}', 0), + (32703, 2, 21, 'Bikini bas étoiles', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"étoiles"}', 0), + (32704, 2, 21, 'Bikini bas bleu', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"bleu"}', 0), + (32705, 2, 21, 'Bikini bas léopard', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"léopard"}', 0), + (32706, 2, 21, 'Bikini bas rouge', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rouge"}', 0), + (32707, 2, 21, 'Bikini bas rayures violet', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rayures violet"}', 0), + (32708, 2, 21, 'Bikini bas camo kaki', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"camo kaki"}', 0), + (32709, 2, 21, 'Bikini bas carreaux rose', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"carreaux rose"}', 0), + (32710, 2, 21, 'Bikini bas géométrique violet', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"géométrique violet"}', 0), + (32711, 2, 21, 'Bikini bas tropique', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"tropique"}', 0), + (32712, 2, 21, 'Bikini bas fleurs', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"fleurs"}', 0), + (32713, 2, 21, 'Bikini bas rayures bleu-orange', 50, '{"components":{"4":{"Drawable":17,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rayures bleu-orange"}', 0), + (32714, 1, 17, 'Short gris', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"gris"}', 0), + (32715, 1, 17, 'Short sable', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"sable"}', 0), + (32716, 1, 17, 'Short blanc', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"blanc"}', 0), + (32717, 1, 17, 'Short anthracite', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"anthracite"}', 0), + (32718, 2, 17, 'Short gris', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"gris"}', 0), + (32719, 2, 17, 'Short sable', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"sable"}', 0), + (32720, 2, 17, 'Short blanc', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"blanc"}', 0), + (32721, 2, 17, 'Short anthracite', 50, '{"components":{"4":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"anthracite"}', 0), + (32722, 3, 18, 'Jupe longue chic rouge', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"rouge"}', 0), + (32723, 3, 18, 'Jupe longue chic vert', 50, '{"components":{"4":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"vert"}', 0), + (32724, 3, 21, 'Shorty blanc', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"blanc"}', 0), + (32725, 3, 21, 'Shorty rouge', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"rouge"}', 0), + (32726, 3, 21, 'Shorty noir', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"noir"}', 0), + (32727, 3, 21, 'Shorty chair', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"chair"}', 0), + (32728, 3, 21, 'Shorty bleu', 50, '{"components":{"4":{"Drawable":19,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"bleu"}', 0), + (32729, 3, 21, 'Porte-jarretelle blanc', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"blanc"}', 0), + (32730, 3, 21, 'Porte-jarretelle rouge', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"rouge"}', 0), + (32731, 3, 21, 'Porte-jarretelle noir', 50, '{"components":{"4":{"Drawable":20,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"noir"}', 0), + (32732, 3, 16, 'Pantalon chic blanc', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"blanc"}', 0), + (32733, 3, 16, 'Pantalon chic bleu', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"bleu"}', 0), + (32734, 3, 16, 'Pantalon chic violet', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"violet"}', 0), + (32735, 3, 16, 'Pantalon chic turquoise', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"turquoise"}', 0), + (32736, 3, 16, 'Pantalon chic pied-de-poule', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"pied-de-poule"}', 0), + (32737, 3, 16, 'Pantalon chic kaki', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"kaki"}', 0), + (32738, 3, 16, 'Pantalon chic citron', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"citron"}', 0), + (32739, 3, 16, 'Pantalon chic rouge', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"rouge"}', 0), + (32740, 3, 16, 'Pantalon chic rose', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"rose"}', 0), + (32741, 3, 16, 'Pantalon chic framboise', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"framboise"}', 0), + (32742, 3, 16, 'Pantalon chic noir bande crème', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"noir bande crème"}', 0), + (32743, 3, 16, 'Pantalon chic rouge bande noire', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"rouge bande noire"}', 0), + (32744, 3, 16, 'Pantalon chic noir bande blanche', 50, '{"components":{"4":{"Drawable":23,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"noir bande blanche"}', 0), + (32745, 3, 18, 'Jupe longue chic comics rose', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"comics rose"}', 0), + (32746, 3, 18, 'Jupe longue chic indigo', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"indigo"}', 0), + (32747, 3, 18, 'Jupe longue chic pied-de-poule', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"pied-de-poule"}', 0), + (32748, 3, 18, 'Jupe longue chic anthracite', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"anthracite"}', 0), + (32749, 3, 18, 'Jupe longue chic kaki', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"kaki"}', 0), + (32750, 3, 18, 'Jupe longue chic turquoise', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"turquoise"}', 0), + (32751, 3, 18, 'Jupe longue chic roses', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"roses"}', 0), + (32752, 3, 18, 'Jupe longue chic noir-blanc', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"noir-blanc"}', 0), + (32753, 3, 18, 'Jupe longue chic léopard', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"léopard"}', 0), + (32754, 3, 18, 'Jupe longue chic menthe', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"menthe"}', 0), + (32755, 3, 18, 'Jupe longue chic framboise', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"framboise"}', 0), + (32756, 3, 18, 'Jupe longue chic violet', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"violet"}', 0), + (32757, 3, 18, 'Jupe longue chic rayures été', 50, '{"components":{"4":{"Drawable":24,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"rayures été"}', 0), + (32758, 1, 17, 'Short en jean anthracite délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"anthracite délavé"}', 0), + (32759, 1, 17, 'Short en jean pétrole délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"pétrole délavé"}', 0), + (32760, 1, 17, 'Short en jean bleu', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"bleu"}', 0), + (32761, 1, 17, 'Short en jean noir délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"noir délavé"}', 0), + (32762, 1, 17, 'Short en jean léopard', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"léopard"}', 0), + (32763, 1, 17, 'Short en jean serpent', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"serpent"}', 0), + (32764, 1, 17, 'Short en jean noir', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"noir"}', 0), + (32765, 1, 17, 'Short en jean gris délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"gris délavé"}', 0), + (32766, 1, 17, 'Short en jean kaki', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"kaki"}', 0), + (32767, 1, 17, 'Short en jean indigo', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"indigo"}', 0), + (32768, 1, 17, 'Short en jean patché', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"patché"}', 0), + (32769, 1, 17, 'Short en jean rose pâle', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"rose pâle"}', 0), + (32770, 1, 17, 'Short en jean menthe', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"menthe"}', 0), + (32771, 2, 17, 'Short en jean anthracite délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"anthracite délavé"}', 0), + (32772, 2, 17, 'Short en jean pétrole délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"pétrole délavé"}', 0), + (32773, 2, 17, 'Short en jean bleu', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"bleu"}', 0), + (32774, 2, 17, 'Short en jean noir délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"noir délavé"}', 0), + (32775, 2, 17, 'Short en jean léopard', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"léopard"}', 0), + (32776, 2, 17, 'Short en jean serpent', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"serpent"}', 0), + (32777, 2, 17, 'Short en jean noir', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"noir"}', 0), + (32778, 2, 17, 'Short en jean gris délavé', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"gris délavé"}', 0), + (32779, 2, 17, 'Short en jean kaki', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"kaki"}', 0), + (32780, 2, 17, 'Short en jean indigo', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"indigo"}', 0), + (32781, 2, 17, 'Short en jean patché', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"patché"}', 0), + (32782, 2, 17, 'Short en jean rose pâle', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"rose pâle"}', 0), + (32783, 2, 17, 'Short en jean menthe', 50, '{"components":{"4":{"Drawable":25,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Short en jean","colorLabel":"menthe"}', 0), + (32784, 1, 18, 'Mini-jupe Charlotte', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"Charlotte"}', 0), + (32785, 2, 18, 'Mini-jupe Charlotte', 50, '{"components":{"4":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"Charlotte"}', 0), + (32786, 1, 22, 'Legging à motifs noir', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"noir"}', 0), + (32787, 1, 22, 'Legging à motifs gris', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"gris"}', 0), + (32788, 1, 22, 'Legging à motifs bouton d\'or', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"bouton d\'or"}', 0), + (32789, 1, 22, 'Legging à motifs taupe', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"taupe"}', 0), + (32790, 1, 22, 'Legging à motifs noir-rouge', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"noir-rouge"}', 0), + (32791, 1, 22, 'Legging à motifs squelette', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"squelette"}', 0), + (32792, 1, 22, 'Legging à motifs lettres', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"lettres"}', 0), + (32793, 1, 22, 'Legging à motifs rayures noire-blanches', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"rayures noire-blanches"}', 0), + (32794, 1, 22, 'Legging à motifs tigre', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"tigre"}', 0), + (32795, 1, 22, 'Legging à motifs léopard', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"léopard"}', 0), + (32796, 1, 22, 'Legging à motifs tropique', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"tropique"}', 0), + (32797, 1, 22, 'Legging à motifs manga', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"manga"}', 0), + (32798, 1, 22, 'Legging à motifs indigène', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"indigène"}', 0), + (32799, 1, 22, 'Legging à motifs géométrique bleu', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"géométrique bleu"}', 0), + (32800, 1, 22, 'Legging à motifs turquoise', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"turquoise"}', 0), + (32801, 1, 22, 'Legging à motifs noir écritures', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"noir écritures"}', 0), + (32802, 2, 22, 'Legging à motifs noir', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"noir"}', 0), + (32803, 2, 22, 'Legging à motifs gris', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"gris"}', 0), + (32804, 2, 22, 'Legging à motifs bouton d\'or', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"bouton d\'or"}', 0), + (32805, 2, 22, 'Legging à motifs taupe', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"taupe"}', 0), + (32806, 2, 22, 'Legging à motifs noir-rouge', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"noir-rouge"}', 0), + (32807, 2, 22, 'Legging à motifs squelette', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"squelette"}', 0), + (32808, 2, 22, 'Legging à motifs lettres', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"lettres"}', 0), + (32809, 2, 22, 'Legging à motifs rayures noire-blanches', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"rayures noire-blanches"}', 0), + (32810, 2, 22, 'Legging à motifs tigre', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"tigre"}', 0), + (32811, 2, 22, 'Legging à motifs léopard', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"léopard"}', 0), + (32812, 2, 22, 'Legging à motifs tropique', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"tropique"}', 0), + (32813, 2, 22, 'Legging à motifs manga', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"manga"}', 0), + (32814, 2, 22, 'Legging à motifs indigène', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"indigène"}', 0), + (32815, 2, 22, 'Legging à motifs géométrique bleu', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"géométrique bleu"}', 0), + (32816, 2, 22, 'Legging à motifs turquoise', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"turquoise"}', 0), + (32817, 2, 22, 'Legging à motifs noir écritures', 50, '{"components":{"4":{"Drawable":27,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"noir écritures"}', 0), + (32818, 1, 18, 'Mini-jupe rayures rouge', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"rayures rouge"}', 0), + (32819, 2, 18, 'Mini-jupe rayures rouge', 50, '{"components":{"4":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe","colorLabel":"rayures rouge"}', 0), + (32820, 1, 20, 'Parachutiste marais', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"marais"}', 0), + (32821, 2, 20, 'Parachutiste marais', 50, '{"components":{"4":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"marais"}', 0), + (32822, 1, 16, 'Pantacourt en toile noir', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"noir"}', 0), + (32823, 1, 16, 'Pantacourt en toile camo gris', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"camo gris"}', 0), + (32824, 1, 16, 'Pantacourt en toile gris', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"gris"}', 0), + (32825, 1, 16, 'Pantacourt en toile camo beige', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"camo beige"}', 0), + (32826, 1, 16, 'Pantacourt en toile camo vert', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"camo vert"}', 0), + (32827, 2, 16, 'Pantacourt en toile noir', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"noir"}', 0), + (32828, 2, 16, 'Pantacourt en toile camo gris', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"camo gris"}', 0), + (32829, 2, 16, 'Pantacourt en toile gris', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"gris"}', 0), + (32830, 2, 16, 'Pantacourt en toile camo beige', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"camo beige"}', 0), + (32831, 2, 16, 'Pantacourt en toile camo vert', 50, '{"components":{"4":{"Drawable":30,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"camo vert"}', 0), + (32832, 1, 22, 'Legging d\'hiver corail', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"corail"}', 0), + (32833, 1, 22, 'Legging d\'hiver lutin', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"lutin"}', 0), + (32834, 1, 22, 'Legging d\'hiver gris', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"gris"}', 0), + (32835, 1, 22, 'Legging d\'hiver bleu', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"bleu"}', 0), + (32836, 2, 22, 'Legging d\'hiver corail', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"corail"}', 0), + (32837, 2, 22, 'Legging d\'hiver lutin', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"lutin"}', 0), + (32838, 2, 22, 'Legging d\'hiver gris', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"gris"}', 0), + (32839, 2, 22, 'Legging d\'hiver bleu', 50, '{"components":{"4":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging d\'hiver","colorLabel":"bleu"}', 0), + (32840, 1, 16, 'Pantalon cargo anthracite', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"anthracite"}', 0), + (32841, 2, 16, 'Pantalon cargo anthracite', 50, '{"components":{"4":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"anthracite"}', 0), + (32842, 1, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (32843, 2, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (32844, 3, 16, 'Pantalon classe à ceinture foncé', 50, '{"components":{"4":{"Drawable":34,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon classe à ceinture","colorLabel":"foncé"}', 0), + (32845, 3, 18, 'Jupe longue chic crème ', 50, '{"components":{"4":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"crème "}', 0), + (32846, 3, 18, 'Jupe longue chic sable', 50, '{"components":{"4":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"sable"}', 0), + (32847, 3, 18, 'Jupe longue chic anthracite', 50, '{"components":{"4":{"Drawable":36,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"anthracite"}', 0), + (32848, 3, 18, 'Jupe longue chic perle', 50, '{"components":{"4":{"Drawable":36,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jupe longue chic","colorLabel":"perle"}', 0), + (32849, 3, 16, 'Pantalon droit noir', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"noir"}', 0), + (32850, 3, 16, 'Pantalon droit taupe', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"taupe"}', 0), + (32851, 3, 16, 'Pantalon droit ardoise', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"ardoise"}', 0), + (32852, 3, 16, 'Pantalon droit vert', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"vert"}', 0), + (32853, 3, 16, 'Pantalon droit feu', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"feu"}', 0), + (32854, 3, 16, 'Pantalon droit blanc', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"blanc"}', 0), + (32855, 3, 16, 'Pantalon droit marron', 50, '{"components":{"4":{"Drawable":37,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon droit","colorLabel":"marron"}', 0), + (32856, 1, 23, 'Jogging oversize rouge', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"rouge"}', 0), + (32857, 1, 23, 'Jogging oversize ardoise', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"ardoise"}', 0), + (32858, 1, 23, 'Jogging oversize pétrole', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"pétrole"}', 0), + (32859, 1, 23, 'Jogging oversize gris', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"gris"}', 0), + (32860, 2, 23, 'Jogging oversize rouge', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"rouge"}', 0), + (32861, 2, 23, 'Jogging oversize ardoise', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"ardoise"}', 0), + (32862, 2, 23, 'Jogging oversize pétrole', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"pétrole"}', 0), + (32863, 2, 23, 'Jogging oversize gris', 50, '{"components":{"4":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"gris"}', 0), + (32864, 1, 23, 'Jogging taille haute rouge', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"rouge"}', 0), + (32865, 1, 23, 'Jogging taille haute ardoise', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"ardoise"}', 0), + (32866, 1, 23, 'Jogging taille haute pétrole', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"pétrole"}', 0), + (32867, 1, 23, 'Jogging taille haute gris', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"gris"}', 0), + (32868, 2, 23, 'Jogging taille haute rouge', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"rouge"}', 0), + (32869, 2, 23, 'Jogging taille haute ardoise', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"ardoise"}', 0), + (32870, 2, 23, 'Jogging taille haute pétrole', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"pétrole"}', 0), + (32871, 2, 23, 'Jogging taille haute gris', 50, '{"components":{"4":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"gris"}', 0), + (32872, 1, 16, 'Pantalon baggy ceinture nuage', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"nuage"}', 0), + (32873, 1, 16, 'Pantalon baggy ceinture sable', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"sable"}', 0), + (32874, 1, 16, 'Pantalon baggy ceinture forêt', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"forêt"}', 0), + (32875, 1, 16, 'Pantalon baggy ceinture bleu clair', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu clair"}', 0), + (32876, 2, 16, 'Pantalon baggy ceinture nuage', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"nuage"}', 0), + (32877, 2, 16, 'Pantalon baggy ceinture sable', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"sable"}', 0), + (32878, 2, 16, 'Pantalon baggy ceinture forêt', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"forêt"}', 0), + (32879, 2, 16, 'Pantalon baggy ceinture bleu clair', 50, '{"components":{"4":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"bleu clair"}', 0), + (32880, 1, 20, 'Parachutiste noir', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"noir"}', 0), + (32881, 2, 20, 'Parachutiste noir', 50, '{"components":{"4":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"noir"}', 0), + (32882, 3, 16, 'Pantalon slim à zip noir', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"noir"}', 0), + (32883, 3, 16, 'Pantalon slim à zip rouge', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"rouge"}', 0), + (32884, 3, 16, 'Pantalon slim à zip brun', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"brun"}', 0), + (32885, 3, 16, 'Pantalon slim à zip sable', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"sable"}', 0), + (32886, 3, 16, 'Pantalon slim à zip bordeaux', 50, '{"components":{"4":{"Drawable":43,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"bordeaux"}', 0), + (32887, 3, 16, 'Pantalon slim à trou noir', 50, '{"components":{"4":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à trou","colorLabel":"noir"}', 0), + (32888, 3, 16, 'Pantalon slim à trou rouge', 50, '{"components":{"4":{"Drawable":44,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à trou","colorLabel":"rouge"}', 0), + (32889, 3, 16, 'Pantalon slim à trou brun', 50, '{"components":{"4":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à trou","colorLabel":"brun"}', 0), + (32890, 3, 16, 'Pantalon slim à trou sable', 50, '{"components":{"4":{"Drawable":44,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à trou","colorLabel":"sable"}', 0), + (32891, 3, 16, 'Pantalon slim à trou bordeaux', 50, '{"components":{"4":{"Drawable":44,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à trou","colorLabel":"bordeaux"}', 0), + (32892, 1, 16, 'Pantalon explorateur vert', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"vert"}', 0), + (32893, 1, 16, 'Pantalon explorateur noir', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"noir"}', 0), + (32894, 1, 16, 'Pantalon explorateur crème', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"crème"}', 0), + (32895, 1, 16, 'Pantalon explorateur gris', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"gris"}', 0), + (32896, 2, 16, 'Pantalon explorateur vert', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"vert"}', 0), + (32897, 2, 16, 'Pantalon explorateur noir', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"noir"}', 0), + (32898, 2, 16, 'Pantalon explorateur crème', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"crème"}', 0), + (32899, 2, 16, 'Pantalon explorateur gris', 50, '{"components":{"4":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon explorateur","colorLabel":"gris"}', 0), + (32900, 1, 22, 'Pyjama noir', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (32901, 1, 22, 'Pyjama violet motifs', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"violet motifs"}', 0), + (32902, 1, 22, 'Pyjama ocre motifs', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"ocre motifs"}', 0), + (32903, 1, 22, 'Pyjama perle', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"perle"}', 0), + (32904, 1, 22, 'Pyjama rouge', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (32905, 1, 22, 'Pyjama rose pâle', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rose pâle"}', 0), + (32906, 1, 22, 'Pyjama étoiles', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"étoiles"}', 0), + (32907, 2, 22, 'Pyjama noir', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"noir"}', 0), + (32908, 2, 22, 'Pyjama violet motifs', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"violet motifs"}', 0), + (32909, 2, 22, 'Pyjama ocre motifs', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"ocre motifs"}', 0), + (32910, 2, 22, 'Pyjama perle', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"perle"}', 0), + (32911, 2, 22, 'Pyjama rouge', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rouge"}', 0), + (32912, 2, 22, 'Pyjama rose pâle', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rose pâle"}', 0), + (32913, 2, 22, 'Pyjama étoiles', 50, '{"components":{"4":{"Drawable":47,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"étoiles"}', 0), + (32914, 1, 16, 'Pantalon renforcé genoux sable', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"sable"}', 0), + (32915, 1, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (32916, 2, 16, 'Pantalon renforcé genoux sable', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"sable"}', 0), + (32917, 2, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (32918, 1, 16, 'Pantalon grandes poches sable', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"sable"}', 0), + (32919, 1, 16, 'Pantalon grandes poches vert', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"vert"}', 0), + (32920, 2, 16, 'Pantalon grandes poches sable', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"sable"}', 0), + (32921, 2, 16, 'Pantalon grandes poches vert', 50, '{"components":{"4":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"vert"}', 0), + (32922, 3, 16, 'Pantalon chic crème', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"crème"}', 0), + (32923, 3, 16, 'Pantalon chic ardoise', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"ardoise"}', 0), + (32924, 3, 16, 'Pantalon chic perle', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"perle"}', 0), + (32925, 3, 16, 'Pantalon chic rose pâle', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"rose pâle"}', 0), + (32926, 3, 16, 'Pantalon chic jaune pâle', 50, '{"components":{"4":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"jaune pâle"}', 0), + (32927, 3, 22, 'Legging uni crème', 50, '{"components":{"4":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"crème"}', 0), + (32928, 3, 22, 'Legging uni ardoise', 50, '{"components":{"4":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"ardoise"}', 0), + (32929, 3, 22, 'Legging uni perle', 50, '{"components":{"4":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"perle"}', 0), + (32930, 3, 22, 'Legging uni rose pâle', 50, '{"components":{"4":{"Drawable":51,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"rose pâle"}', 0), + (32931, 3, 22, 'Legging uni jaune pâle', 50, '{"components":{"4":{"Drawable":51,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"jaune pâle"}', 0), + (32932, 3, 16, 'Pantalon chic lie-de-vin', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"lie-de-vin"}', 0), + (32933, 3, 16, 'Pantalon chic indigo', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"indigo"}', 0), + (32934, 3, 16, 'Pantalon chic charbon', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"charbon"}', 0), + (32935, 3, 16, 'Pantalon chic forêt', 50, '{"components":{"4":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"forêt"}', 0), + (32936, 3, 16, 'Pantalon chic motifs dorés', 50, '{"components":{"4":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic","colorLabel":"motifs dorés"}', 0), + (32937, 3, 22, 'Legging uni lie-de-vin', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"lie-de-vin"}', 0), + (32938, 3, 22, 'Legging uni indigo', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"indigo"}', 0), + (32939, 3, 22, 'Legging uni charbon', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"charbon"}', 0), + (32940, 3, 22, 'Legging uni forêt', 50, '{"components":{"4":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"forêt"}', 0), + (32941, 1, 22, 'Legging à motifs dorés', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"dorés"}', 0), + (32942, 2, 22, 'Legging à motifs dorés', 50, '{"components":{"4":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"dorés"}', 0), + (32943, 1, 21, 'Bikini bas rose', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rose"}', 0), + (32944, 1, 21, 'Bikini bas écritures', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"écritures"}', 0), + (32945, 1, 21, 'Bikini bas jaune', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"jaune"}', 0), + (32946, 1, 21, 'Bikini bas marron', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"marron"}', 0), + (32947, 1, 21, 'Bikini bas fleurs orange', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"fleurs orange"}', 0), + (32948, 1, 21, 'Bikini bas motifs bleu', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"motifs bleu"}', 0), + (32949, 2, 21, 'Bikini bas rose', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"rose"}', 0), + (32950, 2, 21, 'Bikini bas écritures', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"écritures"}', 0), + (32951, 2, 21, 'Bikini bas jaune', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"jaune"}', 0), + (32952, 2, 21, 'Bikini bas marron', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"marron"}', 0), + (32953, 2, 21, 'Bikini bas fleurs orange', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"fleurs orange"}', 0), + (32954, 2, 21, 'Bikini bas motifs bleu', 50, '{"components":{"4":{"Drawable":56,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bikini bas","colorLabel":"motifs bleu"}', 0), + (32955, 3, 22, 'Peignoir blanc', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"blanc"}', 0), + (32956, 3, 22, 'Peignoir gris', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"gris"}', 0), + (32957, 3, 22, 'Peignoir noir', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"noir"}', 0), + (32958, 3, 22, 'Peignoir rouge', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"rouge"}', 0), + (32959, 3, 22, 'Peignoir violet', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"violet"}', 0), + (32960, 3, 22, 'Peignoir indigo', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"indigo"}', 0), + (32961, 3, 22, 'Peignoir anthracite', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"anthracite"}', 0), + (32962, 3, 22, 'Peignoir beige', 50, '{"components":{"4":{"Drawable":57,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"beige"}', 0), + (32963, 1, 23, 'Survêtement noir', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"noir"}', 0), + (32964, 1, 23, 'Survêtement anthracite', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"anthracite"}', 0), + (32965, 1, 23, 'Survêtement marine', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"marine"}', 0), + (32966, 1, 23, 'Survêtement pétrole', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"pétrole"}', 0), + (32967, 2, 23, 'Survêtement noir', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"noir"}', 0), + (32968, 2, 23, 'Survêtement anthracite', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"anthracite"}', 0), + (32969, 2, 23, 'Survêtement marine', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"marine"}', 0), + (32970, 2, 23, 'Survêtement pétrole', 50, '{"components":{"4":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"pétrole"}', 0), + (32971, 1, 20, 'Costume Père Noël normal', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume Père Noël","colorLabel":"normal"}', 0), + (32972, 1, 20, 'Costume Père Noël sale', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Costume Père Noël","colorLabel":"sale"}', 0), + (32973, 1, 20, 'Costume Père Noël très sale', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Costume Père Noël","colorLabel":"très sale"}', 0), + (32974, 2, 20, 'Costume Père Noël normal', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume Père Noël","colorLabel":"normal"}', 0), + (32975, 2, 20, 'Costume Père Noël sale', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Costume Père Noël","colorLabel":"sale"}', 0), + (32976, 2, 20, 'Costume Père Noël très sale', 50, '{"components":{"4":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Costume Père Noël","colorLabel":"très sale"}', 0), + (32977, 1, 22, 'Pyjama car. rouge', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"car. rouge"}', 0), + (32978, 1, 22, 'Pyjama car. pétrole', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"car. pétrole"}', 0), + (32979, 1, 22, 'Pyjama écossais', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"écossais"}', 0), + (32980, 1, 22, 'Pyjama rayures lutin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures lutin"}', 0), + (32981, 1, 22, 'Pyjama vert chaussettes', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vert chaussettes"}', 0), + (32982, 1, 22, 'Pyjama vert père noël', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vert père noël"}', 0), + (32983, 1, 22, 'Pyjama rouge père noël', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rouge père noël"}', 0), + (32984, 1, 22, 'Pyjama houx', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"houx"}', 0), + (32985, 1, 22, 'Pyjama bleu pingouin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"bleu pingouin"}', 0), + (32986, 1, 22, 'Pyjama jaune', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"jaune"}', 0), + (32987, 1, 22, 'Pyjama blanc étoiles', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"blanc étoiles"}', 0), + (32988, 1, 22, 'Pyjama bleu bonhomme de neige', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"bleu bonhomme de neige"}', 0), + (32989, 1, 22, 'Pyjama orange sapin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"orange sapin"}', 0), + (32990, 1, 22, 'Pyjama rouge sapin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rouge sapin"}', 0), + (32991, 1, 22, 'Pyjama beige sapin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"beige sapin"}', 0), + (32992, 1, 22, 'Pyjama vert rayures', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vert rayures"}', 0), + (32993, 2, 22, 'Pyjama car. rouge', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"car. rouge"}', 0), + (32994, 2, 22, 'Pyjama car. pétrole', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"car. pétrole"}', 0), + (32995, 2, 22, 'Pyjama écossais', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"écossais"}', 0), + (32996, 2, 22, 'Pyjama rayures lutin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures lutin"}', 0), + (32997, 2, 22, 'Pyjama vert chaussettes', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vert chaussettes"}', 0), + (32998, 2, 22, 'Pyjama vert père noël', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vert père noël"}', 0), + (32999, 2, 22, 'Pyjama rouge père noël', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rouge père noël"}', 0), + (33000, 2, 22, 'Pyjama houx', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"houx"}', 0), + (33001, 2, 22, 'Pyjama bleu pingouin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"bleu pingouin"}', 0), + (33002, 2, 22, 'Pyjama jaune', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"jaune"}', 0), + (33003, 2, 22, 'Pyjama blanc étoiles', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"blanc étoiles"}', 0), + (33004, 2, 22, 'Pyjama bleu bonhomme de neige', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"bleu bonhomme de neige"}', 0), + (33005, 2, 22, 'Pyjama orange sapin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"orange sapin"}', 0), + (33006, 2, 22, 'Pyjama rouge sapin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rouge sapin"}', 0), + (33007, 2, 22, 'Pyjama beige sapin', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"beige sapin"}', 0), + (33008, 2, 22, 'Pyjama vert rayures', 50, '{"components":{"4":{"Drawable":60,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vert rayures"}', 0), + (33009, 1, 16, 'Pantalon cargo vert', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"vert"}', 0), + (33010, 1, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (33011, 1, 16, 'Pantalon cargo violet', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"violet"}', 0), + (33012, 1, 16, 'Pantalon cargo rose', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"rose"}', 0), + (33013, 1, 16, 'Pantalon cargo lie de vin', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"lie de vin"}', 0), + (33014, 1, 16, 'Pantalon cargo bleu', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"bleu"}', 0), + (33015, 1, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (33016, 1, 16, 'Pantalon cargo beige', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"beige"}', 0), + (33017, 1, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (33018, 1, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (33019, 2, 16, 'Pantalon cargo vert', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"vert"}', 0), + (33020, 2, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (33021, 2, 16, 'Pantalon cargo violet', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"violet"}', 0), + (33022, 2, 16, 'Pantalon cargo rose', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"rose"}', 0), + (33023, 2, 16, 'Pantalon cargo lie de vin', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"lie de vin"}', 0), + (33024, 2, 16, 'Pantalon cargo bleu', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"bleu"}', 0), + (33025, 2, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (33026, 2, 16, 'Pantalon cargo beige', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"beige"}', 0), + (33027, 2, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (33028, 2, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":61,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (33029, 3, 21, 'Shorty ange', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"ange"}', 0), + (33030, 3, 21, 'Shorty lavande', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"lavande"}', 0), + (33031, 3, 21, 'Shorty sucube', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"sucube"}', 0), + (33032, 3, 21, 'Shorty alice', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"alice"}', 0), + (33033, 3, 21, 'Shorty lilith', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"lilith"}', 0), + (33034, 3, 21, 'Shorty bunny', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"bunny"}', 0), + (33035, 3, 21, 'Shorty playboy', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"playboy"}', 0), + (33036, 3, 21, 'Shorty aphrodite', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"aphrodite"}', 0), + (33037, 3, 21, 'Shorty sugar', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"sugar"}', 0), + (33038, 3, 21, 'Shorty cérès', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"cérès"}', 0), + (33039, 3, 21, 'Shorty panthera', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"panthera"}', 0), + (33040, 3, 21, 'Shorty candy', 50, '{"components":{"4":{"Drawable":62,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Shorty","colorLabel":"candy"}', 0), + (33041, 3, 21, 'Porte-jarretelle ange', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"ange"}', 0), + (33042, 3, 21, 'Porte-jarretelle lavande', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"lavande"}', 0), + (33043, 3, 21, 'Porte-jarretelle écossais', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"écossais"}', 0), + (33044, 3, 21, 'Porte-jarretelle alice', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"alice"}', 0), + (33045, 3, 21, 'Porte-jarretelle lilith', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"lilith"}', 0), + (33046, 3, 21, 'Porte-jarretelle bunny', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"bunny"}', 0), + (33047, 3, 21, 'Porte-jarretelle playboy', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"playboy"}', 0), + (33048, 3, 21, 'Porte-jarretelle aphrodite', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"aphrodite"}', 0), + (33049, 3, 21, 'Porte-jarretelle sugar', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"sugar"}', 0), + (33050, 3, 21, 'Porte-jarretelle cérès', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"cérès"}', 0), + (33051, 3, 21, 'Porte-jarretelle panthera', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"panthera"}', 0), + (33052, 3, 21, 'Porte-jarretelle candy', 50, '{"components":{"4":{"Drawable":63,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Porte-jarretelle","colorLabel":"candy"}', 0), + (33053, 3, 16, 'Pantalon à passants sable', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon à passants","colorLabel":"sable"}', 0), + (33054, 3, 16, 'Pantalon à passants anthracite', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon à passants","colorLabel":"anthracite"}', 0), + (33055, 3, 16, 'Pantalon à passants vert', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon à passants","colorLabel":"vert"}', 0), + (33056, 3, 16, 'Pantalon à passants gris', 50, '{"components":{"4":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon à passants","colorLabel":"gris"}', 0), + (33057, 3, 16, 'Pantalon taille haute noir', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon taille haute","colorLabel":"noir"}', 0), + (33058, 3, 16, 'Pantalon taille haute blanc', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon taille haute","colorLabel":"blanc"}', 0), + (33059, 3, 16, 'Pantalon taille haute anthracite', 50, '{"components":{"4":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon taille haute","colorLabel":"anthracite"}', 0), + (33060, 1, 23, 'Survêtement bleu', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"bleu"}', 0), + (33061, 1, 23, 'Survêtement corail', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"corail"}', 0), + (33062, 1, 23, 'Survêtement beige', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"beige"}', 0), + (33063, 1, 23, 'Survêtement indigo', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"indigo"}', 0), + (33064, 1, 23, 'Survêtement rouge', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"rouge"}', 0), + (33065, 1, 23, 'Survêtement bleu clair', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"bleu clair"}', 0), + (33066, 1, 23, 'Survêtement orange', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"orange"}', 0), + (33067, 1, 23, 'Survêtement violet', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"violet"}', 0), + (33068, 1, 23, 'Survêtement taupe', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"taupe"}', 0), + (33069, 1, 23, 'Survêtement vert', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"vert"}', 0), + (33070, 1, 23, 'Survêtement blanc', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"blanc"}', 0), + (33071, 2, 23, 'Survêtement bleu', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"bleu"}', 0), + (33072, 2, 23, 'Survêtement corail', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"corail"}', 0), + (33073, 2, 23, 'Survêtement beige', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"beige"}', 0), + (33074, 2, 23, 'Survêtement indigo', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"indigo"}', 0), + (33075, 2, 23, 'Survêtement rouge', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"rouge"}', 0), + (33076, 2, 23, 'Survêtement bleu clair', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"bleu clair"}', 0), + (33077, 2, 23, 'Survêtement orange', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"orange"}', 0), + (33078, 2, 23, 'Survêtement violet', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"violet"}', 0), + (33079, 2, 23, 'Survêtement taupe', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"taupe"}', 0), + (33080, 2, 23, 'Survêtement vert', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"vert"}', 0), + (33081, 2, 23, 'Survêtement blanc', 50, '{"components":{"4":{"Drawable":66,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Survêtement","colorLabel":"blanc"}', 0), + (33082, 1, 22, 'Pyjama rayures ciel', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures ciel"}', 0), + (33083, 1, 22, 'Pyjama vanille', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vanille"}', 0), + (33084, 1, 22, 'Pyjama pêche', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"pêche"}', 0), + (33085, 1, 22, 'Pyjama menthe', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"menthe"}', 0), + (33086, 1, 22, 'Pyjama carreaux violet', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"carreaux violet"}', 0), + (33087, 1, 22, 'Pyjama carreaux indigo', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"carreaux indigo"}', 0), + (33088, 1, 22, 'Pyjama motifs rouge', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"motifs rouge"}', 0), + (33089, 1, 22, 'Pyjama mailles', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"mailles"}', 0), + (33090, 1, 22, 'Pyjama boteh bleu', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"boteh bleu"}', 0), + (33091, 1, 22, 'Pyjama boteh jaune', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"boteh jaune"}', 0), + (33092, 1, 22, 'Pyjama boteh corail', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"boteh corail"}', 0), + (33093, 1, 22, 'Pyjama rayures indigo', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures indigo"}', 0), + (33094, 1, 22, 'Pyjama rayures bleu-rouge', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures bleu-rouge"}', 0), + (33095, 1, 22, 'Pyjama rayures jaune', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures jaune"}', 0), + (33096, 2, 22, 'Pyjama rayures ciel', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures ciel"}', 0), + (33097, 2, 22, 'Pyjama vanille', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"vanille"}', 0), + (33098, 2, 22, 'Pyjama pêche', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"pêche"}', 0), + (33099, 2, 22, 'Pyjama menthe', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"menthe"}', 0), + (33100, 2, 22, 'Pyjama carreaux violet', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"carreaux violet"}', 0), + (33101, 2, 22, 'Pyjama carreaux indigo', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"carreaux indigo"}', 0), + (33102, 2, 22, 'Pyjama motifs rouge', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"motifs rouge"}', 0), + (33103, 2, 22, 'Pyjama mailles', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"mailles"}', 0), + (33104, 2, 22, 'Pyjama boteh bleu', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"boteh bleu"}', 0), + (33105, 2, 22, 'Pyjama boteh jaune', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"boteh jaune"}', 0), + (33106, 2, 22, 'Pyjama boteh corail', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"boteh corail"}', 0), + (33107, 2, 22, 'Pyjama rayures indigo', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures indigo"}', 0), + (33108, 2, 22, 'Pyjama rayures bleu-rouge', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures bleu-rouge"}', 0), + (33109, 2, 22, 'Pyjama rayures jaune', 50, '{"components":{"4":{"Drawable":67,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pyjama","colorLabel":"rayures jaune"}', 0), + (33110, 1, 16, 'Combinaison moto bleu foncé', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"bleu foncé"}', 0), + (33111, 1, 16, 'Combinaison moto acier', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"acier"}', 0), + (33112, 1, 16, 'Combinaison moto rouge', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rouge"}', 0), + (33113, 1, 16, 'Combinaison moto noir', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"noir"}', 0), + (33114, 1, 16, 'Combinaison moto prairie', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"prairie"}', 0), + (33115, 1, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (33116, 1, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (33117, 1, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (33118, 1, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (33119, 1, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (33120, 2, 16, 'Combinaison moto bleu foncé', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"bleu foncé"}', 0), + (33121, 2, 16, 'Combinaison moto acier', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"acier"}', 0), + (33122, 2, 16, 'Combinaison moto rouge', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rouge"}', 0), + (33123, 2, 16, 'Combinaison moto noir', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"noir"}', 0), + (33124, 2, 16, 'Combinaison moto prairie', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"prairie"}', 0), + (33125, 2, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (33126, 2, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (33127, 2, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (33128, 2, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (33129, 2, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":68,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (33130, 1, 20, 'Combinaison futuriste vert', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"vert"}', 0), + (33131, 1, 20, 'Combinaison futuriste rouge', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"rouge"}', 0), + (33132, 1, 20, 'Combinaison futuriste blanc-vert', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"blanc-vert"}', 0), + (33133, 1, 20, 'Combinaison futuriste noir', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"noir"}', 0), + (33134, 1, 20, 'Combinaison futuriste usa', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"usa"}', 0), + (33135, 1, 20, 'Combinaison futuriste kill bill', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"kill bill"}', 0), + (33136, 1, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (33137, 1, 20, 'Combinaison futuriste bleu', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"bleu"}', 0), + (33138, 1, 20, 'Combinaison futuriste kaki', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"kaki"}', 0), + (33139, 1, 20, 'Combinaison futuriste abricot', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"abricot"}', 0), + (33140, 1, 20, 'Combinaison futuriste violet', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"violet"}', 0), + (33141, 1, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (33142, 2, 20, 'Combinaison futuriste vert', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"vert"}', 0), + (33143, 2, 20, 'Combinaison futuriste rouge', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"rouge"}', 0), + (33144, 2, 20, 'Combinaison futuriste blanc-vert', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"blanc-vert"}', 0), + (33145, 2, 20, 'Combinaison futuriste noir', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"noir"}', 0), + (33146, 2, 20, 'Combinaison futuriste usa', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"usa"}', 0), + (33147, 2, 20, 'Combinaison futuriste kill bill', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"kill bill"}', 0), + (33148, 2, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (33149, 2, 20, 'Combinaison futuriste bleu', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"bleu"}', 0), + (33150, 2, 20, 'Combinaison futuriste kaki', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"kaki"}', 0), + (33151, 2, 20, 'Combinaison futuriste abricot', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"abricot"}', 0), + (33152, 2, 20, 'Combinaison futuriste violet', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"violet"}', 0), + (33153, 2, 20, 'Combinaison futuriste rose', 50, '{"components":{"4":{"Drawable":69,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison futuriste","colorLabel":"rose"}', 0), + (33154, 1, 20, 'Pantalon patriote blanc', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"blanc"}', 0), + (33155, 1, 20, 'Pantalon patriote bleu', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"bleu"}', 0), + (33156, 1, 20, 'Pantalon patriote rouge', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"rouge"}', 0), + (33157, 1, 20, 'Pantalon patriote noir', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"noir"}', 0), + (33158, 1, 20, 'Pantalon patriote rose', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"rose"}', 0), + (33159, 1, 20, 'Pantalon patriote gris-bleu', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"gris-bleu"}', 0), + (33160, 2, 20, 'Pantalon patriote blanc', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"blanc"}', 0), + (33161, 2, 20, 'Pantalon patriote bleu', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"bleu"}', 0), + (33162, 2, 20, 'Pantalon patriote rouge', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"rouge"}', 0), + (33163, 2, 20, 'Pantalon patriote noir', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"noir"}', 0), + (33164, 2, 20, 'Pantalon patriote rose', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"rose"}', 0), + (33165, 2, 20, 'Pantalon patriote gris-bleu', 50, '{"components":{"4":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"gris-bleu"}', 0), + (33166, 1, 23, 'Jogging à motifs skull', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"skull"}', 0), + (33167, 1, 23, 'Jogging à motifs camo marais', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo marais"}', 0), + (33168, 1, 23, 'Jogging à motifs camo noir', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo noir"}', 0), + (33169, 1, 23, 'Jogging à motifs étoiles bleu', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles bleu"}', 0), + (33170, 1, 23, 'Jogging à motifs étoiles vert', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles vert"}', 0), + (33171, 1, 23, 'Jogging à motifs étoiles abricot', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles abricot"}', 0), + (33172, 1, 23, 'Jogging à motifs étoiles violet', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles violet"}', 0), + (33173, 1, 23, 'Jogging à motifs étoiles rose', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles rose"}', 0), + (33174, 1, 23, 'Jogging à motifs kungfu Lazer Force', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"kungfu Lazer Force"}', 0), + (33175, 1, 23, 'Jogging à motifs super-héros', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"super-héros"}', 0), + (33176, 1, 23, 'Jogging à motifs hamburgers', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"hamburgers"}', 0), + (33177, 1, 23, 'Jogging à motifs nourriture', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"nourriture"}', 0), + (33178, 1, 23, 'Jogging à motifs faim', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"faim"}', 0), + (33179, 1, 23, 'Jogging à motifs waifu', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"waifu"}', 0), + (33180, 1, 23, 'Jogging à motifs camo lime', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo lime"}', 0), + (33181, 1, 23, 'Jogging à motifs ranger de l\'espace', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"ranger de l\'espace"}', 0), + (33182, 1, 23, 'Jogging à motifs sprunk bouteille', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"sprunk bouteille"}', 0), + (33183, 1, 23, 'Jogging à motifs sprunk uni', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"sprunk uni"}', 0), + (33184, 2, 23, 'Jogging à motifs skull', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"skull"}', 0), + (33185, 2, 23, 'Jogging à motifs camo marais', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo marais"}', 0), + (33186, 2, 23, 'Jogging à motifs camo noir', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo noir"}', 0), + (33187, 2, 23, 'Jogging à motifs étoiles bleu', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles bleu"}', 0), + (33188, 2, 23, 'Jogging à motifs étoiles vert', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles vert"}', 0), + (33189, 2, 23, 'Jogging à motifs étoiles abricot', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles abricot"}', 0), + (33190, 2, 23, 'Jogging à motifs étoiles violet', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles violet"}', 0), + (33191, 2, 23, 'Jogging à motifs étoiles rose', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"étoiles rose"}', 0), + (33192, 2, 23, 'Jogging à motifs kungfu Lazer Force', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"kungfu Lazer Force"}', 0), + (33193, 2, 23, 'Jogging à motifs super-héros', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"super-héros"}', 0), + (33194, 2, 23, 'Jogging à motifs hamburgers', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"hamburgers"}', 0), + (33195, 2, 23, 'Jogging à motifs nourriture', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"nourriture"}', 0), + (33196, 2, 23, 'Jogging à motifs faim', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"faim"}', 0), + (33197, 2, 23, 'Jogging à motifs waifu', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"waifu"}', 0), + (33198, 2, 23, 'Jogging à motifs camo lime', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo lime"}', 0), + (33199, 2, 23, 'Jogging à motifs ranger de l\'espace', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"ranger de l\'espace"}', 0), + (33200, 2, 23, 'Jogging à motifs sprunk bouteille', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"sprunk bouteille"}', 0), + (33201, 2, 23, 'Jogging à motifs sprunk uni', 50, '{"components":{"4":{"Drawable":71,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"sprunk uni"}', 0), + (33202, 1, 20, 'Pantalon patriote jaune', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"jaune"}', 0), + (33203, 1, 20, 'Pantalon patriote gris', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"gris"}', 0), + (33204, 1, 20, 'Pantalon patriote jaune-rouge', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"jaune-rouge"}', 0), + (33205, 1, 20, 'Pantalon patriote gris-rouge', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"gris-rouge"}', 0), + (33206, 2, 20, 'Pantalon patriote jaune', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"jaune"}', 0), + (33207, 2, 20, 'Pantalon patriote gris', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"gris"}', 0), + (33208, 2, 20, 'Pantalon patriote jaune-rouge', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"jaune-rouge"}', 0), + (33209, 2, 20, 'Pantalon patriote gris-rouge', 50, '{"components":{"4":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon patriote","colorLabel":"gris-rouge"}', 0), + (33210, 1, 19, 'Jean slim à plis taupe délavé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"taupe délavé"}', 0), + (33211, 1, 19, 'Jean slim à plis anthracite', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"anthracite"}', 0), + (33212, 1, 19, 'Jean slim à plis indigo', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"indigo"}', 0), + (33213, 1, 19, 'Jean slim à plis gris', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"gris"}', 0), + (33214, 1, 19, 'Jean slim à plis bleu délavé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"bleu délavé"}', 0), + (33215, 1, 19, 'Jean slim à plis ciel', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"ciel"}', 0), + (33216, 2, 19, 'Jean slim à plis taupe délavé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"taupe délavé"}', 0), + (33217, 2, 19, 'Jean slim à plis anthracite', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"anthracite"}', 0), + (33218, 2, 19, 'Jean slim à plis indigo', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"indigo"}', 0), + (33219, 2, 19, 'Jean slim à plis gris', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"gris"}', 0), + (33220, 2, 19, 'Jean slim à plis bleu délavé', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"bleu délavé"}', 0), + (33221, 2, 19, 'Jean slim à plis ciel', 50, '{"components":{"4":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean slim à plis","colorLabel":"ciel"}', 0), + (33222, 1, 19, 'Jean slim usé taupe délavé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"taupe délavé"}', 0), + (33223, 1, 19, 'Jean slim usé anthracite', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"anthracite"}', 0), + (33224, 1, 19, 'Jean slim usé indigo', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"indigo"}', 0), + (33225, 1, 19, 'Jean slim usé gris', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"gris"}', 0), + (33226, 1, 19, 'Jean slim usé bleu délavé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"bleu délavé"}', 0), + (33227, 1, 19, 'Jean slim usé ciel', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"ciel"}', 0), + (33228, 2, 19, 'Jean slim usé taupe délavé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"taupe délavé"}', 0), + (33229, 2, 19, 'Jean slim usé anthracite', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"anthracite"}', 0), + (33230, 2, 19, 'Jean slim usé indigo', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"indigo"}', 0), + (33231, 2, 19, 'Jean slim usé gris', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"gris"}', 0), + (33232, 2, 19, 'Jean slim usé bleu délavé', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"bleu délavé"}', 0), + (33233, 2, 19, 'Jean slim usé ciel', 50, '{"components":{"4":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean slim usé","colorLabel":"ciel"}', 0), + (33234, 3, 16, 'Pantalon en cuir slim lisse noir', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"lisse noir"}', 0), + (33235, 3, 16, 'Pantalon en cuir slim lisse beige', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"lisse beige"}', 0), + (33236, 3, 16, 'Pantalon en cuir slim lisse rouille', 50, '{"components":{"4":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"lisse rouille"}', 0), + (33237, 3, 16, 'Pantalon en cuir slim matelassé noir', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"matelassé noir"}', 0), + (33238, 3, 16, 'Pantalon en cuir slim matelassé beige', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"matelassé beige"}', 0), + (33239, 3, 16, 'Pantalon en cuir slim matelassé rouille', 50, '{"components":{"4":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"matelassé rouille"}', 0), + (33240, 3, 16, 'Pantalon en cuir slim plis noir', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"plis noir"}', 0), + (33241, 3, 16, 'Pantalon en cuir slim plis beige', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"plis beige"}', 0), + (33242, 3, 16, 'Pantalon en cuir slim plis rouille', 50, '{"components":{"4":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir slim","colorLabel":"plis rouille"}', 0), + (33243, 1, 17, 'Short en jean avec legging bleu foncé', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"bleu foncé"}', 0), + (33244, 1, 17, 'Short en jean avec legging anthracite délavé', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"anthracite délavé"}', 0), + (33245, 1, 17, 'Short en jean avec legging noir délavé', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"noir délavé"}', 0), + (33246, 1, 17, 'Short en jean avec legging gris', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"gris"}', 0), + (33247, 2, 17, 'Short en jean avec legging bleu foncé', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"bleu foncé"}', 0), + (33248, 2, 17, 'Short en jean avec legging anthracite délavé', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"anthracite délavé"}', 0), + (33249, 2, 17, 'Short en jean avec legging noir délavé', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"noir délavé"}', 0), + (33250, 2, 17, 'Short en jean avec legging gris', 50, '{"components":{"4":{"Drawable":78,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short en jean avec legging","colorLabel":"gris"}', 0), + (33251, 1, 20, 'Combinaison néon jaune', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"jaune"}', 0), + (33252, 1, 20, 'Combinaison néon vert', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"vert"}', 0), + (33253, 1, 20, 'Combinaison néon orange', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"orange"}', 0), + (33254, 1, 20, 'Combinaison néon bleu', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"bleu"}', 0), + (33255, 1, 20, 'Combinaison néon rose', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"rose"}', 0), + (33256, 1, 20, 'Combinaison néon rouge', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"rouge"}', 0), + (33257, 1, 20, 'Combinaison néon lila', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"lila"}', 0), + (33258, 1, 20, 'Combinaison néon gris', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"gris"}', 0), + (33259, 1, 20, 'Combinaison néon crème', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"crème"}', 0), + (33260, 1, 20, 'Combinaison néon blanc', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"blanc"}', 0), + (33261, 1, 20, 'Combinaison néon noir', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"noir"}', 0), + (33262, 2, 20, 'Combinaison néon jaune', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"jaune"}', 0), + (33263, 2, 20, 'Combinaison néon vert', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"vert"}', 0), + (33264, 2, 20, 'Combinaison néon orange', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"orange"}', 0), + (33265, 2, 20, 'Combinaison néon bleu', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"bleu"}', 0), + (33266, 2, 20, 'Combinaison néon rose', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"rose"}', 0), + (33267, 2, 20, 'Combinaison néon rouge', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"rouge"}', 0), + (33268, 2, 20, 'Combinaison néon lila', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"lila"}', 0), + (33269, 2, 20, 'Combinaison néon gris', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"gris"}', 0), + (33270, 2, 20, 'Combinaison néon crème', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"crème"}', 0), + (33271, 2, 20, 'Combinaison néon blanc', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"blanc"}', 0), + (33272, 2, 20, 'Combinaison néon noir', 50, '{"components":{"4":{"Drawable":79,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison néon","colorLabel":"noir"}', 0), + (33273, 3, 22, 'Corsaire long brun', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"brun"}', 0), + (33274, 3, 22, 'Corsaire long camo vert', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"camo vert"}', 0), + (33275, 3, 22, 'Corsaire long noir', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"noir"}', 0), + (33276, 3, 22, 'Corsaire long pixel bleu', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"pixel bleu"}', 0), + (33277, 3, 22, 'Corsaire long perle', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"perle"}', 0), + (33278, 3, 22, 'Corsaire long gris', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"gris"}', 0), + (33279, 3, 22, 'Corsaire long motifs anthracite', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"motifs anthracite"}', 0), + (33280, 3, 22, 'Corsaire long motifs vanille', 50, '{"components":{"4":{"Drawable":80,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"motifs vanille"}', 0), + (33281, 3, 22, 'Corsaire long noir cuir', 50, '{"components":{"4":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"noir cuir"}', 0), + (33282, 3, 22, 'Corsaire long rouge', 50, '{"components":{"4":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"rouge"}', 0), + (33283, 3, 22, 'Corsaire long blanc', 50, '{"components":{"4":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Corsaire long","colorLabel":"blanc"}', 0), + (33284, 3, 22, 'Corsaire court brun', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"brun"}', 0), + (33285, 3, 22, 'Corsaire court camo vert', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"camo vert"}', 0), + (33286, 3, 22, 'Corsaire court noir', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"noir"}', 0), + (33287, 3, 22, 'Corsaire court pixel bleu', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"pixel bleu"}', 0), + (33288, 3, 22, 'Corsaire court perle', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"perle"}', 0), + (33289, 3, 22, 'Corsaire court gris', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"gris"}', 0), + (33290, 3, 22, 'Corsaire court motifs anthracite', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"motifs anthracite"}', 0), + (33291, 3, 22, 'Corsaire court motifs vanille', 50, '{"components":{"4":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"motifs vanille"}', 0), + (33292, 3, 22, 'Corsaire court noir cuir', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"noir cuir"}', 0), + (33293, 3, 22, 'Corsaire court rouge', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"rouge"}', 0), + (33294, 3, 22, 'Corsaire court blanc', 50, '{"components":{"4":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Corsaire court","colorLabel":"blanc"}', 0), + (33295, 1, 19, 'Jean skinny bleu', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"bleu"}', 0), + (33296, 1, 19, 'Jean skinny foncé', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"foncé"}', 0), + (33297, 1, 19, 'Jean skinny ciel', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"ciel"}', 0), + (33298, 1, 19, 'Jean skinny perle', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"perle"}', 0), + (33299, 1, 19, 'Jean skinny anthracite', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"anthracite"}', 0), + (33300, 1, 19, 'Jean skinny délavé bleu', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé bleu"}', 0), + (33301, 1, 19, 'Jean skinny délavé foncé', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé foncé"}', 0), + (33302, 1, 19, 'Jean skinny délavé ciel', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé ciel"}', 0), + (33303, 1, 19, 'Jean skinny délavé perle', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé perle"}', 0), + (33304, 1, 19, 'Jean skinny délavé anthracite', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé anthracite"}', 0), + (33305, 2, 19, 'Jean skinny bleu', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"bleu"}', 0), + (33306, 2, 19, 'Jean skinny foncé', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"foncé"}', 0), + (33307, 2, 19, 'Jean skinny ciel', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"ciel"}', 0), + (33308, 2, 19, 'Jean skinny perle', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"perle"}', 0), + (33309, 2, 19, 'Jean skinny anthracite', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"anthracite"}', 0), + (33310, 2, 19, 'Jean skinny délavé bleu', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé bleu"}', 0), + (33311, 2, 19, 'Jean skinny délavé foncé', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé foncé"}', 0), + (33312, 2, 19, 'Jean skinny délavé ciel', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé ciel"}', 0), + (33313, 2, 19, 'Jean skinny délavé perle', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé perle"}', 0), + (33314, 2, 19, 'Jean skinny délavé anthracite', 50, '{"components":{"4":{"Drawable":84,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"délavé anthracite"}', 0), + (33315, 1, 19, 'Jean skinny noir', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"noir"}', 0), + (33316, 1, 19, 'Jean skinny rouge', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"rouge"}', 0), + (33317, 1, 19, 'Jean skinny blanc', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"blanc"}', 0), + (33318, 1, 19, 'Jean skinny brun', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"brun"}', 0), + (33319, 2, 19, 'Jean skinny noir', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"noir"}', 0), + (33320, 2, 19, 'Jean skinny rouge', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"rouge"}', 0), + (33321, 2, 19, 'Jean skinny blanc', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"blanc"}', 0), + (33322, 2, 19, 'Jean skinny brun', 50, '{"components":{"4":{"Drawable":85,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jean skinny","colorLabel":"brun"}', 0), + (33323, 1, 22, 'Legging à motifs camo rose-gris', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo rose-gris"}', 0), + (33324, 1, 22, 'Legging à motifs camo pêche', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo pêche"}', 0), + (33325, 1, 22, 'Legging à motifs camo abricot', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo abricot"}', 0), + (33326, 1, 22, 'Legging à motifs camo rouge', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo rouge"}', 0), + (33327, 1, 22, 'Legging à motifs camor orange', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camor orange"}', 0), + (33328, 1, 22, 'Legging à motifs camo acier', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo acier"}', 0), + (33329, 1, 22, 'Legging à motifs camo forêt', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo forêt"}', 0), + (33330, 1, 22, 'Legging à motifs camo turquoise', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo turquoise"}', 0), + (33331, 1, 22, 'Legging à motifs camo anthracite', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo anthracite"}', 0), + (33332, 1, 22, 'Legging à motifs camo rose', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo rose"}', 0), + (33333, 1, 22, 'Legging à motifs camo menthe', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo menthe"}', 0), + (33334, 1, 22, 'Legging à motifs camo gris', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo gris"}', 0), + (33335, 1, 22, 'Legging à motifs camo lie-de-vin', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo lie-de-vin"}', 0), + (33336, 1, 22, 'Legging à motifs places des cubes', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"places des cubes"}', 0), + (33337, 1, 22, 'Legging à motifs banane rose', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"banane rose"}', 0), + (33338, 1, 22, 'Legging à motifs poulet vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"poulet vert"}', 0), + (33339, 2, 22, 'Legging à motifs camo rose-gris', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo rose-gris"}', 0), + (33340, 2, 22, 'Legging à motifs camo pêche', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo pêche"}', 0), + (33341, 2, 22, 'Legging à motifs camo abricot', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo abricot"}', 0), + (33342, 2, 22, 'Legging à motifs camo rouge', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo rouge"}', 0), + (33343, 2, 22, 'Legging à motifs camor orange', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camor orange"}', 0), + (33344, 2, 22, 'Legging à motifs camo acier', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo acier"}', 0), + (33345, 2, 22, 'Legging à motifs camo forêt', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo forêt"}', 0), + (33346, 2, 22, 'Legging à motifs camo turquoise', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo turquoise"}', 0), + (33347, 2, 22, 'Legging à motifs camo anthracite', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo anthracite"}', 0), + (33348, 2, 22, 'Legging à motifs camo rose', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo rose"}', 0), + (33349, 2, 22, 'Legging à motifs camo menthe', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo menthe"}', 0), + (33350, 2, 22, 'Legging à motifs camo gris', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo gris"}', 0), + (33351, 2, 22, 'Legging à motifs camo lie-de-vin', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"camo lie-de-vin"}', 0), + (33352, 2, 22, 'Legging à motifs places des cubes', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"places des cubes"}', 0), + (33353, 2, 22, 'Legging à motifs banane rose', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"banane rose"}', 0), + (33354, 2, 22, 'Legging à motifs poulet vert', 50, '{"components":{"4":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"poulet vert"}', 0), + (33355, 1, 20, 'Combinaison couvrante indigène menthe', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"indigène menthe"}', 0), + (33356, 1, 20, 'Combinaison couvrante indigène violet', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"indigène violet"}', 0), + (33357, 1, 20, 'Combinaison couvrante indigène orange', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"indigène orange"}', 0), + (33358, 2, 20, 'Combinaison couvrante indigène menthe', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"indigène menthe"}', 0), + (33359, 2, 20, 'Combinaison couvrante indigène violet', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"indigène violet"}', 0), + (33360, 2, 20, 'Combinaison couvrante indigène orange', 50, '{"components":{"4":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"indigène orange"}', 0), + (33361, 1, 16, 'Pantalon grandes poches pixel bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel bleu"}', 0), + (33362, 1, 16, 'Pantalon grandes poches pixel sable', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel sable"}', 0), + (33363, 1, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (33364, 1, 16, 'Pantalon grandes poches pixel gris', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel gris"}', 0), + (33365, 1, 16, 'Pantalon grandes poches pixel crème', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel crème"}', 0), + (33366, 1, 16, 'Pantalon grandes poches désert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"désert"}', 0), + (33367, 1, 16, 'Pantalon grandes poches savane', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"savane"}', 0), + (33368, 1, 16, 'Pantalon grandes poches grille', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"grille"}', 0), + (33369, 1, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (33370, 1, 16, 'Pantalon grandes poches pierre', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pierre"}', 0), + (33371, 1, 16, 'Pantalon grandes poches camo bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo bleu"}', 0), + (33372, 1, 16, 'Pantalon grandes poches géométrique kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"géométrique kaki"}', 0), + (33373, 1, 16, 'Pantalon grandes poches camo kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo kaki"}', 0), + (33374, 1, 16, 'Pantalon grandes poches motifs kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"motifs kaki"}', 0), + (33375, 1, 16, 'Pantalon grandes poches camo beige', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo beige"}', 0), + (33376, 1, 16, 'Pantalon grandes poches forêt', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"forêt"}', 0), + (33377, 1, 16, 'Pantalon grandes poches camo marais', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo marais"}', 0), + (33378, 1, 16, 'Pantalon grandes poches camo brun', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo brun"}', 0), + (33379, 1, 16, 'Pantalon grandes poches kaki uni', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki uni"}', 0), + (33380, 1, 16, 'Pantalon grandes poches jaune', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"jaune"}', 0), + (33381, 1, 16, 'Pantalon grandes poches camo vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo vert"}', 0), + (33382, 1, 16, 'Pantalon grandes poches camo orange', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo orange"}', 0), + (33383, 1, 16, 'Pantalon grandes poches camo violet', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo violet"}', 0), + (33384, 1, 16, 'Pantalon grandes poches camo rose', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo rose"}', 0), + (33385, 2, 16, 'Pantalon grandes poches pixel bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel bleu"}', 0), + (33386, 2, 16, 'Pantalon grandes poches pixel sable', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel sable"}', 0), + (33387, 2, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (33388, 2, 16, 'Pantalon grandes poches pixel gris', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel gris"}', 0), + (33389, 2, 16, 'Pantalon grandes poches pixel crème', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel crème"}', 0), + (33390, 2, 16, 'Pantalon grandes poches désert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"désert"}', 0), + (33391, 2, 16, 'Pantalon grandes poches savane', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"savane"}', 0), + (33392, 2, 16, 'Pantalon grandes poches grille', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"grille"}', 0), + (33393, 2, 16, 'Pantalon grandes poches pixel vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pixel vert"}', 0), + (33394, 2, 16, 'Pantalon grandes poches pierre', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pierre"}', 0), + (33395, 2, 16, 'Pantalon grandes poches camo bleu', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo bleu"}', 0), + (33396, 2, 16, 'Pantalon grandes poches géométrique kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"géométrique kaki"}', 0), + (33397, 2, 16, 'Pantalon grandes poches camo kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo kaki"}', 0), + (33398, 2, 16, 'Pantalon grandes poches motifs kaki', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"motifs kaki"}', 0), + (33399, 2, 16, 'Pantalon grandes poches camo beige', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo beige"}', 0), + (33400, 2, 16, 'Pantalon grandes poches forêt', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"forêt"}', 0), + (33401, 2, 16, 'Pantalon grandes poches camo marais', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo marais"}', 0), + (33402, 2, 16, 'Pantalon grandes poches camo brun', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo brun"}', 0), + (33403, 2, 16, 'Pantalon grandes poches kaki uni', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki uni"}', 0), + (33404, 2, 16, 'Pantalon grandes poches jaune', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"jaune"}', 0), + (33405, 2, 16, 'Pantalon grandes poches camo vert', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo vert"}', 0), + (33406, 2, 16, 'Pantalon grandes poches camo orange', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo orange"}', 0), + (33407, 2, 16, 'Pantalon grandes poches camo violet', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo violet"}', 0), + (33408, 2, 16, 'Pantalon grandes poches camo rose', 50, '{"components":{"4":{"Drawable":89,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"camo rose"}', 0), + (33409, 1, 16, 'Pantalon cargo pixel bleu', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel bleu"}', 0), + (33410, 1, 16, 'Pantalon cargo pixel sable', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel sable"}', 0), + (33411, 1, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (33412, 1, 16, 'Pantalon cargo pixel gris', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel gris"}', 0), + (33413, 1, 16, 'Pantalon cargo pixel crème', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel crème"}', 0), + (33414, 1, 16, 'Pantalon cargo désert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"désert"}', 0), + (33415, 1, 16, 'Pantalon cargo savane', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"savane"}', 0), + (33416, 1, 16, 'Pantalon cargo grille', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"grille"}', 0), + (33417, 1, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (33418, 1, 16, 'Pantalon cargo pierre', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pierre"}', 0), + (33419, 1, 16, 'Pantalon cargo camo bleu', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo bleu"}', 0), + (33420, 1, 16, 'Pantalon cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"géométrique kaki"}', 0), + (33421, 1, 16, 'Pantalon cargo camo kaki', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo kaki"}', 0), + (33422, 1, 16, 'Pantalon cargo motifs kaki', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"motifs kaki"}', 0), + (33423, 1, 16, 'Pantalon cargo camo beige', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo beige"}', 0), + (33424, 1, 16, 'Pantalon cargo forêt', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"forêt"}', 0), + (33425, 1, 16, 'Pantalon cargo camo marais', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo marais"}', 0), + (33426, 1, 16, 'Pantalon cargo camo brun', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo brun"}', 0), + (33427, 1, 16, 'Pantalon cargo kaki uni', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"kaki uni"}', 0), + (33428, 1, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (33429, 1, 16, 'Pantalon cargo camo vert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo vert"}', 0), + (33430, 1, 16, 'Pantalon cargo camo orange', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo orange"}', 0), + (33431, 1, 16, 'Pantalon cargo camo violet', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo violet"}', 0), + (33432, 1, 16, 'Pantalon cargo camo rose', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo rose"}', 0), + (33433, 2, 16, 'Pantalon cargo pixel bleu', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel bleu"}', 0), + (33434, 2, 16, 'Pantalon cargo pixel sable', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel sable"}', 0), + (33435, 2, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (33436, 2, 16, 'Pantalon cargo pixel gris', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel gris"}', 0), + (33437, 2, 16, 'Pantalon cargo pixel crème', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel crème"}', 0), + (33438, 2, 16, 'Pantalon cargo désert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"désert"}', 0), + (33439, 2, 16, 'Pantalon cargo savane', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"savane"}', 0), + (33440, 2, 16, 'Pantalon cargo grille', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"grille"}', 0), + (33441, 2, 16, 'Pantalon cargo pixel vert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pixel vert"}', 0), + (33442, 2, 16, 'Pantalon cargo pierre', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pierre"}', 0), + (33443, 2, 16, 'Pantalon cargo camo bleu', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo bleu"}', 0), + (33444, 2, 16, 'Pantalon cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"géométrique kaki"}', 0), + (33445, 2, 16, 'Pantalon cargo camo kaki', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo kaki"}', 0), + (33446, 2, 16, 'Pantalon cargo motifs kaki', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"motifs kaki"}', 0), + (33447, 2, 16, 'Pantalon cargo camo beige', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo beige"}', 0), + (33448, 2, 16, 'Pantalon cargo forêt', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"forêt"}', 0), + (33449, 2, 16, 'Pantalon cargo camo marais', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo marais"}', 0), + (33450, 2, 16, 'Pantalon cargo camo brun', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo brun"}', 0), + (33451, 2, 16, 'Pantalon cargo kaki uni', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"kaki uni"}', 0), + (33452, 2, 16, 'Pantalon cargo jaune', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"jaune"}', 0), + (33453, 2, 16, 'Pantalon cargo camo vert', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo vert"}', 0), + (33454, 2, 16, 'Pantalon cargo camo orange', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo orange"}', 0), + (33455, 2, 16, 'Pantalon cargo camo violet', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo violet"}', 0), + (33456, 2, 16, 'Pantalon cargo camo rose', 50, '{"components":{"4":{"Drawable":90,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"camo rose"}', 0), + (33457, 1, 17, 'Short long à ceinture pixel bleu', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel bleu"}', 0), + (33458, 1, 17, 'Short long à ceinture pixel sable', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel sable"}', 0), + (33459, 1, 17, 'Short long à ceinture pixel vert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel vert"}', 0), + (33460, 1, 17, 'Short long à ceinture pixel gris', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel gris"}', 0), + (33461, 1, 17, 'Short long à ceinture pixel crème', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel crème"}', 0), + (33462, 1, 17, 'Short long à ceinture désert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"désert"}', 0), + (33463, 1, 17, 'Short long à ceinture savane', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"savane"}', 0), + (33464, 1, 17, 'Short long à ceinture grille', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"grille"}', 0), + (33465, 1, 17, 'Short long à ceinture pixel vert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel vert"}', 0), + (33466, 1, 17, 'Short long à ceinture pierre', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pierre"}', 0), + (33467, 1, 17, 'Short long à ceinture camo bleu', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo bleu"}', 0), + (33468, 1, 17, 'Short long à ceinture géométrique kaki', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"géométrique kaki"}', 0), + (33469, 1, 17, 'Short long à ceinture camo kaki', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo kaki"}', 0), + (33470, 1, 17, 'Short long à ceinture motifs kaki', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"motifs kaki"}', 0), + (33471, 1, 17, 'Short long à ceinture camo beige', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo beige"}', 0), + (33472, 1, 17, 'Short long à ceinture forêt', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"forêt"}', 0), + (33473, 1, 17, 'Short long à ceinture camo marais', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo marais"}', 0), + (33474, 1, 17, 'Short long à ceinture camo brun', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo brun"}', 0), + (33475, 1, 17, 'Short long à ceinture kaki uni', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"kaki uni"}', 0), + (33476, 1, 17, 'Short long à ceinture jaune', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"jaune"}', 0), + (33477, 1, 17, 'Short long à ceinture camo vert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo vert"}', 0), + (33478, 1, 17, 'Short long à ceinture camo orange', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo orange"}', 0), + (33479, 1, 17, 'Short long à ceinture camo violet', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo violet"}', 0), + (33480, 1, 17, 'Short long à ceinture camo rose', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo rose"}', 0), + (33481, 2, 17, 'Short long à ceinture pixel bleu', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel bleu"}', 0), + (33482, 2, 17, 'Short long à ceinture pixel sable', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel sable"}', 0), + (33483, 2, 17, 'Short long à ceinture pixel vert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel vert"}', 0), + (33484, 2, 17, 'Short long à ceinture pixel gris', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel gris"}', 0), + (33485, 2, 17, 'Short long à ceinture pixel crème', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel crème"}', 0), + (33486, 2, 17, 'Short long à ceinture désert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"désert"}', 0), + (33487, 2, 17, 'Short long à ceinture savane', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"savane"}', 0), + (33488, 2, 17, 'Short long à ceinture grille', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"grille"}', 0), + (33489, 2, 17, 'Short long à ceinture pixel vert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pixel vert"}', 0), + (33490, 2, 17, 'Short long à ceinture pierre', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"pierre"}', 0), + (33491, 2, 17, 'Short long à ceinture camo bleu', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo bleu"}', 0), + (33492, 2, 17, 'Short long à ceinture géométrique kaki', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"géométrique kaki"}', 0), + (33493, 2, 17, 'Short long à ceinture camo kaki', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo kaki"}', 0), + (33494, 2, 17, 'Short long à ceinture motifs kaki', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"motifs kaki"}', 0), + (33495, 2, 17, 'Short long à ceinture camo beige', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo beige"}', 0), + (33496, 2, 17, 'Short long à ceinture forêt', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"forêt"}', 0), + (33497, 2, 17, 'Short long à ceinture camo marais', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo marais"}', 0), + (33498, 2, 17, 'Short long à ceinture camo brun', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo brun"}', 0), + (33499, 2, 17, 'Short long à ceinture kaki uni', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"kaki uni"}', 0), + (33500, 2, 17, 'Short long à ceinture jaune', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"jaune"}', 0), + (33501, 2, 17, 'Short long à ceinture camo vert', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo vert"}', 0), + (33502, 2, 17, 'Short long à ceinture camo orange', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo orange"}', 0), + (33503, 2, 17, 'Short long à ceinture camo violet', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo violet"}', 0), + (33504, 2, 17, 'Short long à ceinture camo rose', 50, '{"components":{"4":{"Drawable":91,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Short long à ceinture","colorLabel":"camo rose"}', 0), + (33505, 1, 16, 'Salopette pixel bleu', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel bleu"}', 0), + (33506, 1, 16, 'Salopette pixel sable', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel sable"}', 0), + (33507, 1, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (33508, 1, 16, 'Salopette pixel gris', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel gris"}', 0), + (33509, 1, 16, 'Salopette pixel crème', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel crème"}', 0), + (33510, 1, 16, 'Salopette désert', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"désert"}', 0), + (33511, 1, 16, 'Salopette savane', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"savane"}', 0), + (33512, 1, 16, 'Salopette grille', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"grille"}', 0), + (33513, 1, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (33514, 1, 16, 'Salopette pierre', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pierre"}', 0), + (33515, 1, 16, 'Salopette camo bleu', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo bleu"}', 0), + (33516, 1, 16, 'Salopette géométrique kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"géométrique kaki"}', 0), + (33517, 1, 16, 'Salopette camo kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo kaki"}', 0), + (33518, 1, 16, 'Salopette motifs kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"motifs kaki"}', 0), + (33519, 1, 16, 'Salopette camo beige', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo beige"}', 0), + (33520, 1, 16, 'Salopette forêt', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"forêt"}', 0), + (33521, 1, 16, 'Salopette camo marais', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo marais"}', 0), + (33522, 1, 16, 'Salopette camo brun', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo brun"}', 0), + (33523, 1, 16, 'Salopette kaki uni', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"kaki uni"}', 0), + (33524, 1, 16, 'Salopette jaune', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"jaune"}', 0), + (33525, 1, 16, 'Salopette noir', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"noir"}', 0), + (33526, 1, 16, 'Salopette gris', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"gris"}', 0), + (33527, 1, 16, 'Salopette perle', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"perle"}', 0), + (33528, 1, 16, 'Salopette brun', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"brun"}', 0), + (33529, 1, 16, 'Salopette caca d\'oie', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"caca d\'oie"}', 0), + (33530, 2, 16, 'Salopette pixel bleu', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel bleu"}', 0), + (33531, 2, 16, 'Salopette pixel sable', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel sable"}', 0), + (33532, 2, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (33533, 2, 16, 'Salopette pixel gris', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel gris"}', 0), + (33534, 2, 16, 'Salopette pixel crème', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel crème"}', 0), + (33535, 2, 16, 'Salopette désert', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"désert"}', 0), + (33536, 2, 16, 'Salopette savane', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"savane"}', 0), + (33537, 2, 16, 'Salopette grille', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"grille"}', 0), + (33538, 2, 16, 'Salopette pixel vert', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pixel vert"}', 0), + (33539, 2, 16, 'Salopette pierre', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"pierre"}', 0), + (33540, 2, 16, 'Salopette camo bleu', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo bleu"}', 0), + (33541, 2, 16, 'Salopette géométrique kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"géométrique kaki"}', 0), + (33542, 2, 16, 'Salopette camo kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo kaki"}', 0), + (33543, 2, 16, 'Salopette motifs kaki', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"motifs kaki"}', 0), + (33544, 2, 16, 'Salopette camo beige', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo beige"}', 0), + (33545, 2, 16, 'Salopette forêt', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"forêt"}', 0), + (33546, 2, 16, 'Salopette camo marais', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo marais"}', 0), + (33547, 2, 16, 'Salopette camo brun', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"camo brun"}', 0), + (33548, 2, 16, 'Salopette kaki uni', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"kaki uni"}', 0), + (33549, 2, 16, 'Salopette jaune', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"jaune"}', 0), + (33550, 2, 16, 'Salopette noir', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"noir"}', 0), + (33551, 2, 16, 'Salopette gris', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"gris"}', 0), + (33552, 2, 16, 'Salopette perle', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"perle"}', 0), + (33553, 2, 16, 'Salopette brun', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"brun"}', 0), + (33554, 2, 16, 'Salopette caca d\'oie', 50, '{"components":{"4":{"Drawable":92,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Salopette","colorLabel":"caca d\'oie"}', 0), + (33555, 1, 16, 'Salopette en jean bleu foncé', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"bleu foncé"}', 0), + (33556, 1, 16, 'Salopette en jean délavé bleu foncé', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé bleu foncé"}', 0), + (33557, 1, 16, 'Salopette en jean anthracite', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"anthracite"}', 0), + (33558, 1, 16, 'Salopette en jean délavé anthracite', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé anthracite"}', 0), + (33559, 1, 16, 'Salopette en jean ciel', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"ciel"}', 0), + (33560, 1, 16, 'Salopette en jean délavé ciel', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé ciel"}', 0), + (33561, 1, 16, 'Salopette en jean gris', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"gris"}', 0), + (33562, 1, 16, 'Salopette en jean délavé gris', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé gris"}', 0), + (33563, 1, 16, 'Salopette en jean noir', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"noir"}', 0), + (33564, 1, 16, 'Salopette en jean délavé noir', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé noir"}', 0), + (33565, 2, 16, 'Salopette en jean bleu foncé', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"bleu foncé"}', 0), + (33566, 2, 16, 'Salopette en jean délavé bleu foncé', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé bleu foncé"}', 0), + (33567, 2, 16, 'Salopette en jean anthracite', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"anthracite"}', 0), + (33568, 2, 16, 'Salopette en jean délavé anthracite', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé anthracite"}', 0), + (33569, 2, 16, 'Salopette en jean ciel', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"ciel"}', 0), + (33570, 2, 16, 'Salopette en jean délavé ciel', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé ciel"}', 0), + (33571, 2, 16, 'Salopette en jean gris', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"gris"}', 0), + (33572, 2, 16, 'Salopette en jean délavé gris', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé gris"}', 0), + (33573, 2, 16, 'Salopette en jean noir', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"noir"}', 0), + (33574, 2, 16, 'Salopette en jean délavé noir', 50, '{"components":{"4":{"Drawable":93,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Salopette en jean","colorLabel":"délavé noir"}', 0), + (33575, 1, 16, 'Combinaison moto sponsorisée vert-jaune', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"vert-jaune"}', 0), + (33576, 1, 16, 'Combinaison moto sponsorisée turquoise', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"turquoise"}', 0), + (33577, 1, 16, 'Combinaison moto sponsorisée postal', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"postal"}', 0), + (33578, 1, 16, 'Combinaison moto sponsorisée rouge Principe', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Principe"}', 0), + (33579, 1, 16, 'Combinaison moto sponsorisée noir-jaune', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-jaune"}', 0), + (33580, 1, 16, 'Combinaison moto sponsorisée faim', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"faim"}', 0), + (33581, 1, 16, 'Combinaison moto sponsorisée noir-rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-rouge"}', 0), + (33582, 1, 16, 'Combinaison moto sponsorisée blanc-rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"blanc-rouge"}', 0), + (33583, 1, 16, 'Combinaison moto sponsorisée rouge Jackal', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Jackal"}', 0), + (33584, 1, 16, 'Combinaison moto sponsorisée kill bill', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"kill bill"}', 0), + (33585, 1, 16, 'Combinaison moto sponsorisée bleu Liberty', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"bleu Liberty"}', 0), + (33586, 1, 16, 'Combinaison moto sponsorisée aqua', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"aqua"}', 0), + (33587, 1, 16, 'Combinaison moto sponsorisée lime', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"lime"}', 0), + (33588, 1, 16, 'Combinaison moto sponsorisée sunset', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"sunset"}', 0), + (33589, 2, 16, 'Combinaison moto sponsorisée vert-jaune', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"vert-jaune"}', 0), + (33590, 2, 16, 'Combinaison moto sponsorisée turquoise', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"turquoise"}', 0), + (33591, 2, 16, 'Combinaison moto sponsorisée postal', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"postal"}', 0), + (33592, 2, 16, 'Combinaison moto sponsorisée rouge Principe', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Principe"}', 0), + (33593, 2, 16, 'Combinaison moto sponsorisée noir-jaune', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-jaune"}', 0), + (33594, 2, 16, 'Combinaison moto sponsorisée faim', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"faim"}', 0), + (33595, 2, 16, 'Combinaison moto sponsorisée noir-rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"noir-rouge"}', 0), + (33596, 2, 16, 'Combinaison moto sponsorisée blanc-rouge', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"blanc-rouge"}', 0), + (33597, 2, 16, 'Combinaison moto sponsorisée rouge Jackal', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"rouge Jackal"}', 0), + (33598, 2, 16, 'Combinaison moto sponsorisée kill bill', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"kill bill"}', 0), + (33599, 2, 16, 'Combinaison moto sponsorisée bleu Liberty', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"bleu Liberty"}', 0), + (33600, 2, 16, 'Combinaison moto sponsorisée aqua', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"aqua"}', 0), + (33601, 2, 16, 'Combinaison moto sponsorisée lime', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"lime"}', 0), + (33602, 2, 16, 'Combinaison moto sponsorisée sunset', 50, '{"components":{"4":{"Drawable":94,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Combinaison moto sponsorisée","colorLabel":"sunset"}', 0), + (33603, 1, 20, 'Parachutiste forêt', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"forêt"}', 0), + (33604, 1, 20, 'Parachutiste abricot', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"abricot"}', 0), + (33605, 1, 20, 'Parachutiste violet', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"violet"}', 0), + (33606, 1, 20, 'Parachutiste rose', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"rose"}', 0), + (33607, 1, 20, 'Parachutiste noir', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"noir"}', 0), + (33608, 1, 20, 'Parachutiste blanc', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"blanc"}', 0), + (33609, 1, 20, 'Parachutiste perle', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"perle"}', 0), + (33610, 1, 20, 'Parachutiste lapis-lazuli', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"lapis-lazuli"}', 0), + (33611, 1, 20, 'Parachutiste beige', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"beige"}', 0), + (33612, 1, 20, 'Parachutiste lie de vin', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"lie de vin"}', 0), + (33613, 1, 20, 'Parachutiste orange', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"orange"}', 0), + (33614, 1, 20, 'Parachutiste jaune', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"jaune"}', 0), + (33615, 1, 20, 'Parachutiste bleu', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"bleu"}', 0), + (33616, 1, 20, 'Parachutiste ciel', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"ciel"}', 0), + (33617, 1, 20, 'Parachutiste sable', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"sable"}', 0), + (33618, 1, 20, 'Parachutiste crème', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"crème"}', 0), + (33619, 1, 20, 'Parachutiste camo kaki', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"camo kaki"}', 0), + (33620, 1, 20, 'Parachutiste camo brun', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"camo brun"}', 0), + (33621, 1, 20, 'Parachutiste pixel sable', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"pixel sable"}', 0), + (33622, 1, 20, 'Parachutiste gris', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"gris"}', 0), + (33623, 2, 20, 'Parachutiste forêt', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"forêt"}', 0), + (33624, 2, 20, 'Parachutiste abricot', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"abricot"}', 0), + (33625, 2, 20, 'Parachutiste violet', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"violet"}', 0), + (33626, 2, 20, 'Parachutiste rose', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"rose"}', 0), + (33627, 2, 20, 'Parachutiste noir', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"noir"}', 0), + (33628, 2, 20, 'Parachutiste blanc', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"blanc"}', 0), + (33629, 2, 20, 'Parachutiste perle', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"perle"}', 0), + (33630, 2, 20, 'Parachutiste lapis-lazuli', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"lapis-lazuli"}', 0), + (33631, 2, 20, 'Parachutiste beige', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"beige"}', 0), + (33632, 2, 20, 'Parachutiste lie de vin', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"lie de vin"}', 0), + (33633, 2, 20, 'Parachutiste orange', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"orange"}', 0), + (33634, 2, 20, 'Parachutiste jaune', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"jaune"}', 0), + (33635, 2, 20, 'Parachutiste bleu', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"bleu"}', 0), + (33636, 2, 20, 'Parachutiste ciel', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"ciel"}', 0), + (33637, 2, 20, 'Parachutiste sable', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"sable"}', 0), + (33638, 2, 20, 'Parachutiste crème', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"crème"}', 0), + (33639, 2, 20, 'Parachutiste camo kaki', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"camo kaki"}', 0), + (33640, 2, 20, 'Parachutiste camo brun', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"camo brun"}', 0), + (33641, 2, 20, 'Parachutiste pixel sable', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"pixel sable"}', 0), + (33642, 2, 20, 'Parachutiste gris', 50, '{"components":{"4":{"Drawable":95,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"gris"}', 0), + (33643, 1, 20, 'Parachutiste feu', 50, '{"components":{"4":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"feu"}', 0), + (33644, 2, 20, 'Parachutiste feu', 50, '{"components":{"4":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Parachutiste","colorLabel":"feu"}', 0), + (33645, 1, 22, 'Legging sportif noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir"}', 0), + (33646, 1, 22, 'Legging sportif gris noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"gris noir"}', 0), + (33647, 1, 22, 'Legging sportif bleu noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"bleu noir"}', 0), + (33648, 1, 22, 'Legging sportif rouge noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"rouge noir"}', 0), + (33649, 1, 22, 'Legging sportif turquoise noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"turquoise noir"}', 0), + (33650, 1, 22, 'Legging sportif lime noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"lime noir"}', 0), + (33651, 1, 22, 'Legging sportif orange noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"orange noir"}', 0), + (33652, 1, 22, 'Legging sportif jaune noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"jaune noir"}', 0), + (33653, 1, 22, 'Legging sportif anthracite noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"anthracite noir"}', 0), + (33654, 1, 22, 'Legging sportif noir rose', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir rose"}', 0), + (33655, 1, 22, 'Legging sportif pétrole noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"pétrole noir"}', 0), + (33656, 1, 22, 'Legging sportif aqua', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"aqua"}', 0), + (33657, 1, 22, 'Legging sportif feu noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"feu noir"}', 0), + (33658, 1, 22, 'Legging sportif taupe noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"taupe noir"}', 0), + (33659, 1, 22, 'Legging sportif blanc rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"blanc rouge"}', 0), + (33660, 1, 22, 'Legging sportif aqua noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"aqua noir"}', 0), + (33661, 1, 22, 'Legging sportif tigre', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"tigre"}', 0), + (33662, 1, 22, 'Legging sportif camo gris', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"camo gris"}', 0), + (33663, 1, 22, 'Legging sportif camo kaki', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"camo kaki"}', 0), + (33664, 1, 22, 'Legging sportif noir rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir rouge"}', 0), + (33665, 1, 22, 'Legging sportif noir bleu', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir bleu"}', 0), + (33666, 1, 22, 'Legging sportif multicolore noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"multicolore noir"}', 0), + (33667, 1, 22, 'Legging sportif vert noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"vert noir"}', 0), + (33668, 1, 22, 'Legging sportif abricot noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"abricot noir"}', 0), + (33669, 1, 22, 'Legging sportif violet noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"violet noir"}', 0), + (33670, 2, 22, 'Legging sportif noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir"}', 0), + (33671, 2, 22, 'Legging sportif gris noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"gris noir"}', 0), + (33672, 2, 22, 'Legging sportif bleu noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"bleu noir"}', 0), + (33673, 2, 22, 'Legging sportif rouge noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"rouge noir"}', 0), + (33674, 2, 22, 'Legging sportif turquoise noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"turquoise noir"}', 0), + (33675, 2, 22, 'Legging sportif lime noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"lime noir"}', 0), + (33676, 2, 22, 'Legging sportif orange noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"orange noir"}', 0), + (33677, 2, 22, 'Legging sportif jaune noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"jaune noir"}', 0), + (33678, 2, 22, 'Legging sportif anthracite noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"anthracite noir"}', 0), + (33679, 2, 22, 'Legging sportif noir rose', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir rose"}', 0), + (33680, 2, 22, 'Legging sportif pétrole noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"pétrole noir"}', 0), + (33681, 2, 22, 'Legging sportif aqua', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"aqua"}', 0), + (33682, 2, 22, 'Legging sportif feu noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"feu noir"}', 0), + (33683, 2, 22, 'Legging sportif taupe noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"taupe noir"}', 0), + (33684, 2, 22, 'Legging sportif blanc rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"blanc rouge"}', 0), + (33685, 2, 22, 'Legging sportif aqua noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"aqua noir"}', 0), + (33686, 2, 22, 'Legging sportif tigre', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"tigre"}', 0), + (33687, 2, 22, 'Legging sportif camo gris', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"camo gris"}', 0), + (33688, 2, 22, 'Legging sportif camo kaki', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"camo kaki"}', 0), + (33689, 2, 22, 'Legging sportif noir rouge', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir rouge"}', 0), + (33690, 2, 22, 'Legging sportif noir bleu', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"noir bleu"}', 0), + (33691, 2, 22, 'Legging sportif multicolore noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"multicolore noir"}', 0), + (33692, 2, 22, 'Legging sportif vert noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"vert noir"}', 0), + (33693, 2, 22, 'Legging sportif abricot noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"abricot noir"}', 0), + (33694, 2, 22, 'Legging sportif violet noir', 50, '{"components":{"4":{"Drawable":97,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Legging sportif","colorLabel":"violet noir"}', 0), + (33695, 1, 20, 'Combinaison couvrante noir-vert', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (33696, 1, 20, 'Combinaison couvrante noir-orange', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (33697, 1, 20, 'Combinaison couvrante noir-bleu', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-bleu"}', 0), + (33698, 1, 20, 'Combinaison couvrante noir-rose', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (33699, 1, 20, 'Combinaison couvrante noir-jaune', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (33700, 1, 20, 'Combinaison couvrante marron', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"marron"}', 0), + (33701, 1, 20, 'Combinaison couvrante jaune', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"jaune"}', 0), + (33702, 1, 20, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (33703, 1, 20, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (33704, 1, 20, 'Combinaison couvrante père noël', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (33705, 1, 20, 'Combinaison couvrante lutin vert', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (33706, 1, 20, 'Combinaison couvrante lutin rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (33707, 2, 20, 'Combinaison couvrante noir-vert', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-vert"}', 0), + (33708, 2, 20, 'Combinaison couvrante noir-orange', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-orange"}', 0), + (33709, 2, 20, 'Combinaison couvrante noir-bleu', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-bleu"}', 0), + (33710, 2, 20, 'Combinaison couvrante noir-rose', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-rose"}', 0), + (33711, 2, 20, 'Combinaison couvrante noir-jaune', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"noir-jaune"}', 0), + (33712, 2, 20, 'Combinaison couvrante marron', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"marron"}', 0), + (33713, 2, 20, 'Combinaison couvrante jaune', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"jaune"}', 0), + (33714, 2, 20, 'Combinaison couvrante pain d\'épice clair', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice clair"}', 0), + (33715, 2, 20, 'Combinaison couvrante pain d\'épice foncé', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"pain d\'épice foncé"}', 0), + (33716, 2, 20, 'Combinaison couvrante père noël', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"père noël"}', 0), + (33717, 2, 20, 'Combinaison couvrante lutin vert', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"lutin vert"}', 0), + (33718, 2, 20, 'Combinaison couvrante lutin rouge', 50, '{"components":{"4":{"Drawable":98,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"lutin rouge"}', 0), + (33719, 3, 16, 'Pantalon classe à ceinture marine', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon classe à ceinture","colorLabel":"marine"}', 0), + (33720, 3, 16, 'Pantalon classe à ceinture menthe', 50, '{"components":{"4":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon classe à ceinture","colorLabel":"menthe"}', 0), + (33721, 1, 16, 'Pantalon de travail cargo jaune', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"jaune"}', 0), + (33722, 1, 16, 'Pantalon de travail cargo anthracite', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite"}', 0), + (33723, 1, 16, 'Pantalon de travail cargo blanc', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc"}', 0), + (33724, 1, 16, 'Pantalon de travail cargo perle', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"perle"}', 0), + (33725, 1, 16, 'Pantalon de travail cargo taupe', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"taupe"}', 0), + (33726, 1, 16, 'Pantalon de travail cargo sable', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"sable"}', 0), + (33727, 1, 16, 'Pantalon de travail cargo orage', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"orage"}', 0), + (33728, 1, 16, 'Pantalon de travail cargo camo vanille', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo vanille"}', 0), + (33729, 1, 16, 'Pantalon de travail cargo camo bleu', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo bleu"}', 0), + (33730, 1, 16, 'Pantalon de travail cargo camo ciel', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo ciel"}', 0), + (33731, 1, 16, 'Pantalon de travail cargo camo rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo rouge"}', 0), + (33732, 1, 16, 'Pantalon de travail cargo camo gris', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo gris"}', 0), + (33733, 1, 16, 'Pantalon de travail cargo ardoise', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"ardoise"}', 0), + (33734, 1, 16, 'Pantalon de travail cargo marine', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"marine"}', 0), + (33735, 1, 16, 'Pantalon de travail cargo gris', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"gris"}', 0), + (33736, 1, 16, 'Pantalon de travail cargo ciel', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"ciel"}', 0), + (33737, 1, 16, 'Pantalon de travail cargo orange', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"orange"}', 0), + (33738, 1, 16, 'Pantalon de travail cargo rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"rouge"}', 0), + (33739, 1, 16, 'Pantalon de travail cargo vert', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"vert"}', 0), + (33740, 1, 16, 'Pantalon de travail cargo indigo', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"indigo"}', 0), + (33741, 1, 16, 'Pantalon de travail cargo camo beige', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo beige"}', 0), + (33742, 1, 16, 'Pantalon de travail cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"géométrique kaki"}', 0), + (33743, 1, 16, 'Pantalon de travail cargo blanc-rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc-rouge"}', 0), + (33744, 1, 16, 'Pantalon de travail cargo anthracite-rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-rouge"}', 0), + (33745, 1, 16, 'Pantalon de travail cargo anthracite-bleu', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-bleu"}', 0), + (33746, 2, 16, 'Pantalon de travail cargo jaune', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"jaune"}', 0), + (33747, 2, 16, 'Pantalon de travail cargo anthracite', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite"}', 0), + (33748, 2, 16, 'Pantalon de travail cargo blanc', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc"}', 0), + (33749, 2, 16, 'Pantalon de travail cargo perle', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"perle"}', 0), + (33750, 2, 16, 'Pantalon de travail cargo taupe', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"taupe"}', 0), + (33751, 2, 16, 'Pantalon de travail cargo sable', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"sable"}', 0), + (33752, 2, 16, 'Pantalon de travail cargo orage', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"orage"}', 0), + (33753, 2, 16, 'Pantalon de travail cargo camo vanille', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo vanille"}', 0), + (33754, 2, 16, 'Pantalon de travail cargo camo bleu', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo bleu"}', 0), + (33755, 2, 16, 'Pantalon de travail cargo camo ciel', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo ciel"}', 0), + (33756, 2, 16, 'Pantalon de travail cargo camo rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo rouge"}', 0), + (33757, 2, 16, 'Pantalon de travail cargo camo gris', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo gris"}', 0), + (33758, 2, 16, 'Pantalon de travail cargo ardoise', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"ardoise"}', 0), + (33759, 2, 16, 'Pantalon de travail cargo marine', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"marine"}', 0), + (33760, 2, 16, 'Pantalon de travail cargo gris', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"gris"}', 0), + (33761, 2, 16, 'Pantalon de travail cargo ciel', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"ciel"}', 0), + (33762, 2, 16, 'Pantalon de travail cargo orange', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"orange"}', 0), + (33763, 2, 16, 'Pantalon de travail cargo rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"rouge"}', 0), + (33764, 2, 16, 'Pantalon de travail cargo vert', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"vert"}', 0), + (33765, 2, 16, 'Pantalon de travail cargo indigo', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"indigo"}', 0), + (33766, 2, 16, 'Pantalon de travail cargo camo beige', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"camo beige"}', 0), + (33767, 2, 16, 'Pantalon de travail cargo géométrique kaki', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"géométrique kaki"}', 0), + (33768, 2, 16, 'Pantalon de travail cargo blanc-rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"blanc-rouge"}', 0), + (33769, 2, 16, 'Pantalon de travail cargo anthracite-rouge', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-rouge"}', 0), + (33770, 2, 16, 'Pantalon de travail cargo anthracite-bleu', 50, '{"components":{"4":{"Drawable":100,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail cargo","colorLabel":"anthracite-bleu"}', 0), + (33771, 1, 16, 'Pantalon de travail jaune', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"jaune"}', 0), + (33772, 1, 16, 'Pantalon de travail anthracite', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"anthracite"}', 0), + (33773, 1, 16, 'Pantalon de travail blanc', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"blanc"}', 0), + (33774, 1, 16, 'Pantalon de travail perle', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"perle"}', 0), + (33775, 1, 16, 'Pantalon de travail taupe', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"taupe"}', 0), + (33776, 1, 16, 'Pantalon de travail sable', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"sable"}', 0), + (33777, 1, 16, 'Pantalon de travail orage', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"orage"}', 0), + (33778, 1, 16, 'Pantalon de travail camo vanille', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo vanille"}', 0), + (33779, 1, 16, 'Pantalon de travail camo bleu', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo bleu"}', 0), + (33780, 1, 16, 'Pantalon de travail camo ciel', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo ciel"}', 0), + (33781, 1, 16, 'Pantalon de travail camo rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo rouge"}', 0), + (33782, 1, 16, 'Pantalon de travail camo gris', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo gris"}', 0), + (33783, 1, 16, 'Pantalon de travail ardoise', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"ardoise"}', 0), + (33784, 1, 16, 'Pantalon de travail marine', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"marine"}', 0), + (33785, 1, 16, 'Pantalon de travail gris', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"gris"}', 0), + (33786, 1, 16, 'Pantalon de travail ciel', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"ciel"}', 0), + (33787, 1, 16, 'Pantalon de travail orange', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"orange"}', 0), + (33788, 1, 16, 'Pantalon de travail rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"rouge"}', 0), + (33789, 1, 16, 'Pantalon de travail vert', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"vert"}', 0), + (33790, 1, 16, 'Pantalon de travail indigo', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"indigo"}', 0), + (33791, 1, 16, 'Pantalon de travail camo beige', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo beige"}', 0), + (33792, 1, 16, 'Pantalon de travail géométrique kaki', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"géométrique kaki"}', 0), + (33793, 1, 16, 'Pantalon de travail blanc-rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"blanc-rouge"}', 0), + (33794, 1, 16, 'Pantalon de travail anthracite-rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-rouge"}', 0), + (33795, 1, 16, 'Pantalon de travail anthracite-bleu', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-bleu"}', 0), + (33796, 2, 16, 'Pantalon de travail jaune', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"jaune"}', 0), + (33797, 2, 16, 'Pantalon de travail anthracite', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"anthracite"}', 0), + (33798, 2, 16, 'Pantalon de travail blanc', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"blanc"}', 0), + (33799, 2, 16, 'Pantalon de travail perle', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"perle"}', 0), + (33800, 2, 16, 'Pantalon de travail taupe', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"taupe"}', 0), + (33801, 2, 16, 'Pantalon de travail sable', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"sable"}', 0), + (33802, 2, 16, 'Pantalon de travail orage', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"orage"}', 0), + (33803, 2, 16, 'Pantalon de travail camo vanille', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo vanille"}', 0), + (33804, 2, 16, 'Pantalon de travail camo bleu', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo bleu"}', 0), + (33805, 2, 16, 'Pantalon de travail camo ciel', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo ciel"}', 0), + (33806, 2, 16, 'Pantalon de travail camo rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo rouge"}', 0), + (33807, 2, 16, 'Pantalon de travail camo gris', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo gris"}', 0), + (33808, 2, 16, 'Pantalon de travail ardoise', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"ardoise"}', 0), + (33809, 2, 16, 'Pantalon de travail marine', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"marine"}', 0), + (33810, 2, 16, 'Pantalon de travail gris', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"gris"}', 0), + (33811, 2, 16, 'Pantalon de travail ciel', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"ciel"}', 0), + (33812, 2, 16, 'Pantalon de travail orange', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"orange"}', 0), + (33813, 2, 16, 'Pantalon de travail rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"rouge"}', 0), + (33814, 2, 16, 'Pantalon de travail vert', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"vert"}', 0), + (33815, 2, 16, 'Pantalon de travail indigo', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"indigo"}', 0), + (33816, 2, 16, 'Pantalon de travail camo beige', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"camo beige"}', 0), + (33817, 2, 16, 'Pantalon de travail géométrique kaki', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"géométrique kaki"}', 0), + (33818, 2, 16, 'Pantalon de travail blanc-rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"blanc-rouge"}', 0), + (33819, 2, 16, 'Pantalon de travail anthracite-rouge', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-rouge"}', 0), + (33820, 2, 16, 'Pantalon de travail anthracite-bleu', 50, '{"components":{"4":{"Drawable":101,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon de travail","colorLabel":"anthracite-bleu"}', 0), + (33821, 3, 16, 'Combinaison moulante noir', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"noir"}', 0), + (33822, 3, 16, 'Combinaison moulante gris', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"gris"}', 0), + (33823, 3, 16, 'Combinaison moulante beige', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"beige"}', 0), + (33824, 3, 16, 'Combinaison moulante vanille', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"vanille"}', 0), + (33825, 3, 16, 'Combinaison moulante rouge', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"rouge"}', 0), + (33826, 3, 16, 'Combinaison moulante kill bill', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"kill bill"}', 0), + (33827, 3, 16, 'Combinaison moulante sable', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"sable"}', 0), + (33828, 3, 16, 'Combinaison moulante anthracite', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"anthracite"}', 0), + (33829, 3, 16, 'Combinaison moulante camo gris', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"camo gris"}', 0), + (33830, 3, 16, 'Combinaison moulante camo forêt', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"camo forêt"}', 0), + (33831, 3, 16, 'Combinaison moulante camo marais', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"camo marais"}', 0), + (33832, 3, 16, 'Combinaison moulante motifs kaki', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"motifs kaki"}', 0), + (33833, 3, 16, 'Combinaison moulante grille', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"grille"}', 0), + (33834, 3, 16, 'Combinaison moulante feu', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"feu"}', 0), + (33835, 3, 16, 'Combinaison moulante points blanc', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"points blanc"}', 0), + (33836, 3, 16, 'Combinaison moulante multicolore', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"multicolore"}', 0), + (33837, 3, 16, 'Combinaison moulante tigre', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"tigre"}', 0), + (33838, 3, 16, 'Combinaison moulante vert', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"vert"}', 0), + (33839, 3, 16, 'Combinaison moulante abricot', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"abricot"}', 0), + (33840, 3, 16, 'Combinaison moulante violet', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"violet"}', 0), + (33841, 3, 16, 'Combinaison moulante rose', 50, '{"components":{"4":{"Drawable":102,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Combinaison moulante","colorLabel":"rose"}', 0), + (33842, 1, 16, 'Combinaison moto bleu clair', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"bleu clair"}', 0), + (33843, 1, 16, 'Combinaison moto feu', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"feu"}', 0), + (33844, 1, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (33845, 1, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (33846, 1, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (33847, 1, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (33848, 1, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (33849, 2, 16, 'Combinaison moto bleu clair', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"bleu clair"}', 0), + (33850, 2, 16, 'Combinaison moto feu', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"feu"}', 0), + (33851, 2, 16, 'Combinaison moto blanc', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"blanc"}', 0), + (33852, 2, 16, 'Combinaison moto vert', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"vert"}', 0), + (33853, 2, 16, 'Combinaison moto abricot', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"abricot"}', 0), + (33854, 2, 16, 'Combinaison moto violet', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"violet"}', 0), + (33855, 2, 16, 'Combinaison moto rose', 50, '{"components":{"4":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rose"}', 0), + (33856, 1, 23, 'Jogging à motifs fleurs vert', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"fleurs vert"}', 0), + (33857, 1, 23, 'Jogging à motifs fleurs blanc', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"fleurs blanc"}', 0), + (33858, 1, 23, 'Jogging à motifs fleurs corail', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"fleurs corail"}', 0), + (33859, 1, 23, 'Jogging à motifs motifs pétrole', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs pétrole"}', 0), + (33860, 1, 23, 'Jogging à motifs motifs lime', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs lime"}', 0), + (33861, 1, 23, 'Jogging à motifs camo beige', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo beige"}', 0), + (33862, 1, 23, 'Jogging à motifs camo orange', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo orange"}', 0), + (33863, 1, 23, 'Jogging à motifs camo lila', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo lila"}', 0), + (33864, 1, 23, 'Jogging à motifs camo gris', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo gris"}', 0), + (33865, 1, 23, 'Jogging à motifs camo jaune', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo jaune"}', 0), + (33866, 1, 23, 'Jogging à motifs motifs ciel', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs ciel"}', 0), + (33867, 1, 23, 'Jogging à motifs motifs multicolore', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs multicolore"}', 0), + (33868, 1, 23, 'Jogging à motifs zèbre abricot', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"zèbre abricot"}', 0), + (33869, 1, 23, 'Jogging à motifs léopard vert', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"léopard vert"}', 0), + (33870, 2, 23, 'Jogging à motifs fleurs vert', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"fleurs vert"}', 0), + (33871, 2, 23, 'Jogging à motifs fleurs blanc', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"fleurs blanc"}', 0), + (33872, 2, 23, 'Jogging à motifs fleurs corail', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"fleurs corail"}', 0), + (33873, 2, 23, 'Jogging à motifs motifs pétrole', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs pétrole"}', 0), + (33874, 2, 23, 'Jogging à motifs motifs lime', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs lime"}', 0), + (33875, 2, 23, 'Jogging à motifs camo beige', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo beige"}', 0), + (33876, 2, 23, 'Jogging à motifs camo orange', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo orange"}', 0), + (33877, 2, 23, 'Jogging à motifs camo lila', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo lila"}', 0), + (33878, 2, 23, 'Jogging à motifs camo gris', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo gris"}', 0), + (33879, 2, 23, 'Jogging à motifs camo jaune', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"camo jaune"}', 0), + (33880, 2, 23, 'Jogging à motifs motifs ciel', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs ciel"}', 0), + (33881, 2, 23, 'Jogging à motifs motifs multicolore', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"motifs multicolore"}', 0), + (33882, 2, 23, 'Jogging à motifs zèbre abricot', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"zèbre abricot"}', 0), + (33883, 2, 23, 'Jogging à motifs léopard vert', 50, '{"components":{"4":{"Drawable":104,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging à motifs","colorLabel":"léopard vert"}', 0), + (33884, 1, 16, 'Combinaison moto pétrole', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"pétrole"}', 0), + (33885, 1, 16, 'Combinaison moto jaune', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"jaune"}', 0), + (33886, 2, 16, 'Combinaison moto pétrole', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"pétrole"}', 0), + (33887, 2, 16, 'Combinaison moto jaune', 50, '{"components":{"4":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"jaune"}', 0), + (33888, 3, 16, 'Pantalon slim à zip abricot', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"abricot"}', 0), + (33889, 3, 16, 'Pantalon slim à zip gris', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"gris"}', 0), + (33890, 3, 16, 'Pantalon slim à zip jaune', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"jaune"}', 0), + (33891, 3, 16, 'Pantalon slim à zip blanc', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"blanc"}', 0), + (33892, 3, 16, 'Pantalon slim à zip feu', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"feu"}', 0), + (33893, 3, 16, 'Pantalon slim à zip menthe', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"menthe"}', 0), + (33894, 3, 16, 'Pantalon slim à zip beige', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"beige"}', 0), + (33895, 3, 16, 'Pantalon slim à zip bleu clair', 50, '{"components":{"4":{"Drawable":106,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à zip","colorLabel":"bleu clair"}', 0), + (33896, 1, 17, 'Short abricot', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"abricot"}', 0), + (33897, 1, 17, 'Short ardoise', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"ardoise"}', 0), + (33898, 1, 17, 'Short ocre', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"ocre"}', 0), + (33899, 1, 17, 'Short gris', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"gris"}', 0), + (33900, 1, 17, 'Short carmin', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"carmin"}', 0), + (33901, 1, 17, 'Short car. rouge', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"car. rouge"}', 0), + (33902, 1, 17, 'Short noir-rose', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"noir-rose"}', 0), + (33903, 1, 17, 'Short bleu-blanc', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"bleu-blanc"}', 0), + (33904, 1, 17, 'Short tropical jaune', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"tropical jaune"}', 0), + (33905, 1, 17, 'Short tropical bleu', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"tropical bleu"}', 0), + (33906, 1, 17, 'Short végétal jaune', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"végétal jaune"}', 0), + (33907, 1, 17, 'Short feuilles turquoise', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"feuilles turquoise"}', 0), + (33908, 2, 17, 'Short abricot', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"abricot"}', 0), + (33909, 2, 17, 'Short ardoise', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"ardoise"}', 0), + (33910, 2, 17, 'Short ocre', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"ocre"}', 0), + (33911, 2, 17, 'Short gris', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"gris"}', 0), + (33912, 2, 17, 'Short carmin', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"carmin"}', 0), + (33913, 2, 17, 'Short car. rouge', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"car. rouge"}', 0), + (33914, 2, 17, 'Short noir-rose', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"noir-rose"}', 0), + (33915, 2, 17, 'Short bleu-blanc', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"bleu-blanc"}', 0), + (33916, 2, 17, 'Short tropical jaune', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"tropical jaune"}', 0), + (33917, 2, 17, 'Short tropical bleu', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"tropical bleu"}', 0), + (33918, 2, 17, 'Short végétal jaune', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"végétal jaune"}', 0), + (33919, 2, 17, 'Short feuilles turquoise', 50, '{"components":{"4":{"Drawable":107,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short","colorLabel":"feuilles turquoise"}', 0), + (33920, 1, 18, 'Mini-jupe à sequins dégradé vert-jaune', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"dégradé vert-jaune"}', 0), + (33921, 1, 18, 'Mini-jupe à sequins dégradé abricot-bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"dégradé abricot-bleu"}', 0), + (33922, 1, 18, 'Mini-jupe à sequins serpent gris', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"serpent gris"}', 0), + (33923, 1, 18, 'Mini-jupe à sequins serpent brun', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"serpent brun"}', 0), + (33924, 1, 18, 'Mini-jupe à sequins léopard jaune', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"léopard jaune"}', 0), + (33925, 1, 18, 'Mini-jupe à sequins léopard rose', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"léopard rose"}', 0), + (33926, 1, 18, 'Mini-jupe à sequins tropique bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"tropique bleu"}', 0), + (33927, 1, 18, 'Mini-jupe à sequins tropique orange', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"tropique orange"}', 0), + (33928, 1, 18, 'Mini-jupe à sequins rayures rose-bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures rose-bleu"}', 0), + (33929, 1, 18, 'Mini-jupe à sequins dégradé noir-bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"dégradé noir-bleu"}', 0), + (33930, 1, 18, 'Mini-jupe à sequins rayures bleu-rose', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures bleu-rose"}', 0), + (33931, 1, 18, 'Mini-jupe à sequins rayures multicolore', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures multicolore"}', 0), + (33932, 1, 18, 'Mini-jupe à sequins fleurs rouge', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"fleurs rouge"}', 0), + (33933, 1, 18, 'Mini-jupe à sequins fleurs turquoise', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"fleurs turquoise"}', 0), + (33934, 1, 18, 'Mini-jupe à sequins vanille à points', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"vanille à points"}', 0), + (33935, 1, 18, 'Mini-jupe à sequins blanc à points', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"blanc à points"}', 0), + (33936, 2, 18, 'Mini-jupe à sequins dégradé vert-jaune', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"dégradé vert-jaune"}', 0), + (33937, 2, 18, 'Mini-jupe à sequins dégradé abricot-bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"dégradé abricot-bleu"}', 0), + (33938, 2, 18, 'Mini-jupe à sequins serpent gris', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"serpent gris"}', 0), + (33939, 2, 18, 'Mini-jupe à sequins serpent brun', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"serpent brun"}', 0), + (33940, 2, 18, 'Mini-jupe à sequins léopard jaune', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"léopard jaune"}', 0), + (33941, 2, 18, 'Mini-jupe à sequins léopard rose', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"léopard rose"}', 0), + (33942, 2, 18, 'Mini-jupe à sequins tropique bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"tropique bleu"}', 0), + (33943, 2, 18, 'Mini-jupe à sequins tropique orange', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"tropique orange"}', 0), + (33944, 2, 18, 'Mini-jupe à sequins rayures rose-bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures rose-bleu"}', 0), + (33945, 2, 18, 'Mini-jupe à sequins dégradé noir-bleu', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"dégradé noir-bleu"}', 0), + (33946, 2, 18, 'Mini-jupe à sequins rayures bleu-rose', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures bleu-rose"}', 0), + (33947, 2, 18, 'Mini-jupe à sequins rayures multicolore', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"rayures multicolore"}', 0), + (33948, 2, 18, 'Mini-jupe à sequins fleurs rouge', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"fleurs rouge"}', 0), + (33949, 2, 18, 'Mini-jupe à sequins fleurs turquoise', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"fleurs turquoise"}', 0), + (33950, 2, 18, 'Mini-jupe à sequins vanille à points', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"vanille à points"}', 0), + (33951, 2, 18, 'Mini-jupe à sequins blanc à points', 50, '{"components":{"4":{"Drawable":108,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Mini-jupe à sequins","colorLabel":"blanc à points"}', 0), + (33952, 1, 16, 'Pantalon baggy à chaîne anthracite', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"anthracite"}', 0), + (33953, 1, 16, 'Pantalon baggy à chaîne gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"gris"}', 0), + (33954, 1, 16, 'Pantalon baggy à chaîne perle', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"perle"}', 0), + (33955, 1, 16, 'Pantalon baggy à chaîne marron', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"marron"}', 0), + (33956, 1, 16, 'Pantalon baggy à chaîne beige', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"beige"}', 0), + (33957, 1, 16, 'Pantalon baggy à chaîne crème', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"crème"}', 0), + (33958, 1, 16, 'Pantalon baggy à chaîne camo gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo gris"}', 0), + (33959, 1, 16, 'Pantalon baggy à chaîne camo brun', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo brun"}', 0), + (33960, 1, 16, 'Pantalon baggy à chaîne savane', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"savane"}', 0), + (33961, 1, 16, 'Pantalon baggy à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"motifs kaki"}', 0), + (33962, 1, 16, 'Pantalon baggy à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches kaki"}', 0), + (33963, 1, 16, 'Pantalon baggy à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches beige"}', 0), + (33964, 1, 16, 'Pantalon baggy à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches ardoise"}', 0), + (33965, 1, 16, 'Pantalon baggy à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches brun"}', 0), + (33966, 1, 16, 'Pantalon baggy à chaîne camo vert', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo vert"}', 0), + (33967, 1, 16, 'Pantalon baggy à chaîne camo orange', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo orange"}', 0), + (33968, 1, 16, 'Pantalon baggy à chaîne camo violet', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo violet"}', 0), + (33969, 1, 16, 'Pantalon baggy à chaîne camo rose', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo rose"}', 0), + (33970, 2, 16, 'Pantalon baggy à chaîne anthracite', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"anthracite"}', 0), + (33971, 2, 16, 'Pantalon baggy à chaîne gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"gris"}', 0), + (33972, 2, 16, 'Pantalon baggy à chaîne perle', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"perle"}', 0), + (33973, 2, 16, 'Pantalon baggy à chaîne marron', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"marron"}', 0), + (33974, 2, 16, 'Pantalon baggy à chaîne beige', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"beige"}', 0), + (33975, 2, 16, 'Pantalon baggy à chaîne crème', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"crème"}', 0), + (33976, 2, 16, 'Pantalon baggy à chaîne camo gris', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo gris"}', 0), + (33977, 2, 16, 'Pantalon baggy à chaîne camo brun', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo brun"}', 0), + (33978, 2, 16, 'Pantalon baggy à chaîne savane', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"savane"}', 0), + (33979, 2, 16, 'Pantalon baggy à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"motifs kaki"}', 0), + (33980, 2, 16, 'Pantalon baggy à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches kaki"}', 0), + (33981, 2, 16, 'Pantalon baggy à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches beige"}', 0), + (33982, 2, 16, 'Pantalon baggy à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches ardoise"}', 0), + (33983, 2, 16, 'Pantalon baggy à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"tâches brun"}', 0), + (33984, 2, 16, 'Pantalon baggy à chaîne camo vert', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo vert"}', 0), + (33985, 2, 16, 'Pantalon baggy à chaîne camo orange', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo orange"}', 0), + (33986, 2, 16, 'Pantalon baggy à chaîne camo violet', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo violet"}', 0), + (33987, 2, 16, 'Pantalon baggy à chaîne camo rose', 50, '{"components":{"4":{"Drawable":109,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy à chaîne","colorLabel":"camo rose"}', 0), + (33988, 1, 16, 'Pantacourt à chaîne anthracite', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"anthracite"}', 0), + (33989, 1, 16, 'Pantacourt à chaîne gris', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"gris"}', 0), + (33990, 1, 16, 'Pantacourt à chaîne perle', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"perle"}', 0), + (33991, 1, 16, 'Pantacourt à chaîne marron', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"marron"}', 0), + (33992, 1, 16, 'Pantacourt à chaîne beige', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"beige"}', 0), + (33993, 1, 16, 'Pantacourt à chaîne crème', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"crème"}', 0), + (33994, 1, 16, 'Pantacourt à chaîne camo gris', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo gris"}', 0), + (33995, 1, 16, 'Pantacourt à chaîne camo brun', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo brun"}', 0), + (33996, 1, 16, 'Pantacourt à chaîne savane', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"savane"}', 0), + (33997, 1, 16, 'Pantacourt à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"motifs kaki"}', 0), + (33998, 1, 16, 'Pantacourt à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches kaki"}', 0), + (33999, 1, 16, 'Pantacourt à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches beige"}', 0), + (34000, 1, 16, 'Pantacourt à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches ardoise"}', 0), + (34001, 1, 16, 'Pantacourt à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches brun"}', 0), + (34002, 1, 16, 'Pantacourt à chaîne camo vert', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo vert"}', 0), + (34003, 1, 16, 'Pantacourt à chaîne camo orange', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo orange"}', 0), + (34004, 1, 16, 'Pantacourt à chaîne camo violet', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo violet"}', 0), + (34005, 1, 16, 'Pantacourt à chaîne camo rose', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo rose"}', 0), + (34006, 2, 16, 'Pantacourt à chaîne anthracite', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"anthracite"}', 0), + (34007, 2, 16, 'Pantacourt à chaîne gris', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"gris"}', 0), + (34008, 2, 16, 'Pantacourt à chaîne perle', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"perle"}', 0), + (34009, 2, 16, 'Pantacourt à chaîne marron', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"marron"}', 0), + (34010, 2, 16, 'Pantacourt à chaîne beige', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"beige"}', 0), + (34011, 2, 16, 'Pantacourt à chaîne crème', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"crème"}', 0), + (34012, 2, 16, 'Pantacourt à chaîne camo gris', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo gris"}', 0), + (34013, 2, 16, 'Pantacourt à chaîne camo brun', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo brun"}', 0), + (34014, 2, 16, 'Pantacourt à chaîne savane', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"savane"}', 0), + (34015, 2, 16, 'Pantacourt à chaîne motifs kaki', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"motifs kaki"}', 0), + (34016, 2, 16, 'Pantacourt à chaîne tâches kaki', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches kaki"}', 0), + (34017, 2, 16, 'Pantacourt à chaîne tâches beige', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches beige"}', 0), + (34018, 2, 16, 'Pantacourt à chaîne tâches ardoise', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches ardoise"}', 0), + (34019, 2, 16, 'Pantacourt à chaîne tâches brun', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"tâches brun"}', 0), + (34020, 2, 16, 'Pantacourt à chaîne camo vert', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo vert"}', 0), + (34021, 2, 16, 'Pantacourt à chaîne camo orange', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo orange"}', 0), + (34022, 2, 16, 'Pantacourt à chaîne camo violet', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo violet"}', 0), + (34023, 2, 16, 'Pantacourt à chaîne camo rose', 50, '{"components":{"4":{"Drawable":110,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantacourt à chaîne","colorLabel":"camo rose"}', 0), + (34024, 1, 16, 'Pantalon baggy ceinture ciel', 50, '{"components":{"4":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"ciel"}', 0), + (34025, 2, 16, 'Pantalon baggy ceinture ciel', 50, '{"components":{"4":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy ceinture","colorLabel":"ciel"}', 0), + (34026, 3, 16, 'Pantalon slim à lacets anthracite', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"anthracite"}', 0), + (34027, 3, 16, 'Pantalon slim à lacets noir rouge', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"noir rouge"}', 0), + (34028, 3, 16, 'Pantalon slim à lacets blanc', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"blanc"}', 0), + (34029, 3, 16, 'Pantalon slim à lacets rouge', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"rouge"}', 0), + (34030, 3, 16, 'Pantalon slim à lacets corail', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"corail"}', 0), + (34031, 3, 16, 'Pantalon slim à lacets bleu', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"bleu"}', 0), + (34032, 3, 16, 'Pantalon slim à lacets usé café', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"usé café"}', 0), + (34033, 3, 16, 'Pantalon slim à lacets usé gris', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"usé gris"}', 0), + (34034, 3, 16, 'Pantalon slim à lacets usé brun', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"usé brun"}', 0), + (34035, 3, 16, 'Pantalon slim à lacets usé rouille', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"usé rouille"}', 0), + (34036, 3, 16, 'Pantalon slim à lacets usé anthracite', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"usé anthracite"}', 0), + (34037, 3, 16, 'Pantalon slim à lacets usé rouge', 50, '{"components":{"4":{"Drawable":112,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon slim à lacets","colorLabel":"usé rouge"}', 0), + (34038, 1, 20, 'Combinaison couvrante robot jaune', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (34039, 1, 20, 'Combinaison couvrante robot bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (34040, 1, 20, 'Combinaison couvrante cyber bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (34041, 1, 20, 'Combinaison couvrante cyber rouge', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (34042, 1, 20, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (34043, 1, 20, 'Combinaison couvrante flèches violettes', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (34044, 1, 20, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (34045, 1, 20, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (34046, 1, 20, 'Combinaison couvrante fond vert', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (34047, 1, 20, 'Combinaison couvrante fond violet', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (34048, 1, 20, 'Combinaison couvrante naïade vert', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (34049, 1, 20, 'Combinaison couvrante naïade rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (34050, 1, 20, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (34051, 1, 20, 'Combinaison couvrante galaxie rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (34052, 1, 20, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (34053, 1, 20, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (34054, 1, 20, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (34055, 1, 20, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (34056, 1, 20, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (34057, 1, 20, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (34058, 2, 20, 'Combinaison couvrante robot jaune', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"robot jaune"}', 0), + (34059, 2, 20, 'Combinaison couvrante robot bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"robot bleu"}', 0), + (34060, 2, 20, 'Combinaison couvrante cyber bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"cyber bleu"}', 0), + (34061, 2, 20, 'Combinaison couvrante cyber rouge', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"cyber rouge"}', 0), + (34062, 2, 20, 'Combinaison couvrante flèches turquoise', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"flèches turquoise"}', 0), + (34063, 2, 20, 'Combinaison couvrante flèches violettes', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"flèches violettes"}', 0), + (34064, 2, 20, 'Combinaison couvrante néon turquoise-rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"néon turquoise-rose"}', 0), + (34065, 2, 20, 'Combinaison couvrante néon vert-rouge', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"néon vert-rouge"}', 0), + (34066, 2, 20, 'Combinaison couvrante fond vert', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"fond vert"}', 0), + (34067, 2, 20, 'Combinaison couvrante fond violet', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"fond violet"}', 0), + (34068, 2, 20, 'Combinaison couvrante naïade vert', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"naïade vert"}', 0), + (34069, 2, 20, 'Combinaison couvrante naïade rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"naïade rose"}', 0), + (34070, 2, 20, 'Combinaison couvrante galaxie bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie bleu"}', 0), + (34071, 2, 20, 'Combinaison couvrante galaxie rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"galaxie rose"}', 0), + (34072, 2, 20, 'Combinaison couvrante voie lactée bleu', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée bleu"}', 0), + (34073, 2, 20, 'Combinaison couvrante voie lactée jaune', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"voie lactée jaune"}', 0), + (34074, 2, 20, 'Combinaison couvrante guirlande dorée', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande dorée"}', 0), + (34075, 2, 20, 'Combinaison couvrante guirlande noël rouge', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rouge"}', 0), + (34076, 2, 20, 'Combinaison couvrante guirlande turquoise', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande turquoise"}', 0), + (34077, 2, 20, 'Combinaison couvrante guirlande noël rose', 50, '{"components":{"4":{"Drawable":113,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"guirlande noël rose"}', 0), + (34078, 1, 20, 'Pantacourt médiéval brun', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"brun"}', 0), + (34079, 1, 20, 'Pantacourt médiéval noir', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"noir"}', 0), + (34080, 1, 20, 'Pantacourt médiéval vert-brun', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"vert-brun"}', 0), + (34081, 1, 20, 'Pantacourt médiéval beige', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"beige"}', 0), + (34082, 1, 20, 'Pantacourt médiéval bleu-brun', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu-brun"}', 0), + (34083, 1, 20, 'Pantacourt médiéval camo vert', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"camo vert"}', 0), + (34084, 1, 20, 'Pantacourt médiéval perle', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"perle"}', 0), + (34085, 1, 20, 'Pantacourt médiéval grille', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"grille"}', 0), + (34086, 1, 20, 'Pantacourt médiéval jaune', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"jaune"}', 0), + (34087, 1, 20, 'Pantacourt médiéval gris', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"gris"}', 0), + (34088, 1, 20, 'Pantacourt médiéval feu', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"feu"}', 0), + (34089, 1, 20, 'Pantacourt médiéval bleu', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu"}', 0), + (34090, 1, 20, 'Pantacourt médiéval vert', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"vert"}', 0), + (34091, 1, 20, 'Pantacourt médiéval abricot', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"abricot"}', 0), + (34092, 1, 20, 'Pantacourt médiéval violet', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"violet"}', 0), + (34093, 1, 20, 'Pantacourt médiéval rose', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"rose"}', 0), + (34094, 2, 20, 'Pantacourt médiéval brun', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"brun"}', 0), + (34095, 2, 20, 'Pantacourt médiéval noir', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"noir"}', 0), + (34096, 2, 20, 'Pantacourt médiéval vert-brun', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"vert-brun"}', 0), + (34097, 2, 20, 'Pantacourt médiéval beige', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"beige"}', 0), + (34098, 2, 20, 'Pantacourt médiéval bleu-brun', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu-brun"}', 0), + (34099, 2, 20, 'Pantacourt médiéval camo vert', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"camo vert"}', 0), + (34100, 2, 20, 'Pantacourt médiéval perle', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"perle"}', 0), + (34101, 2, 20, 'Pantacourt médiéval grille', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"grille"}', 0), + (34102, 2, 20, 'Pantacourt médiéval jaune', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"jaune"}', 0), + (34103, 2, 20, 'Pantacourt médiéval gris', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"gris"}', 0), + (34104, 2, 20, 'Pantacourt médiéval feu', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"feu"}', 0), + (34105, 2, 20, 'Pantacourt médiéval bleu', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"bleu"}', 0), + (34106, 2, 20, 'Pantacourt médiéval vert', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"vert"}', 0), + (34107, 2, 20, 'Pantacourt médiéval abricot', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"abricot"}', 0), + (34108, 2, 20, 'Pantacourt médiéval violet', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"violet"}', 0), + (34109, 2, 20, 'Pantacourt médiéval rose', 50, '{"components":{"4":{"Drawable":114,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantacourt médiéval","colorLabel":"rose"}', 0), + (34110, 1, 20, 'Déguisement astronaute feu', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (34111, 1, 20, 'Déguisement astronaute jaune', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (34112, 1, 20, 'Déguisement astronaute pétrole', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (34113, 1, 20, 'Déguisement astronaute sable', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (34114, 1, 20, 'Déguisement astronaute perle', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (34115, 1, 20, 'Déguisement astronaute bleu', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (34116, 1, 20, 'Déguisement astronaute blanc', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (34117, 1, 20, 'Déguisement astronaute anthracite', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (34118, 1, 20, 'Déguisement astronaute rouge', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (34119, 1, 20, 'Déguisement astronaute vert de gris', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (34120, 1, 20, 'Déguisement astronaute forêt', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (34121, 1, 20, 'Déguisement astronaute abricot', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (34122, 1, 20, 'Déguisement astronaute violet', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (34123, 1, 20, 'Déguisement astronaute rose', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (34124, 1, 20, 'Déguisement astronaute camel', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (34125, 1, 20, 'Déguisement astronaute crème', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (34126, 1, 20, 'Déguisement astronaute noir', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (34127, 1, 20, 'Déguisement astronaute gris', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (34128, 2, 20, 'Déguisement astronaute feu', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"feu"}', 0), + (34129, 2, 20, 'Déguisement astronaute jaune', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"jaune"}', 0), + (34130, 2, 20, 'Déguisement astronaute pétrole', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"pétrole"}', 0), + (34131, 2, 20, 'Déguisement astronaute sable', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"sable"}', 0), + (34132, 2, 20, 'Déguisement astronaute perle', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"perle"}', 0), + (34133, 2, 20, 'Déguisement astronaute bleu', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"bleu"}', 0), + (34134, 2, 20, 'Déguisement astronaute blanc', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"blanc"}', 0), + (34135, 2, 20, 'Déguisement astronaute anthracite', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"anthracite"}', 0), + (34136, 2, 20, 'Déguisement astronaute rouge', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"rouge"}', 0), + (34137, 2, 20, 'Déguisement astronaute vert de gris', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"vert de gris"}', 0), + (34138, 2, 20, 'Déguisement astronaute forêt', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"forêt"}', 0), + (34139, 2, 20, 'Déguisement astronaute abricot', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"abricot"}', 0), + (34140, 2, 20, 'Déguisement astronaute violet', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"violet"}', 0), + (34141, 2, 20, 'Déguisement astronaute rose', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"rose"}', 0), + (34142, 2, 20, 'Déguisement astronaute camel', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"camel"}', 0), + (34143, 2, 20, 'Déguisement astronaute crème', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"crème"}', 0), + (34144, 2, 20, 'Déguisement astronaute noir', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"noir"}', 0), + (34145, 2, 20, 'Déguisement astronaute gris', 50, '{"components":{"4":{"Drawable":116,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Déguisement astronaute","colorLabel":"gris"}', 0), + (34146, 1, 20, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (34147, 1, 20, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (34148, 1, 20, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (34149, 1, 20, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (34150, 1, 20, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (34151, 1, 20, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (34152, 1, 20, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (34153, 1, 20, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (34154, 1, 20, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (34155, 1, 20, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (34156, 1, 20, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (34157, 1, 20, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (34158, 2, 20, 'Déguisement scaphandre astronaute blanc', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"blanc"}', 0), + (34159, 2, 20, 'Déguisement scaphandre astronaute miel', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"miel"}', 0), + (34160, 2, 20, 'Déguisement scaphandre astronaute taupe', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"taupe"}', 0), + (34161, 2, 20, 'Déguisement scaphandre astronaute beige', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"beige"}', 0), + (34162, 2, 20, 'Déguisement scaphandre astronaute orange et noir', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"orange et noir"}', 0), + (34163, 2, 20, 'Déguisement scaphandre astronaute jaune', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"jaune"}', 0), + (34164, 2, 20, 'Déguisement scaphandre astronaute perle', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"perle"}', 0), + (34165, 2, 20, 'Déguisement scaphandre astronaute gris', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"gris"}', 0), + (34166, 2, 20, 'Déguisement scaphandre astronaute forêt', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"forêt"}', 0), + (34167, 2, 20, 'Déguisement scaphandre astronaute camel', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"camel"}', 0), + (34168, 2, 20, 'Déguisement scaphandre astronaute violet', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"violet"}', 0), + (34169, 2, 20, 'Déguisement scaphandre astronaute rose', 50, '{"components":{"4":{"Drawable":117,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Déguisement scaphandre astronaute","colorLabel":"rose"}', 0), + (34170, 1, 16, 'Combinaison moto ensanglanté', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"ensanglanté"}', 0), + (34171, 2, 16, 'Combinaison moto ensanglanté', 50, '{"components":{"4":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"ensanglanté"}', 0), + (34172, 1, 20, 'Scaphandre léger rouge', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (34173, 2, 20, 'Scaphandre léger rouge', 50, '{"components":{"4":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Scaphandre léger","colorLabel":"rouge"}', 0), + (34174, 1, 20, 'Costume ranger de l\'espace vert', 50, '{"components":{"4":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (34175, 2, 20, 'Costume ranger de l\'espace vert', 50, '{"components":{"4":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (34176, 1, 20, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (34177, 1, 20, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (34178, 1, 20, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (34179, 1, 20, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (34180, 1, 20, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (34181, 1, 20, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (34182, 1, 20, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (34183, 1, 20, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (34184, 1, 20, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (34185, 1, 20, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (34186, 1, 20, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (34187, 1, 20, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (34188, 1, 20, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (34189, 1, 20, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (34190, 2, 20, 'Déguisement futuriste de l\'espace blanc', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"blanc"}', 0), + (34191, 2, 20, 'Déguisement futuriste de l\'espace anthracite', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"anthracite"}', 0), + (34192, 2, 20, 'Déguisement futuriste de l\'espace rouge', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rouge"}', 0), + (34193, 2, 20, 'Déguisement futuriste de l\'espace jaune', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"jaune"}', 0), + (34194, 2, 20, 'Déguisement futuriste de l\'espace ardoise', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"ardoise"}', 0), + (34195, 2, 20, 'Déguisement futuriste de l\'espace forêt', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"forêt"}', 0), + (34196, 2, 20, 'Déguisement futuriste de l\'espace noir', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"noir"}', 0), + (34197, 2, 20, 'Déguisement futuriste de l\'espace vanille', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vanille"}', 0), + (34198, 2, 20, 'Déguisement futuriste de l\'espace crème', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"crème"}', 0), + (34199, 2, 20, 'Déguisement futuriste de l\'espace framboise', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"framboise"}', 0), + (34200, 2, 20, 'Déguisement futuriste de l\'espace vert', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"vert"}', 0), + (34201, 2, 20, 'Déguisement futuriste de l\'espace orange', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"orange"}', 0), + (34202, 2, 20, 'Déguisement futuriste de l\'espace violet', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"violet"}', 0), + (34203, 2, 20, 'Déguisement futuriste de l\'espace rose', 50, '{"components":{"4":{"Drawable":121,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Déguisement futuriste de l\'espace","colorLabel":"rose"}', 0), + (34204, 1, 20, 'Costume super-héros musclé blanc', 50, '{"components":{"4":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (34205, 2, 20, 'Costume super-héros musclé blanc', 50, '{"components":{"4":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume super-héros musclé","colorLabel":"blanc"}', 0), + (34206, 1, 17, 'Short de bain dorures rouge', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorures rouge"}', 0), + (34207, 1, 17, 'Short de bain dorures bleu', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorures bleu"}', 0), + (34208, 1, 17, 'Short de bain dorure blanc', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorure blanc"}', 0), + (34209, 1, 17, 'Short de bain dorure noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorure noir"}', 0), + (34210, 1, 17, 'Short de bain motifs noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"motifs noir"}', 0), + (34211, 1, 17, 'Short de bain serpent jaune', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"serpent jaune"}', 0), + (34212, 1, 17, 'Short de bain Santo capra blanc', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"Santo capra blanc"}', 0), + (34213, 1, 17, 'Short de bain Santo capra noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"Santo capra noir"}', 0), + (34214, 1, 17, 'Short de bain Broker jaune', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"Broker jaune"}', 0), + (34215, 1, 17, 'Short de bain SD blanc', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"SD blanc"}', 0), + (34216, 1, 17, 'Short de bain SD noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"SD noir"}', 0), + (34217, 2, 17, 'Short de bain dorures rouge', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorures rouge"}', 0), + (34218, 2, 17, 'Short de bain dorures bleu', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorures bleu"}', 0), + (34219, 2, 17, 'Short de bain dorure blanc', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorure blanc"}', 0), + (34220, 2, 17, 'Short de bain dorure noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"dorure noir"}', 0), + (34221, 2, 17, 'Short de bain motifs noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"motifs noir"}', 0), + (34222, 2, 17, 'Short de bain serpent jaune', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"serpent jaune"}', 0), + (34223, 2, 17, 'Short de bain Santo capra blanc', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"Santo capra blanc"}', 0), + (34224, 2, 17, 'Short de bain Santo capra noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"Santo capra noir"}', 0), + (34225, 2, 17, 'Short de bain Broker jaune', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"Broker jaune"}', 0), + (34226, 2, 17, 'Short de bain SD blanc', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"SD blanc"}', 0), + (34227, 2, 17, 'Short de bain SD noir', 50, '{"components":{"4":{"Drawable":123,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short de bain","colorLabel":"SD noir"}', 0), + (34228, 3, 16, 'Pantalon à pince losange anthracite', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"losange anthracite"}', 0), + (34229, 3, 16, 'Pantalon à pince losange ciel', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"losange ciel"}', 0), + (34230, 3, 16, 'Pantalon à pince losange bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"losange bleu"}', 0), + (34231, 3, 16, 'Pantalon à pince P bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"P bleu"}', 0), + (34232, 3, 16, 'Pantalon à pince P vanille', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"P vanille"}', 0), + (34233, 3, 16, 'Pantalon à pince P anthracite', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"P anthracite"}', 0), + (34234, 3, 16, 'Pantalon à pince symboles noir', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"symboles noir"}', 0), + (34235, 3, 16, 'Pantalon à pince dorures blanc', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"dorures blanc"}', 0), + (34236, 3, 16, 'Pantalon à pince danse violet', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"danse violet"}', 0), + (34237, 3, 16, 'Pantalon à pince dorures rouge', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"dorures rouge"}', 0), + (34238, 3, 16, 'Pantalon à pince Santo capra bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"Santo capra bleu"}', 0), + (34239, 3, 16, 'Pantalon à pince danse bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"danse bleu"}', 0), + (34240, 3, 16, 'Pantalon à pince dorures noir', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"dorures noir"}', 0), + (34241, 3, 16, 'Pantalon à pince Santo capra blanc', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"Santo capra blanc"}', 0), + (34242, 3, 16, 'Pantalon à pince triangle noir', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"triangle noir"}', 0), + (34243, 3, 16, 'Pantalon à pince triangle rose', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"triangle rose"}', 0), + (34244, 3, 16, 'Pantalon à pince danse gris', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"danse gris"}', 0), + (34245, 3, 16, 'Pantalon à pince espace vert', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"espace vert"}', 0), + (34246, 3, 16, 'Pantalon à pince espace bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"espace bleu"}', 0), + (34247, 3, 16, 'Pantalon à pince espace jaune', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"espace jaune"}', 0), + (34248, 3, 16, 'Pantalon à pince losange gris', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"losange gris"}', 0), + (34249, 3, 16, 'Pantalon à pince fleurs anthracite', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"fleurs anthracite"}', 0), + (34250, 3, 16, 'Pantalon à pince fleurs bleu', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"fleurs bleu"}', 0), + (34251, 3, 16, 'Pantalon à pince fleurs rouge', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"fleurs rouge"}', 0), + (34252, 3, 16, 'Pantalon à pince fleurs rose', 50, '{"components":{"4":{"Drawable":124,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon à pince","colorLabel":"fleurs rose"}', 0), + (34253, 3, 22, 'Peignoir médaillon blanc', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"médaillon blanc"}', 0), + (34254, 3, 22, 'Peignoir médaillon rouge', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"médaillon rouge"}', 0), + (34255, 3, 22, 'Peignoir Santo capra gris', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"Santo capra gris"}', 0), + (34256, 3, 22, 'Peignoir Santo capra jaune', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"Santo capra jaune"}', 0), + (34257, 3, 22, 'Peignoir blanc-noir', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"blanc-noir"}', 0), + (34258, 3, 22, 'Peignoir noir-blanc', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"noir-blanc"}', 0), + (34259, 3, 22, 'Peignoir étoiles anthracite', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"étoiles anthracite"}', 0), + (34260, 3, 22, 'Peignoir anthracite', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"anthracite"}', 0), + (34261, 3, 22, 'Peignoir étoiles rouge', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"étoiles rouge"}', 0), + (34262, 3, 22, 'Peignoir rouge-doré', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"rouge-doré"}', 0), + (34263, 3, 22, 'Peignoir blanc-doré', 50, '{"components":{"4":{"Drawable":125,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Peignoir","colorLabel":"blanc-doré"}', 0), + (34264, 1, 20, 'Pompier jaune clair', 50, '{"components":{"4":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pompier","colorLabel":"jaune clair"}', 0), + (34265, 1, 20, 'Pompier jaune foncé', 50, '{"components":{"4":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pompier","colorLabel":"jaune foncé"}', 0), + (34266, 2, 20, 'Pompier jaune clair', 50, '{"components":{"4":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pompier","colorLabel":"jaune clair"}', 0), + (34267, 2, 20, 'Pompier jaune foncé', 50, '{"components":{"4":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pompier","colorLabel":"jaune foncé"}', 0), + (34268, 1, 16, 'Pantalon grandes poches taupe', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"taupe"}', 0), + (34269, 2, 16, 'Pantalon grandes poches taupe', 50, '{"components":{"4":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"taupe"}', 0), + (34270, 1, 16, 'Pantalon cargo taupe', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"taupe"}', 0), + (34271, 2, 16, 'Pantalon cargo taupe', 50, '{"components":{"4":{"Drawable":129,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"taupe"}', 0), + (34272, 1, 16, 'Pantalon renforcé genoux bleu', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"bleu"}', 0), + (34273, 1, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (34274, 1, 16, 'Pantalon renforcé genoux gris', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"gris"}', 0), + (34275, 1, 16, 'Pantalon renforcé genoux beige', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"beige"}', 0), + (34276, 1, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (34277, 1, 16, 'Pantalon renforcé genoux kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"kaki"}', 0), + (34278, 1, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (34279, 1, 16, 'Pantalon renforcé genoux abricot', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"abricot"}', 0), + (34280, 1, 16, 'Pantalon renforcé genoux violet', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"violet"}', 0), + (34281, 1, 16, 'Pantalon renforcé genoux rose', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"rose"}', 0), + (34282, 1, 16, 'Pantalon renforcé genoux camo bleu', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo bleu"}', 0), + (34283, 1, 16, 'Pantalon renforcé genoux géométrique kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"géométrique kaki"}', 0), + (34284, 1, 16, 'Pantalon renforcé genoux camo kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo kaki"}', 0), + (34285, 1, 16, 'Pantalon renforcé genoux pixel vert', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel vert"}', 0), + (34286, 1, 16, 'Pantalon renforcé genoux pixel beige', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel beige"}', 0), + (34287, 1, 16, 'Pantalon renforcé genoux forêt', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"forêt"}', 0), + (34288, 1, 16, 'Pantalon renforcé genoux marais', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"marais"}', 0), + (34289, 1, 16, 'Pantalon renforcé genoux pixel bleu', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel bleu"}', 0), + (34290, 1, 16, 'Pantalon renforcé genoux motifs kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"motifs kaki"}', 0), + (34291, 1, 16, 'Pantalon renforcé genoux camo brun', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo brun"}', 0), + (34292, 2, 16, 'Pantalon renforcé genoux bleu', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"bleu"}', 0), + (34293, 2, 16, 'Pantalon renforcé genoux noir', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"noir"}', 0), + (34294, 2, 16, 'Pantalon renforcé genoux gris', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"gris"}', 0), + (34295, 2, 16, 'Pantalon renforcé genoux beige', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"beige"}', 0), + (34296, 2, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (34297, 2, 16, 'Pantalon renforcé genoux kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"kaki"}', 0), + (34298, 2, 16, 'Pantalon renforcé genoux vert', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"vert"}', 0), + (34299, 2, 16, 'Pantalon renforcé genoux abricot', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"abricot"}', 0), + (34300, 2, 16, 'Pantalon renforcé genoux violet', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"violet"}', 0), + (34301, 2, 16, 'Pantalon renforcé genoux rose', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"rose"}', 0), + (34302, 2, 16, 'Pantalon renforcé genoux camo bleu', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo bleu"}', 0), + (34303, 2, 16, 'Pantalon renforcé genoux géométrique kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"géométrique kaki"}', 0), + (34304, 2, 16, 'Pantalon renforcé genoux camo kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo kaki"}', 0), + (34305, 2, 16, 'Pantalon renforcé genoux pixel vert', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel vert"}', 0), + (34306, 2, 16, 'Pantalon renforcé genoux pixel beige', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel beige"}', 0), + (34307, 2, 16, 'Pantalon renforcé genoux forêt', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"forêt"}', 0), + (34308, 2, 16, 'Pantalon renforcé genoux marais', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"marais"}', 0), + (34309, 2, 16, 'Pantalon renforcé genoux pixel bleu', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"pixel bleu"}', 0), + (34310, 2, 16, 'Pantalon renforcé genoux motifs kaki', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"motifs kaki"}', 0), + (34311, 2, 16, 'Pantalon renforcé genoux camo brun', 50, '{"components":{"4":{"Drawable":130,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"camo brun"}', 0), + (34312, 1, 20, 'Pantalon jambière ardoise', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"ardoise"}', 0), + (34313, 1, 20, 'Pantalon jambière noir', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"noir"}', 0), + (34314, 1, 20, 'Pantalon jambière anthracite', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"anthracite"}', 0), + (34315, 1, 20, 'Pantalon jambière beige', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"beige"}', 0), + (34316, 1, 20, 'Pantalon jambière blanc', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"blanc"}', 0), + (34317, 1, 20, 'Pantalon jambière kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"kaki"}', 0), + (34318, 1, 20, 'Pantalon jambière vert', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"vert"}', 0), + (34319, 1, 20, 'Pantalon jambière abricot', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"abricot"}', 0), + (34320, 1, 20, 'Pantalon jambière violet', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"violet"}', 0), + (34321, 1, 20, 'Pantalon jambière rose', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"rose"}', 0), + (34322, 1, 20, 'Pantalon jambière camo bleu', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"camo bleu"}', 0), + (34323, 1, 20, 'Pantalon jambière géométrique kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"géométrique kaki"}', 0), + (34324, 1, 20, 'Pantalon jambière camo kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"camo kaki"}', 0), + (34325, 1, 20, 'Pantalon jambière pixel vert', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"pixel vert"}', 0), + (34326, 1, 20, 'Pantalon jambière pixel beige', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"pixel beige"}', 0), + (34327, 1, 20, 'Pantalon jambière forêt', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"forêt"}', 0), + (34328, 1, 20, 'Pantalon jambière marais', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"marais"}', 0), + (34329, 1, 20, 'Pantalon jambière pixel bleu', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"pixel bleu"}', 0), + (34330, 1, 20, 'Pantalon jambière motifs kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"motifs kaki"}', 0), + (34331, 1, 20, 'Pantalon jambière camo brun', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"camo brun"}', 0), + (34332, 2, 20, 'Pantalon jambière ardoise', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"ardoise"}', 0), + (34333, 2, 20, 'Pantalon jambière noir', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"noir"}', 0), + (34334, 2, 20, 'Pantalon jambière anthracite', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"anthracite"}', 0), + (34335, 2, 20, 'Pantalon jambière beige', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"beige"}', 0), + (34336, 2, 20, 'Pantalon jambière blanc', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"blanc"}', 0), + (34337, 2, 20, 'Pantalon jambière kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"kaki"}', 0), + (34338, 2, 20, 'Pantalon jambière vert', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"vert"}', 0), + (34339, 2, 20, 'Pantalon jambière abricot', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"abricot"}', 0), + (34340, 2, 20, 'Pantalon jambière violet', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"violet"}', 0), + (34341, 2, 20, 'Pantalon jambière rose', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"rose"}', 0), + (34342, 2, 20, 'Pantalon jambière camo bleu', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"camo bleu"}', 0), + (34343, 2, 20, 'Pantalon jambière géométrique kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"géométrique kaki"}', 0), + (34344, 2, 20, 'Pantalon jambière camo kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"camo kaki"}', 0), + (34345, 2, 20, 'Pantalon jambière pixel vert', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"pixel vert"}', 0), + (34346, 2, 20, 'Pantalon jambière pixel beige', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"pixel beige"}', 0), + (34347, 2, 20, 'Pantalon jambière forêt', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"forêt"}', 0), + (34348, 2, 20, 'Pantalon jambière marais', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"marais"}', 0), + (34349, 2, 20, 'Pantalon jambière pixel bleu', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"pixel bleu"}', 0), + (34350, 2, 20, 'Pantalon jambière motifs kaki', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"motifs kaki"}', 0), + (34351, 2, 20, 'Pantalon jambière camo brun', 50, '{"components":{"4":{"Drawable":131,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon jambière","colorLabel":"camo brun"}', 0), + (34352, 3, 16, 'Pantalon chic à ceinture noir', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"noir"}', 0), + (34353, 3, 16, 'Pantalon chic à ceinture anthracite', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"anthracite"}', 0), + (34354, 3, 16, 'Pantalon chic à ceinture ardoise', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"ardoise"}', 0), + (34355, 3, 16, 'Pantalon chic à ceinture blanc', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"blanc"}', 0), + (34356, 3, 16, 'Pantalon chic à ceinture bleu', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"bleu"}', 0), + (34357, 3, 16, 'Pantalon chic à ceinture violet', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"violet"}', 0), + (34358, 3, 16, 'Pantalon chic à ceinture turquoise', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"turquoise"}', 0), + (34359, 3, 16, 'Pantalon chic à ceinture pied-de-poule', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"pied-de-poule"}', 0), + (34360, 3, 16, 'Pantalon chic à ceinture kaki', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"kaki"}', 0), + (34361, 3, 16, 'Pantalon chic à ceinture citron', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"citron"}', 0), + (34362, 3, 16, 'Pantalon chic à ceinture rouge', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"rouge"}', 0), + (34363, 3, 16, 'Pantalon chic à ceinture rose', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"rose"}', 0), + (34364, 3, 16, 'Pantalon chic à ceinture framboise', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"framboise"}', 0), + (34365, 3, 16, 'Pantalon chic à ceinture noir b. crème', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"noir b. crème"}', 0), + (34366, 3, 16, 'Pantalon chic à ceinture rouge b. noir', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"rouge b. noir"}', 0), + (34367, 3, 16, 'Pantalon chic à ceinture noir b. blanche', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"noir b. blanche"}', 0), + (34368, 3, 16, 'Pantalon chic à ceinture crème', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"crème"}', 0), + (34369, 3, 16, 'Pantalon chic à ceinture gris', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"gris"}', 0), + (34370, 3, 16, 'Pantalon chic à ceinture perle', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"perle"}', 0), + (34371, 3, 16, 'Pantalon chic à ceinture lilas', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"lilas"}', 0), + (34372, 3, 16, 'Pantalon chic à ceinture jaune pâle', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"jaune pâle"}', 0), + (34373, 3, 16, 'Pantalon chic à ceinture lie-de-vin', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"lie-de-vin"}', 0), + (34374, 3, 16, 'Pantalon chic à ceinture indigo', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"indigo"}', 0), + (34375, 3, 16, 'Pantalon chic à ceinture marais', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"marais"}', 0), + (34376, 3, 16, 'Pantalon chic à ceinture vert', 50, '{"components":{"4":{"Drawable":133,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à ceinture","colorLabel":"vert"}', 0), + (34377, 3, 22, 'Legging uni écru', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"écru"}', 0), + (34378, 3, 22, 'Legging uni taupe', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"taupe"}', 0), + (34379, 3, 22, 'Legging uni jaune', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"jaune"}', 0), + (34380, 3, 22, 'Legging uni prune', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"prune"}', 0), + (34381, 3, 22, 'Legging uni orange', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"orange"}', 0), + (34382, 3, 22, 'Legging uni bonbon', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"bonbon"}', 0), + (34383, 3, 22, 'Legging uni blanc-rouge', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"blanc-rouge"}', 0), + (34384, 3, 22, 'Legging uni turquoise', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"turquoise"}', 0), + (34385, 3, 22, 'Legging uni anthracite', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"anthracite"}', 0), + (34386, 3, 22, 'Legging uni bleu', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"bleu"}', 0), + (34387, 3, 22, 'Legging uni nuage', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"nuage"}', 0), + (34388, 3, 22, 'Legging uni aqua', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"aqua"}', 0), + (34389, 3, 22, 'Legging uni vert-rouge', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"vert-rouge"}', 0), + (34390, 3, 22, 'Legging uni rouge-jaune', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"rouge-jaune"}', 0), + (34391, 3, 22, 'Legging uni marine', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"marine"}', 0), + (34392, 3, 22, 'Legging uni motifs bleu', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"motifs bleu"}', 0), + (34393, 3, 22, 'Legging uni motifs rouge', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"motifs rouge"}', 0), + (34394, 3, 22, 'Legging uni motifs jaune', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"motifs jaune"}', 0), + (34395, 3, 22, 'Legging uni marais', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"marais"}', 0), + (34396, 3, 22, 'Legging uni blanc', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"blanc"}', 0), + (34397, 3, 22, 'Legging uni gris', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"gris"}', 0), + (34398, 3, 22, 'Legging uni vert', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"vert"}', 0), + (34399, 3, 22, 'Legging uni abricot', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"abricot"}', 0), + (34400, 3, 22, 'Legging uni violet', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"violet"}', 0), + (34401, 3, 22, 'Legging uni rose', 50, '{"components":{"4":{"Drawable":134,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Legging uni","colorLabel":"rose"}', 0), + (34402, 1, 16, 'Pantalon grandes poches pétrole', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pétrole"}', 0), + (34403, 1, 16, 'Pantalon grandes poches noir', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"noir"}', 0), + (34404, 1, 16, 'Pantalon grandes poches kaki', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki"}', 0), + (34405, 1, 16, 'Pantalon grandes poches gris', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"gris"}', 0), + (34406, 1, 16, 'Pantalon grandes poches blanc', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"blanc"}', 0), + (34407, 1, 16, 'Pantalon grandes poches sapin', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"sapin"}', 0), + (34408, 1, 16, 'Pantalon grandes poches crème', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"crème"}', 0), + (34409, 1, 16, 'Pantalon grandes poches ciel', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"ciel"}', 0), + (34410, 2, 16, 'Pantalon grandes poches pétrole', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"pétrole"}', 0), + (34411, 2, 16, 'Pantalon grandes poches noir', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"noir"}', 0), + (34412, 2, 16, 'Pantalon grandes poches kaki', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"kaki"}', 0), + (34413, 2, 16, 'Pantalon grandes poches gris', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"gris"}', 0), + (34414, 2, 16, 'Pantalon grandes poches blanc', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"blanc"}', 0), + (34415, 2, 16, 'Pantalon grandes poches sapin', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"sapin"}', 0), + (34416, 2, 16, 'Pantalon grandes poches crème', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"crème"}', 0), + (34417, 2, 16, 'Pantalon grandes poches ciel', 50, '{"components":{"4":{"Drawable":135,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon grandes poches","colorLabel":"ciel"}', 0), + (34418, 1, 16, 'Pantalon cargo pétrole', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pétrole"}', 0), + (34419, 1, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (34420, 1, 16, 'Pantalon cargo kaki', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"kaki"}', 0), + (34421, 1, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (34422, 1, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (34423, 1, 16, 'Pantalon cargo sapin', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"sapin"}', 0), + (34424, 1, 16, 'Pantalon cargo crème', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"crème"}', 0), + (34425, 1, 16, 'Pantalon cargo ciel', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"ciel"}', 0), + (34426, 2, 16, 'Pantalon cargo pétrole', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"pétrole"}', 0), + (34427, 2, 16, 'Pantalon cargo noir', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"noir"}', 0), + (34428, 2, 16, 'Pantalon cargo kaki', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"kaki"}', 0), + (34429, 2, 16, 'Pantalon cargo gris', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"gris"}', 0), + (34430, 2, 16, 'Pantalon cargo blanc', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"blanc"}', 0), + (34431, 2, 16, 'Pantalon cargo sapin', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"sapin"}', 0), + (34432, 2, 16, 'Pantalon cargo crème', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"crème"}', 0), + (34433, 2, 16, 'Pantalon cargo ciel', 50, '{"components":{"4":{"Drawable":136,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon cargo","colorLabel":"ciel"}', 0), + (34434, 3, 17, 'Short long classe anthracite', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"anthracite"}', 0), + (34435, 3, 17, 'Short long classe car. gris', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"car. gris"}', 0), + (34436, 3, 17, 'Short long classe gris', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"gris"}', 0), + (34437, 3, 17, 'Short long classe beige', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"beige"}', 0), + (34438, 3, 17, 'Short long classe ardoise', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"ardoise"}', 0), + (34439, 3, 17, 'Short long classe brun', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"brun"}', 0), + (34440, 3, 17, 'Short long classe car. anthracite', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"car. anthracite"}', 0), + (34441, 3, 17, 'Short long classe jaune', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"jaune"}', 0), + (34442, 3, 17, 'Short long classe ray. gris', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"ray. gris"}', 0), + (34443, 3, 17, 'Short long classe ciel', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"ciel"}', 0), + (34444, 3, 17, 'Short long classe crème', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"crème"}', 0), + (34445, 3, 17, 'Short long classe perle', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"perle"}', 0), + (34446, 3, 17, 'Short long classe car. menthe', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"car. menthe"}', 0), + (34447, 3, 17, 'Short long classe car. brun', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"car. brun"}', 0), + (34448, 3, 17, 'Short long classe rouge', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"rouge"}', 0), + (34449, 3, 17, 'Short long classe kaki', 50, '{"components":{"4":{"Drawable":137,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Short long classe","colorLabel":"kaki"}', 0), + (34450, 1, 22, 'Legging à motifs lila-bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"lila-bleu"}', 0), + (34451, 2, 22, 'Legging à motifs lila-bleu', 50, '{"components":{"4":{"Drawable":138,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Legging à motifs","colorLabel":"lila-bleu"}', 0), + (34452, 1, 17, 'Short de basket léopard blanc-noir', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short de basket","colorLabel":"léopard blanc-noir"}', 0), + (34453, 1, 17, 'Short de basket léopard violet', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short de basket","colorLabel":"léopard violet"}', 0), + (34454, 1, 17, 'Short de basket gris motifs', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short de basket","colorLabel":"gris motifs"}', 0), + (34455, 2, 17, 'Short de basket léopard blanc-noir', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Short de basket","colorLabel":"léopard blanc-noir"}', 0), + (34456, 2, 17, 'Short de basket léopard violet', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Short de basket","colorLabel":"léopard violet"}', 0), + (34457, 2, 17, 'Short de basket gris motifs', 50, '{"components":{"4":{"Drawable":139,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Short de basket","colorLabel":"gris motifs"}', 0), + (34458, 1, 20, 'Pantalon cow-boy daim', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cow-boy","colorLabel":"daim"}', 0), + (34459, 2, 20, 'Pantalon cow-boy daim', 50, '{"components":{"4":{"Drawable":140,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon cow-boy","colorLabel":"daim"}', 0), + (34460, 1, 23, 'Jogging oversize beige', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"beige"}', 0), + (34461, 1, 23, 'Jogging oversize vert', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"vert"}', 0), + (34462, 1, 23, 'Jogging oversize abricot', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"abricot"}', 0), + (34463, 1, 23, 'Jogging oversize perle', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"perle"}', 0), + (34464, 2, 23, 'Jogging oversize beige', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"beige"}', 0), + (34465, 2, 23, 'Jogging oversize vert', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"vert"}', 0), + (34466, 2, 23, 'Jogging oversize abricot', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"abricot"}', 0), + (34467, 2, 23, 'Jogging oversize perle', 50, '{"components":{"4":{"Drawable":141,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"perle"}', 0), + (34468, 1, 23, 'Jogging taille haute beige', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"beige"}', 0), + (34469, 1, 23, 'Jogging taille haute vert', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"vert"}', 0), + (34470, 2, 23, 'Jogging taille haute beige', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"beige"}', 0), + (34471, 2, 23, 'Jogging taille haute vert', 50, '{"components":{"4":{"Drawable":142,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging taille haute","colorLabel":"vert"}', 0), + (34472, 1, 20, 'Combinaison couvrante rouge', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"rouge"}', 0), + (34473, 1, 20, 'Combinaison couvrante vert', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (34474, 2, 20, 'Combinaison couvrante rouge', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"rouge"}', 0), + (34475, 2, 20, 'Combinaison couvrante vert', 50, '{"components":{"4":{"Drawable":143,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison couvrante","colorLabel":"vert"}', 0), + (34476, 1, 16, 'Combinaison moto noir-beige', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"noir-beige"}', 0), + (34477, 1, 16, 'Combinaison moto blanc-noir', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"blanc-noir"}', 0), + (34478, 1, 16, 'Combinaison moto vert-jaune', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"vert-jaune"}', 0), + (34479, 1, 16, 'Combinaison moto cyan-rouge', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"cyan-rouge"}', 0), + (34480, 1, 16, 'Combinaison moto rouge-cyan', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rouge-cyan"}', 0), + (34481, 1, 16, 'Combinaison moto comics-noir', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"comics-noir"}', 0), + (34482, 1, 16, 'Combinaison moto bleu-comics', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"bleu-comics"}', 0), + (34483, 2, 16, 'Combinaison moto noir-beige', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"noir-beige"}', 0), + (34484, 2, 16, 'Combinaison moto blanc-noir', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"blanc-noir"}', 0), + (34485, 2, 16, 'Combinaison moto vert-jaune', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"vert-jaune"}', 0), + (34486, 2, 16, 'Combinaison moto cyan-rouge', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"cyan-rouge"}', 0), + (34487, 2, 16, 'Combinaison moto rouge-cyan', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"rouge-cyan"}', 0), + (34488, 2, 16, 'Combinaison moto comics-noir', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"comics-noir"}', 0), + (34489, 2, 16, 'Combinaison moto bleu-comics', 50, '{"components":{"4":{"Drawable":144,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Combinaison moto","colorLabel":"bleu-comics"}', 0), + (34490, 1, 23, 'Jogging uni jaune', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni jaune"}', 0), + (34491, 1, 23, 'Jogging uni noir', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni noir"}', 0), + (34492, 1, 23, 'Jogging uni gris', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni gris"}', 0), + (34493, 1, 23, 'Jogging uni crème', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni crème"}', 0), + (34494, 1, 23, 'Jogging uni ardoise', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni ardoise"}', 0), + (34495, 1, 23, 'Jogging uni brun', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni brun"}', 0), + (34496, 1, 23, 'Jogging uni vert', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni vert"}', 0), + (34497, 1, 23, 'Jogging FB98 rouge', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"FB98 rouge"}', 0), + (34498, 1, 23, 'Jogging FB98 vert', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"FB98 vert"}', 0), + (34499, 1, 23, 'Jogging FB98 bleu', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"FB98 bleu"}', 0), + (34500, 1, 23, 'Jogging dégradé rose', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"dégradé rose"}', 0), + (34501, 1, 23, 'Jogging dégradé orange', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"dégradé orange"}', 0), + (34502, 1, 23, 'Jogging dégradé bleu', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"dégradé bleu"}', 0), + (34503, 1, 23, 'Jogging Bigness noir', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness noir"}', 0), + (34504, 1, 23, 'Jogging Bigness turquoise', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness turquoise"}', 0), + (34505, 1, 23, 'Jogging Bigness jaune', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness jaune"}', 0), + (34506, 1, 23, 'Jogging Bigness rose', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness rose"}', 0), + (34507, 1, 23, 'Jogging Bigness violet', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness violet"}', 0), + (34508, 1, 23, 'Jogging carreaux rose', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"carreaux rose"}', 0), + (34509, 1, 23, 'Jogging carreaux patchwork', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"carreaux patchwork"}', 0), + (34510, 1, 23, 'Jogging carreaux bleu', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"carreaux bleu"}', 0), + (34511, 1, 23, 'Jogging Squash blanc', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Squash blanc"}', 0), + (34512, 1, 23, 'Jogging noir jap.', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir jap."}', 0), + (34513, 1, 23, 'Jogging noir triangle', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir triangle"}', 0), + (34514, 1, 23, 'Jogging noir zèbre', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir zèbre"}', 0), + (34515, 2, 23, 'Jogging uni jaune', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni jaune"}', 0), + (34516, 2, 23, 'Jogging uni noir', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni noir"}', 0), + (34517, 2, 23, 'Jogging uni gris', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni gris"}', 0), + (34518, 2, 23, 'Jogging uni crème', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni crème"}', 0), + (34519, 2, 23, 'Jogging uni ardoise', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni ardoise"}', 0), + (34520, 2, 23, 'Jogging uni brun', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni brun"}', 0), + (34521, 2, 23, 'Jogging uni vert', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"uni vert"}', 0), + (34522, 2, 23, 'Jogging FB98 rouge', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"FB98 rouge"}', 0), + (34523, 2, 23, 'Jogging FB98 vert', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"FB98 vert"}', 0), + (34524, 2, 23, 'Jogging FB98 bleu', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"FB98 bleu"}', 0), + (34525, 2, 23, 'Jogging dégradé rose', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"dégradé rose"}', 0), + (34526, 2, 23, 'Jogging dégradé orange', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"dégradé orange"}', 0), + (34527, 2, 23, 'Jogging dégradé bleu', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"dégradé bleu"}', 0), + (34528, 2, 23, 'Jogging Bigness noir', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness noir"}', 0), + (34529, 2, 23, 'Jogging Bigness turquoise', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness turquoise"}', 0), + (34530, 2, 23, 'Jogging Bigness jaune', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness jaune"}', 0), + (34531, 2, 23, 'Jogging Bigness rose', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness rose"}', 0), + (34532, 2, 23, 'Jogging Bigness violet', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Bigness violet"}', 0), + (34533, 2, 23, 'Jogging carreaux rose', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"carreaux rose"}', 0), + (34534, 2, 23, 'Jogging carreaux patchwork', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"carreaux patchwork"}', 0), + (34535, 2, 23, 'Jogging carreaux bleu', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"carreaux bleu"}', 0), + (34536, 2, 23, 'Jogging Squash blanc', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"Squash blanc"}', 0), + (34537, 2, 23, 'Jogging noir jap.', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir jap."}', 0), + (34538, 2, 23, 'Jogging noir triangle', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir triangle"}', 0), + (34539, 2, 23, 'Jogging noir zèbre', 50, '{"components":{"4":{"Drawable":145,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir zèbre"}', 0), + (34540, 1, 23, 'Jogging bleu bigness', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"bleu bigness"}', 0), + (34541, 1, 23, 'Jogging rouge bigness', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"rouge bigness"}', 0), + (34542, 1, 23, 'Jogging blanc bigness', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"blanc bigness"}', 0), + (34543, 1, 23, 'Jogging yeti n. gris', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. gris"}', 0), + (34544, 1, 23, 'Jogging yeti n. jaune-bleu', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-bleu"}', 0), + (34545, 1, 23, 'Jogging yeti n. bleu-rose', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. bleu-rose"}', 0), + (34546, 1, 23, 'Jogging yeti b. bleu-rose', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. bleu-rose"}', 0), + (34547, 1, 23, 'Jogging yeti b. jaune-bleu', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-bleu"}', 0), + (34548, 1, 23, 'Jogging yeti n. jaune-vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-vert"}', 0), + (34549, 1, 23, 'Jogging yeti b. jaune-vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-vert"}', 0), + (34550, 1, 23, 'Jogging yeti b. vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. vert"}', 0), + (34551, 1, 23, 'Jogging yeti b. rose', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. rose"}', 0), + (34552, 1, 23, 'Jogging yeti b. bleu', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. bleu"}', 0), + (34553, 1, 23, 'Jogging noir heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir heat"}', 0), + (34554, 1, 23, 'Jogging turquoise heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"turquoise heat"}', 0), + (34555, 1, 23, 'Jogging jaune heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"jaune heat"}', 0), + (34556, 1, 23, 'Jogging corail heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"corail heat"}', 0), + (34557, 1, 23, 'Jogging orange heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"orange heat"}', 0), + (34558, 1, 23, 'Jogging bleu heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"bleu heat"}', 0), + (34559, 1, 23, 'Jogging taupe heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"taupe heat"}', 0), + (34560, 1, 23, 'Jogging violet heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"violet heat"}', 0), + (34561, 1, 23, 'Jogging beige heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"beige heat"}', 0), + (34562, 1, 23, 'Jogging lime heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"lime heat"}', 0), + (34563, 1, 23, 'Jogging vanille heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"vanille heat"}', 0), + (34564, 1, 23, 'Jogging manor noir', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor noir"}', 0), + (34565, 2, 23, 'Jogging bleu bigness', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"bleu bigness"}', 0), + (34566, 2, 23, 'Jogging rouge bigness', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"rouge bigness"}', 0), + (34567, 2, 23, 'Jogging blanc bigness', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"blanc bigness"}', 0), + (34568, 2, 23, 'Jogging yeti n. gris', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. gris"}', 0), + (34569, 2, 23, 'Jogging yeti n. jaune-bleu', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-bleu"}', 0), + (34570, 2, 23, 'Jogging yeti n. bleu-rose', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. bleu-rose"}', 0), + (34571, 2, 23, 'Jogging yeti b. bleu-rose', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. bleu-rose"}', 0), + (34572, 2, 23, 'Jogging yeti b. jaune-bleu', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-bleu"}', 0), + (34573, 2, 23, 'Jogging yeti n. jaune-vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti n. jaune-vert"}', 0), + (34574, 2, 23, 'Jogging yeti b. jaune-vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. jaune-vert"}', 0), + (34575, 2, 23, 'Jogging yeti b. vert', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. vert"}', 0), + (34576, 2, 23, 'Jogging yeti b. rose', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. rose"}', 0), + (34577, 2, 23, 'Jogging yeti b. bleu', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"yeti b. bleu"}', 0), + (34578, 2, 23, 'Jogging noir heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"noir heat"}', 0), + (34579, 2, 23, 'Jogging turquoise heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"turquoise heat"}', 0), + (34580, 2, 23, 'Jogging jaune heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"jaune heat"}', 0), + (34581, 2, 23, 'Jogging corail heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"corail heat"}', 0), + (34582, 2, 23, 'Jogging orange heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"orange heat"}', 0), + (34583, 2, 23, 'Jogging bleu heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"bleu heat"}', 0), + (34584, 2, 23, 'Jogging taupe heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"taupe heat"}', 0), + (34585, 2, 23, 'Jogging violet heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"violet heat"}', 0), + (34586, 2, 23, 'Jogging beige heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"beige heat"}', 0), + (34587, 2, 23, 'Jogging lime heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"lime heat"}', 0), + (34588, 2, 23, 'Jogging vanille heat', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"vanille heat"}', 0), + (34589, 2, 23, 'Jogging manor noir', 50, '{"components":{"4":{"Drawable":146,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor noir"}', 0), + (34590, 1, 23, 'Jogging manor turquoise', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor turquoise"}', 0), + (34591, 1, 23, 'Jogging manor rouge', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor rouge"}', 0), + (34592, 1, 23, 'Jogging manor jaune', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor jaune"}', 0), + (34593, 2, 23, 'Jogging manor turquoise', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor turquoise"}', 0), + (34594, 2, 23, 'Jogging manor rouge', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor rouge"}', 0), + (34595, 2, 23, 'Jogging manor jaune', 50, '{"components":{"4":{"Drawable":147,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jogging","colorLabel":"manor jaune"}', 0), + (34596, 3, 16, 'Pantalon chic à passants noir', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"noir"}', 0), + (34597, 3, 16, 'Pantalon chic à passants gris', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"gris"}', 0), + (34598, 3, 16, 'Pantalon chic à passants perle', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"perle"}', 0), + (34599, 3, 16, 'Pantalon chic à passants blanc', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"blanc"}', 0), + (34600, 3, 16, 'Pantalon chic à passants beige', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"beige"}', 0), + (34601, 3, 16, 'Pantalon chic à passants marine', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"marine"}', 0), + (34602, 3, 16, 'Pantalon chic à passants brun', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"brun"}', 0), + (34603, 3, 16, 'Pantalon chic à passants chinois vert', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois vert"}', 0), + (34604, 3, 16, 'Pantalon chic à passants chinois beige', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois beige"}', 0), + (34605, 3, 16, 'Pantalon chic à passants chinois bleu', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois bleu"}', 0), + (34606, 3, 16, 'Pantalon chic à passants chinois rouge', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chinois rouge"}', 0), + (34607, 3, 16, 'Pantalon chic à passants fleurs vert', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs vert"}', 0), + (34608, 3, 16, 'Pantalon chic à passants fleurs beige', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs beige"}', 0), + (34609, 3, 16, 'Pantalon chic à passants fleurs bleu', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs bleu"}', 0), + (34610, 3, 16, 'Pantalon chic à passants fleurs rouge', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"fleurs rouge"}', 0), + (34611, 3, 16, 'Pantalon chic à passants chihuahua vert', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chihuahua vert"}', 0), + (34612, 3, 16, 'Pantalon chic à passants chihuahua beige', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chihuahua beige"}', 0), + (34613, 3, 16, 'Pantalon chic à passants chihuahua bleu', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"chihuahua bleu"}', 0), + (34614, 3, 16, 'Pantalon chic à passants marbre blanc', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre blanc"}', 0), + (34615, 3, 16, 'Pantalon chic à passants marbre noir', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre noir"}', 0), + (34616, 3, 16, 'Pantalon chic à passants marbre ciel', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre ciel"}', 0), + (34617, 3, 16, 'Pantalon chic à passants marbre bleu', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"marbre bleu"}', 0), + (34618, 3, 16, 'Pantalon chic à passants camo gris', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo gris"}', 0), + (34619, 3, 16, 'Pantalon chic à passants camo turquoise', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo turquoise"}', 0), + (34620, 3, 16, 'Pantalon chic à passants camo jaune', 50, '{"components":{"4":{"Drawable":148,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo jaune"}', 0), + (34621, 3, 16, 'Pantalon chic à passants camo beige', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo beige"}', 0), + (34622, 3, 16, 'Pantalon chic à passants géométrique gris', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique gris"}', 0), + (34623, 3, 16, 'Pantalon chic à passants géométrique beige', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique beige"}', 0), + (34624, 3, 16, 'Pantalon chic à passants géométrique lime', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique lime"}', 0), + (34625, 3, 16, 'Pantalon chic à passants géométrique rouge', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique rouge"}', 0), + (34626, 3, 16, 'Pantalon chic à passants géométrique turquoise', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"géométrique turquoise"}', 0), + (34627, 3, 16, 'Pantalon chic à passants grillage gris', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage gris"}', 0), + (34628, 3, 16, 'Pantalon chic à passants grillage turquoise', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage turquoise"}', 0), + (34629, 3, 16, 'Pantalon chic à passants grillage rouge', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage rouge"}', 0), + (34630, 3, 16, 'Pantalon chic à passants grillage vert', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage vert"}', 0), + (34631, 3, 16, 'Pantalon chic à passants grillage beige', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"grillage beige"}', 0), + (34632, 3, 16, 'Pantalon chic à passants camo taupe', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo taupe"}', 0), + (34633, 3, 16, 'Pantalon chic à passants camo anthracite', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo anthracite"}', 0), + (34634, 3, 16, 'Pantalon chic à passants camo orange', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo orange"}', 0), + (34635, 3, 16, 'Pantalon chic à passants camo abricot', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo abricot"}', 0), + (34636, 3, 16, 'Pantalon chic à passants camo brun', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo brun"}', 0), + (34637, 3, 16, 'Pantalon chic à passants camo ciel', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"camo ciel"}', 0), + (34638, 3, 16, 'Pantalon chic à passants carreaux anthracite', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux anthracite"}', 0), + (34639, 3, 16, 'Pantalon chic à passants carreaux marine', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux marine"}', 0), + (34640, 3, 16, 'Pantalon chic à passants carreaux beige', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux beige"}', 0), + (34641, 3, 16, 'Pantalon chic à passants carreaux vert', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux vert"}', 0), + (34642, 3, 16, 'Pantalon chic à passants carreaux corail', 50, '{"components":{"4":{"Drawable":149,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon chic à passants","colorLabel":"carreaux corail"}', 0), + (34643, 3, 16, 'Pantalon de costume noir', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"noir"}', 0), + (34644, 3, 16, 'Pantalon de costume gris', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"gris"}', 0), + (34645, 3, 16, 'Pantalon de costume perle', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"perle"}', 0), + (34646, 3, 16, 'Pantalon de costume blanc', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"blanc"}', 0), + (34647, 3, 16, 'Pantalon de costume beige', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"beige"}', 0), + (34648, 3, 16, 'Pantalon de costume kaki', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"kaki"}', 0), + (34649, 3, 16, 'Pantalon de costume bulles rose', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"bulles rose"}', 0), + (34650, 3, 16, 'Pantalon de costume demi-carreaux ciel', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"demi-carreaux ciel"}', 0), + (34651, 3, 16, 'Pantalon de costume demi-carreaux beige', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"demi-carreaux beige"}', 0), + (34652, 3, 16, 'Pantalon de costume demi-carreaux vert', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"demi-carreaux vert"}', 0), + (34653, 3, 16, 'Pantalon de costume neurones gris', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"neurones gris"}', 0), + (34654, 3, 16, 'Pantalon de costume neurones jaune', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"neurones jaune"}', 0), + (34655, 3, 16, 'Pantalon de costume dollars gris', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"dollars gris"}', 0), + (34656, 3, 16, 'Pantalon de costume dollars rose', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"dollars rose"}', 0), + (34657, 3, 16, 'Pantalon de costume multicolore bleu', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"multicolore bleu"}', 0), + (34658, 3, 16, 'Pantalon de costume multicolore beige', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"multicolore beige"}', 0), + (34659, 3, 16, 'Pantalon de costume turtle gris', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"turtle gris"}', 0), + (34660, 3, 16, 'Pantalon de costume turtle rose', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"turtle rose"}', 0), + (34661, 3, 16, 'Pantalon de costume brume taupe', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"brume taupe"}', 0), + (34662, 3, 16, 'Pantalon de costume brume vert', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"brume vert"}', 0), + (34663, 3, 16, 'Pantalon de costume foudre rouge', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"foudre rouge"}', 0), + (34664, 3, 16, 'Pantalon de costume foudre jaune', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"foudre jaune"}', 0), + (34665, 3, 16, 'Pantalon de costume points bleu', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"points bleu"}', 0), + (34666, 3, 16, 'Pantalon de costume points rose', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"points rose"}', 0), + (34667, 3, 16, 'Pantalon de costume bulles bleu', 50, '{"components":{"4":{"Drawable":150,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume","colorLabel":"bulles bleu"}', 0), + (34668, 3, 21, 'Caleçon alien vert', 50, '{"components":{"4":{"Drawable":151,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Caleçon","colorLabel":"alien vert"}', 0), + (34669, 3, 21, 'Caleçon alien blanc', 50, '{"components":{"4":{"Drawable":151,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Caleçon","colorLabel":"alien blanc"}', 0), + (34670, 3, 17, 'Bermuda chic en jean blanc', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"blanc"}', 0), + (34671, 3, 17, 'Bermuda chic en jean gris', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"gris"}', 0), + (34672, 3, 17, 'Bermuda chic en jean anthracite', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"anthracite"}', 0), + (34673, 3, 17, 'Bermuda chic en jean noir', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"noir"}', 0), + (34674, 3, 17, 'Bermuda chic en jean indigo', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"indigo"}', 0), + (34675, 3, 17, 'Bermuda chic en jean ciel', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"ciel"}', 0), + (34676, 3, 17, 'Bermuda chic en jean bleu clair', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu clair"}', 0), + (34677, 3, 17, 'Bermuda chic en jean bleu', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu"}', 0), + (34678, 3, 17, 'Bermuda chic en jean bleu foncé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu foncé"}', 0), + (34679, 3, 17, 'Bermuda chic en jean bleu marine', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu marine"}', 0), + (34680, 3, 17, 'Bermuda chic en jean gris délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"gris délavé"}', 0), + (34681, 3, 17, 'Bermuda chic en jean noir délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"noir délavé"}', 0), + (34682, 3, 17, 'Bermuda chic en jean bleu clair délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu clair délavé"}', 0), + (34683, 3, 17, 'Bermuda chic en jean turquoise délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"turquoise délavé"}', 0), + (34684, 3, 17, 'Bermuda chic en jean indigo délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"indigo délavé"}', 0), + (34685, 3, 17, 'Bermuda chic en jean bleu foncé délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu foncé délavé"}', 0), + (34686, 3, 17, 'Bermuda chic en jean bleu délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"bleu délavé"}', 0), + (34687, 3, 17, 'Bermuda chic en jean ciel délavé', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"ciel délavé"}', 0), + (34688, 3, 17, 'Bermuda chic en jean rouge', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"rouge"}', 0), + (34689, 3, 17, 'Bermuda chic en jean abricot', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"abricot"}', 0), + (34690, 3, 17, 'Bermuda chic en jean citron', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"citron"}', 0), + (34691, 3, 17, 'Bermuda chic en jean jaune', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"jaune"}', 0), + (34692, 3, 17, 'Bermuda chic en jean lilas', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"lilas"}', 0), + (34693, 3, 17, 'Bermuda chic en jean vert', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"vert"}', 0), + (34694, 3, 17, 'Bermuda chic en jean pêche', 50, '{"components":{"4":{"Drawable":153,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Bermuda chic en jean","colorLabel":"pêche"}', 0), + (34695, 1, 18, 'Jupe en jean blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"blanc"}', 0), + (34696, 1, 18, 'Jupe en jean gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"gris"}', 0), + (34697, 1, 18, 'Jupe en jean anthracite', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"anthracite"}', 0), + (34698, 1, 18, 'Jupe en jean noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"noir"}', 0), + (34699, 1, 18, 'Jupe en jean indigo', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"indigo"}', 0), + (34700, 1, 18, 'Jupe en jean ciel', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"ciel"}', 0), + (34701, 1, 18, 'Jupe en jean bleu clair', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu clair"}', 0), + (34702, 1, 18, 'Jupe en jean bleu', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu"}', 0), + (34703, 1, 18, 'Jupe en jean bleu foncé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu foncé"}', 0), + (34704, 1, 18, 'Jupe en jean bleu marine', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu marine"}', 0), + (34705, 1, 18, 'Jupe en jean gris délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"gris délavé"}', 0), + (34706, 1, 18, 'Jupe en jean noir délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"noir délavé"}', 0), + (34707, 1, 18, 'Jupe en jean bleu clair délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu clair délavé"}', 0), + (34708, 1, 18, 'Jupe en jean turquoise délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"turquoise délavé"}', 0), + (34709, 1, 18, 'Jupe en jean indigo délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"indigo délavé"}', 0), + (34710, 1, 18, 'Jupe en jean bleu foncé délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu foncé délavé"}', 0), + (34711, 1, 18, 'Jupe en jean bleu délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu délavé"}', 0), + (34712, 1, 18, 'Jupe en jean ciel délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"ciel délavé"}', 0), + (34713, 1, 18, 'Jupe en jean rouge', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"rouge"}', 0), + (34714, 1, 18, 'Jupe en jean abricot', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"abricot"}', 0), + (34715, 1, 18, 'Jupe en jean citron', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"citron"}', 0), + (34716, 1, 18, 'Jupe en jean jaune', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"jaune"}', 0), + (34717, 1, 18, 'Jupe en jean lilas', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"lilas"}', 0), + (34718, 1, 18, 'Jupe en jean vert', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"vert"}', 0), + (34719, 1, 18, 'Jupe en jean pêche', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"pêche"}', 0), + (34720, 2, 18, 'Jupe en jean blanc', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"blanc"}', 0), + (34721, 2, 18, 'Jupe en jean gris', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"gris"}', 0), + (34722, 2, 18, 'Jupe en jean anthracite', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"anthracite"}', 0), + (34723, 2, 18, 'Jupe en jean noir', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"noir"}', 0), + (34724, 2, 18, 'Jupe en jean indigo', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"indigo"}', 0), + (34725, 2, 18, 'Jupe en jean ciel', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"ciel"}', 0), + (34726, 2, 18, 'Jupe en jean bleu clair', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu clair"}', 0), + (34727, 2, 18, 'Jupe en jean bleu', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu"}', 0), + (34728, 2, 18, 'Jupe en jean bleu foncé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu foncé"}', 0), + (34729, 2, 18, 'Jupe en jean bleu marine', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu marine"}', 0), + (34730, 2, 18, 'Jupe en jean gris délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"gris délavé"}', 0), + (34731, 2, 18, 'Jupe en jean noir délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"noir délavé"}', 0), + (34732, 2, 18, 'Jupe en jean bleu clair délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu clair délavé"}', 0), + (34733, 2, 18, 'Jupe en jean turquoise délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"turquoise délavé"}', 0), + (34734, 2, 18, 'Jupe en jean indigo délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"indigo délavé"}', 0), + (34735, 2, 18, 'Jupe en jean bleu foncé délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu foncé délavé"}', 0), + (34736, 2, 18, 'Jupe en jean bleu délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"bleu délavé"}', 0), + (34737, 2, 18, 'Jupe en jean ciel délavé', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"ciel délavé"}', 0), + (34738, 2, 18, 'Jupe en jean rouge', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"rouge"}', 0), + (34739, 2, 18, 'Jupe en jean abricot', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"abricot"}', 0), + (34740, 2, 18, 'Jupe en jean citron', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"citron"}', 0), + (34741, 2, 18, 'Jupe en jean jaune', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"jaune"}', 0), + (34742, 2, 18, 'Jupe en jean lilas', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"lilas"}', 0), + (34743, 2, 18, 'Jupe en jean vert', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"vert"}', 0), + (34744, 2, 18, 'Jupe en jean pêche', 50, '{"components":{"4":{"Drawable":154,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jupe en jean","colorLabel":"pêche"}', 0), + (34745, 3, 16, 'Pantalon en cuir à lacets noir', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"noir"}', 0), + (34746, 3, 16, 'Pantalon en cuir à lacets gris', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"gris"}', 0), + (34747, 3, 16, 'Pantalon en cuir à lacets perle', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"perle"}', 0), + (34748, 3, 16, 'Pantalon en cuir à lacets lune', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lune"}', 0), + (34749, 3, 16, 'Pantalon en cuir à lacets brun', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"brun"}', 0), + (34750, 3, 16, 'Pantalon en cuir à lacets orange', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"orange"}', 0), + (34751, 3, 16, 'Pantalon en cuir à lacets vert', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"vert"}', 0), + (34752, 3, 16, 'Pantalon en cuir à lacets feu', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"feu"}', 0), + (34753, 3, 16, 'Pantalon en cuir à lacets abricot', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"abricot"}', 0), + (34754, 3, 16, 'Pantalon en cuir à lacets jaune', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"jaune"}', 0), + (34755, 3, 16, 'Pantalon en cuir à lacets ambre', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"ambre"}', 0), + (34756, 3, 16, 'Pantalon en cuir à lacets beige', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"beige"}', 0), + (34757, 3, 16, 'Pantalon en cuir à lacets marine', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"marine"}', 0), + (34758, 3, 16, 'Pantalon en cuir à lacets ciel', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"ciel"}', 0), + (34759, 3, 16, 'Pantalon en cuir à lacets noir rouge lisse', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"noir rouge lisse"}', 0), + (34760, 3, 16, 'Pantalon en cuir à lacets lisse usé café', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé café"}', 0), + (34761, 3, 16, 'Pantalon en cuir à lacets lisse usé gris', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé gris"}', 0), + (34762, 3, 16, 'Pantalon en cuir à lacets lisse usé brun', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé brun"}', 0), + (34763, 3, 16, 'Pantalon en cuir à lacets lisse usé rouille', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé rouille"}', 0), + (34764, 3, 16, 'Pantalon en cuir à lacets lisse usé anthracite', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé anthracite"}', 0), + (34765, 3, 16, 'Pantalon en cuir à lacets lisse usé rouge', 50, '{"components":{"4":{"Drawable":155,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon en cuir à lacets","colorLabel":"lisse usé rouge"}', 0), + (34766, 3, 18, 'Jupe longue plissée marais', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"marais"}', 0), + (34767, 3, 18, 'Jupe longue plissée gris', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"gris"}', 0), + (34768, 3, 18, 'Jupe longue plissée perle', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"perle"}', 0), + (34769, 3, 18, 'Jupe longue plissée blanc', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"blanc"}', 0), + (34770, 3, 18, 'Jupe longue plissée crème', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"crème"}', 0), + (34771, 3, 18, 'Jupe longue plissée brun', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"brun"}', 0), + (34772, 3, 18, 'Jupe longue plissée framboise', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"framboise"}', 0), + (34773, 3, 18, 'Jupe longue plissée fuchsia', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"fuchsia"}', 0), + (34774, 3, 18, 'Jupe longue plissée rouge', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"rouge"}', 0), + (34775, 3, 18, 'Jupe longue plissée orange', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"orange"}', 0), + (34776, 3, 18, 'Jupe longue plissée citron', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"citron"}', 0), + (34777, 3, 18, 'Jupe longue plissée vanille', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"vanille"}', 0), + (34778, 3, 18, 'Jupe longue plissée bleu foncé', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"bleu foncé"}', 0), + (34779, 3, 18, 'Jupe longue plissée bleu', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"bleu"}', 0), + (34780, 3, 18, 'Jupe longue plissée bleu clair', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"bleu clair"}', 0), + (34781, 3, 18, 'Jupe longue plissée turquoise', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"turquoise"}', 0), + (34782, 3, 18, 'Jupe longue plissée ciel', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"ciel"}', 0), + (34783, 3, 18, 'Jupe longue plissée lilas', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"lilas"}', 0), + (34784, 3, 18, 'Jupe longue plissée vert', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"vert"}', 0), + (34785, 3, 18, 'Jupe longue plissée menthe', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"menthe"}', 0), + (34786, 3, 18, 'Jupe longue plissée kaki', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"kaki"}', 0), + (34787, 3, 18, 'Jupe longue plissée lime', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"lime"}', 0), + (34788, 3, 18, 'Jupe longue plissée pêche', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"pêche"}', 0), + (34789, 3, 18, 'Jupe longue plissée lavande', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"lavande"}', 0), + (34790, 3, 18, 'Jupe longue plissée violet', 50, '{"components":{"4":{"Drawable":156,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Jupe longue plissée","colorLabel":"violet"}', 0), + (34791, 1, 19, 'Pantalon slim en jean blanc', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"blanc"}', 0), + (34792, 1, 19, 'Pantalon slim en jean gris', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"gris"}', 0), + (34793, 1, 19, 'Pantalon slim en jean anthracite', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"anthracite"}', 0), + (34794, 1, 19, 'Pantalon slim en jean noir', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"noir"}', 0), + (34795, 1, 19, 'Pantalon slim en jean indigo', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"indigo"}', 0), + (34796, 1, 19, 'Pantalon slim en jean perle', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"perle"}', 0), + (34797, 1, 19, 'Pantalon slim en jean ciel', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"ciel"}', 0), + (34798, 1, 19, 'Pantalon slim en jean bleu', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"bleu"}', 0), + (34799, 1, 19, 'Pantalon slim en jean bleu foncé', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"bleu foncé"}', 0), + (34800, 1, 19, 'Pantalon slim en jean marine', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"marine"}', 0), + (34801, 1, 19, 'Pantalon slim en jean délavé blanc', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé blanc"}', 0), + (34802, 1, 19, 'Pantalon slim en jean délavé gris', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé gris"}', 0), + (34803, 1, 19, 'Pantalon slim en jean délavé anthracite', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé anthracite"}', 0), + (34804, 1, 19, 'Pantalon slim en jean délavé indigo', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé indigo"}', 0), + (34805, 1, 19, 'Pantalon slim en jean délavé ciel', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé ciel"}', 0), + (34806, 1, 19, 'Pantalon slim en jean delavé bleu', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"delavé bleu"}', 0), + (34807, 1, 19, 'Pantalon slim en jean délavé bleu foncé', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé bleu foncé"}', 0), + (34808, 1, 19, 'Pantalon slim en jean délavé marine', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé marine"}', 0), + (34809, 1, 19, 'Pantalon slim en jean framboise', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"framboise"}', 0), + (34810, 1, 19, 'Pantalon slim en jean orange', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"orange"}', 0), + (34811, 1, 19, 'Pantalon slim en jean citron', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"citron"}', 0), + (34812, 1, 19, 'Pantalon slim en jean jaune', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"jaune"}', 0), + (34813, 1, 19, 'Pantalon slim en jean lilas', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lilas"}', 0), + (34814, 1, 19, 'Pantalon slim en jean vert', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"vert"}', 0), + (34815, 1, 19, 'Pantalon slim en jean pêche', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"pêche"}', 0), + (34816, 2, 19, 'Pantalon slim en jean blanc', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"blanc"}', 0), + (34817, 2, 19, 'Pantalon slim en jean gris', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"gris"}', 0), + (34818, 2, 19, 'Pantalon slim en jean anthracite', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"anthracite"}', 0), + (34819, 2, 19, 'Pantalon slim en jean noir', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"noir"}', 0), + (34820, 2, 19, 'Pantalon slim en jean indigo', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"indigo"}', 0), + (34821, 2, 19, 'Pantalon slim en jean perle', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"perle"}', 0), + (34822, 2, 19, 'Pantalon slim en jean ciel', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"ciel"}', 0), + (34823, 2, 19, 'Pantalon slim en jean bleu', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"bleu"}', 0), + (34824, 2, 19, 'Pantalon slim en jean bleu foncé', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"bleu foncé"}', 0), + (34825, 2, 19, 'Pantalon slim en jean marine', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"marine"}', 0), + (34826, 2, 19, 'Pantalon slim en jean délavé blanc', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé blanc"}', 0), + (34827, 2, 19, 'Pantalon slim en jean délavé gris', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé gris"}', 0), + (34828, 2, 19, 'Pantalon slim en jean délavé anthracite', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé anthracite"}', 0), + (34829, 2, 19, 'Pantalon slim en jean délavé indigo', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé indigo"}', 0), + (34830, 2, 19, 'Pantalon slim en jean délavé ciel', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé ciel"}', 0), + (34831, 2, 19, 'Pantalon slim en jean delavé bleu', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"delavé bleu"}', 0), + (34832, 2, 19, 'Pantalon slim en jean délavé bleu foncé', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé bleu foncé"}', 0), + (34833, 2, 19, 'Pantalon slim en jean délavé marine', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"délavé marine"}', 0), + (34834, 2, 19, 'Pantalon slim en jean framboise', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"framboise"}', 0), + (34835, 2, 19, 'Pantalon slim en jean orange', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"orange"}', 0), + (34836, 2, 19, 'Pantalon slim en jean citron', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"citron"}', 0), + (34837, 2, 19, 'Pantalon slim en jean jaune', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"jaune"}', 0), + (34838, 2, 19, 'Pantalon slim en jean lilas', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lilas"}', 0), + (34839, 2, 19, 'Pantalon slim en jean vert', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"vert"}', 0), + (34840, 2, 19, 'Pantalon slim en jean pêche', 50, '{"components":{"4":{"Drawable":157,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"pêche"}', 0), + (34841, 3, 16, 'Pantalon classe à ceinture ardoise', 50, '{"components":{"4":{"Drawable":158,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon classe à ceinture","colorLabel":"ardoise"}', 0), + (34842, 3, 16, 'Pantalon classe à ceinture canabis', 50, '{"components":{"4":{"Drawable":158,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon classe à ceinture","colorLabel":"canabis"}', 0), + (34843, 1, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":159,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (34844, 2, 16, 'Pantalon renforcé genoux blanc', 50, '{"components":{"4":{"Drawable":159,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon renforcé genoux","colorLabel":"blanc"}', 0), + (34845, 1, 16, 'Pantalon taille basse noir', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"noir"}', 0), + (34846, 1, 16, 'Pantalon taille basse gris', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"gris"}', 0), + (34847, 1, 16, 'Pantalon taille basse crème', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"crème"}', 0), + (34848, 1, 16, 'Pantalon taille basse blanc', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"blanc"}', 0), + (34849, 1, 16, 'Pantalon taille basse beige', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"beige"}', 0), + (34850, 1, 16, 'Pantalon taille basse brun', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"brun"}', 0), + (34851, 1, 16, 'Pantalon taille basse rouge', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"rouge"}', 0), + (34852, 1, 16, 'Pantalon taille basse rose', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"rose"}', 0), + (34853, 1, 16, 'Pantalon taille basse feu', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"feu"}', 0), + (34854, 1, 16, 'Pantalon taille basse orange', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"orange"}', 0), + (34855, 1, 16, 'Pantalon taille basse citron', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"citron"}', 0), + (34856, 1, 16, 'Pantalon taille basse jaune', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"jaune"}', 0), + (34857, 1, 16, 'Pantalon taille basse marine', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"marine"}', 0), + (34858, 1, 16, 'Pantalon taille basse bleu', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"bleu"}', 0), + (34859, 1, 16, 'Pantalon taille basse turquoise', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"turquoise"}', 0), + (34860, 1, 16, 'Pantalon taille basse océan', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"océan"}', 0), + (34861, 1, 16, 'Pantalon taille basse ciel', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"ciel"}', 0), + (34862, 1, 16, 'Pantalon taille basse lilas', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"lilas"}', 0), + (34863, 1, 16, 'Pantalon taille basse vert', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"vert"}', 0), + (34864, 1, 16, 'Pantalon taille basse menthe', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"menthe"}', 0), + (34865, 1, 16, 'Pantalon taille basse kaki', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"kaki"}', 0), + (34866, 1, 16, 'Pantalon taille basse lime', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"lime"}', 0), + (34867, 1, 16, 'Pantalon taille basse abricot', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"abricot"}', 0), + (34868, 1, 16, 'Pantalon taille basse rose pâle', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"rose pâle"}', 0), + (34869, 1, 16, 'Pantalon taille basse violet', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"violet"}', 0), + (34870, 2, 16, 'Pantalon taille basse noir', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"noir"}', 0), + (34871, 2, 16, 'Pantalon taille basse gris', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"gris"}', 0), + (34872, 2, 16, 'Pantalon taille basse crème', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"crème"}', 0), + (34873, 2, 16, 'Pantalon taille basse blanc', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"blanc"}', 0), + (34874, 2, 16, 'Pantalon taille basse beige', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"beige"}', 0), + (34875, 2, 16, 'Pantalon taille basse brun', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"brun"}', 0), + (34876, 2, 16, 'Pantalon taille basse rouge', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"rouge"}', 0), + (34877, 2, 16, 'Pantalon taille basse rose', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"rose"}', 0), + (34878, 2, 16, 'Pantalon taille basse feu', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"feu"}', 0), + (34879, 2, 16, 'Pantalon taille basse orange', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"orange"}', 0), + (34880, 2, 16, 'Pantalon taille basse citron', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"citron"}', 0), + (34881, 2, 16, 'Pantalon taille basse jaune', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"jaune"}', 0), + (34882, 2, 16, 'Pantalon taille basse marine', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"marine"}', 0), + (34883, 2, 16, 'Pantalon taille basse bleu', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"bleu"}', 0), + (34884, 2, 16, 'Pantalon taille basse turquoise', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"turquoise"}', 0), + (34885, 2, 16, 'Pantalon taille basse océan', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"océan"}', 0), + (34886, 2, 16, 'Pantalon taille basse ciel', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"ciel"}', 0), + (34887, 2, 16, 'Pantalon taille basse lilas', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"lilas"}', 0), + (34888, 2, 16, 'Pantalon taille basse vert', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"vert"}', 0), + (34889, 2, 16, 'Pantalon taille basse menthe', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"menthe"}', 0), + (34890, 2, 16, 'Pantalon taille basse kaki', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"kaki"}', 0), + (34891, 2, 16, 'Pantalon taille basse lime', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"lime"}', 0), + (34892, 2, 16, 'Pantalon taille basse abricot', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"abricot"}', 0), + (34893, 2, 16, 'Pantalon taille basse rose pâle', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"rose pâle"}', 0), + (34894, 2, 16, 'Pantalon taille basse violet', 50, '{"components":{"4":{"Drawable":162,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon taille basse","colorLabel":"violet"}', 0), + (34895, 1, 19, 'Pantalon slim en jean coeur noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"coeur noir"}', 0), + (34896, 1, 19, 'Pantalon slim en jean coeur blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"coeur blanc"}', 0), + (34897, 1, 19, 'Pantalon slim en jean lion noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion noir"}', 0), + (34898, 1, 19, 'Pantalon slim en jean lion blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion blanc"}', 0), + (34899, 1, 19, 'Pantalon slim en jean lion bleu', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion bleu"}', 0), + (34900, 1, 19, 'Pantalon slim en jean lion gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion gris"}', 0), + (34901, 1, 19, 'Pantalon slim en jean flammes noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"flammes noir"}', 0), + (34902, 1, 19, 'Pantalon slim en jean flammes blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"flammes blanc"}', 0), + (34903, 1, 19, 'Pantalon slim en jean turbo noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"turbo noir"}', 0), + (34904, 1, 19, 'Pantalon slim en jean turbo gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"turbo gris"}', 0), + (34905, 1, 19, 'Pantalon slim en jean patch bleu', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"patch bleu"}', 0), + (34906, 1, 19, 'Pantalon slim en jean patch gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"patch gris"}', 0), + (34907, 1, 19, 'Pantalon slim en jean médaillons noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"médaillons noir"}', 0), + (34908, 1, 19, 'Pantalon slim en jean médaillons blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"médaillons blanc"}', 0), + (34909, 1, 19, 'Pantalon slim en jean dragon blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"dragon blanc"}', 0), + (34910, 1, 19, 'Pantalon slim en jean dragon rouge', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"dragon rouge"}', 0), + (34911, 1, 19, 'Pantalon slim en jean étoiles blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"étoiles blanc"}', 0), + (34912, 1, 19, 'Pantalon slim en jean étoiles gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"étoiles gris"}', 0), + (34913, 1, 19, 'Pantalon slim en jean étoiles rouge', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"étoiles rouge"}', 0), + (34914, 2, 19, 'Pantalon slim en jean coeur noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"coeur noir"}', 0), + (34915, 2, 19, 'Pantalon slim en jean coeur blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"coeur blanc"}', 0), + (34916, 2, 19, 'Pantalon slim en jean lion noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion noir"}', 0), + (34917, 2, 19, 'Pantalon slim en jean lion blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion blanc"}', 0), + (34918, 2, 19, 'Pantalon slim en jean lion bleu', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion bleu"}', 0), + (34919, 2, 19, 'Pantalon slim en jean lion gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"lion gris"}', 0), + (34920, 2, 19, 'Pantalon slim en jean flammes noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"flammes noir"}', 0), + (34921, 2, 19, 'Pantalon slim en jean flammes blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"flammes blanc"}', 0), + (34922, 2, 19, 'Pantalon slim en jean turbo noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"turbo noir"}', 0), + (34923, 2, 19, 'Pantalon slim en jean turbo gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"turbo gris"}', 0), + (34924, 2, 19, 'Pantalon slim en jean patch bleu', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"patch bleu"}', 0), + (34925, 2, 19, 'Pantalon slim en jean patch gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"patch gris"}', 0), + (34926, 2, 19, 'Pantalon slim en jean médaillons noir', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"médaillons noir"}', 0), + (34927, 2, 19, 'Pantalon slim en jean médaillons blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"médaillons blanc"}', 0), + (34928, 2, 19, 'Pantalon slim en jean dragon blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"dragon blanc"}', 0), + (34929, 2, 19, 'Pantalon slim en jean dragon rouge', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"dragon rouge"}', 0), + (34930, 2, 19, 'Pantalon slim en jean étoiles blanc', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"étoiles blanc"}', 0), + (34931, 2, 19, 'Pantalon slim en jean étoiles gris', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"étoiles gris"}', 0), + (34932, 2, 19, 'Pantalon slim en jean étoiles rouge', 50, '{"components":{"4":{"Drawable":163,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon slim en jean","colorLabel":"étoiles rouge"}', 0), + (34933, 1, 16, 'Pantalon baggy Zèbre blanc', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"Zèbre blanc"}', 0), + (34934, 1, 16, 'Pantalon baggy zèbre rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"zèbre rose"}', 0), + (34935, 1, 16, 'Pantalon baggy blagueurs noir', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs noir"}', 0), + (34936, 1, 16, 'Pantalon baggy blgaueurs bleu', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blgaueurs bleu"}', 0), + (34937, 1, 16, 'Pantalon baggy blagueurs brun', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs brun"}', 0), + (34938, 1, 16, 'Pantalon baggy blagueurs blanc', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs blanc"}', 0), + (34939, 1, 16, 'Pantalon baggy flammes vert', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes vert"}', 0), + (34940, 1, 16, 'Pantalon baggy flammes orange', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes orange"}', 0), + (34941, 1, 16, 'Pantalon baggy flammes rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes rose"}', 0), + (34942, 1, 16, 'Pantalon baggy flammes violet', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes violet"}', 0), + (34943, 1, 16, 'Pantalon baggy flammes rouge', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes rouge"}', 0), + (34944, 1, 16, 'Pantalon baggy foudre bleu', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre bleu"}', 0), + (34945, 1, 16, 'Pantalon baggy foudre blanc', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre blanc"}', 0), + (34946, 1, 16, 'Pantalon baggy foudre vert', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre vert"}', 0), + (34947, 1, 16, 'Pantalon baggy foudre orange', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre orange"}', 0), + (34948, 1, 16, 'Pantalon baggy foudre rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre rose"}', 0), + (34949, 1, 16, 'Pantalon baggy foudre rouge', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre rouge"}', 0), + (34950, 1, 16, 'Pantalon baggy foudre b. ciel', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. ciel"}', 0), + (34951, 1, 16, 'Pantalon baggy foudre b. gris', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. gris"}', 0), + (34952, 1, 16, 'Pantalon baggy foudre b. rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. rose"}', 0), + (34953, 1, 16, 'Pantalon baggy grelots bleu', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots bleu"}', 0), + (34954, 1, 16, 'Pantalon baggy grelots noir', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots noir"}', 0), + (34955, 1, 16, 'Pantalon baggy grelots brun', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots brun"}', 0), + (34956, 1, 16, 'Pantalon baggy grelots beige', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots beige"}', 0), + (34957, 1, 16, 'Pantalon baggy Trickster noir', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"Trickster noir"}', 0), + (34958, 2, 16, 'Pantalon baggy Zèbre blanc', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"Zèbre blanc"}', 0), + (34959, 2, 16, 'Pantalon baggy zèbre rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"zèbre rose"}', 0), + (34960, 2, 16, 'Pantalon baggy blagueurs noir', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs noir"}', 0), + (34961, 2, 16, 'Pantalon baggy blgaueurs bleu', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blgaueurs bleu"}', 0), + (34962, 2, 16, 'Pantalon baggy blagueurs brun', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs brun"}', 0), + (34963, 2, 16, 'Pantalon baggy blagueurs blanc', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"blagueurs blanc"}', 0), + (34964, 2, 16, 'Pantalon baggy flammes vert', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes vert"}', 0), + (34965, 2, 16, 'Pantalon baggy flammes orange', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes orange"}', 0), + (34966, 2, 16, 'Pantalon baggy flammes rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes rose"}', 0), + (34967, 2, 16, 'Pantalon baggy flammes violet', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes violet"}', 0), + (34968, 2, 16, 'Pantalon baggy flammes rouge', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"flammes rouge"}', 0), + (34969, 2, 16, 'Pantalon baggy foudre bleu', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre bleu"}', 0), + (34970, 2, 16, 'Pantalon baggy foudre blanc', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre blanc"}', 0), + (34971, 2, 16, 'Pantalon baggy foudre vert', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre vert"}', 0), + (34972, 2, 16, 'Pantalon baggy foudre orange', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre orange"}', 0), + (34973, 2, 16, 'Pantalon baggy foudre rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre rose"}', 0), + (34974, 2, 16, 'Pantalon baggy foudre rouge', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre rouge"}', 0), + (34975, 2, 16, 'Pantalon baggy foudre b. ciel', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. ciel"}', 0), + (34976, 2, 16, 'Pantalon baggy foudre b. gris', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. gris"}', 0), + (34977, 2, 16, 'Pantalon baggy foudre b. rose', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"foudre b. rose"}', 0), + (34978, 2, 16, 'Pantalon baggy grelots bleu', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots bleu"}', 0), + (34979, 2, 16, 'Pantalon baggy grelots noir', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots noir"}', 0), + (34980, 2, 16, 'Pantalon baggy grelots brun', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots brun"}', 0), + (34981, 2, 16, 'Pantalon baggy grelots beige', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"grelots beige"}', 0), + (34982, 2, 16, 'Pantalon baggy Trickster noir', 50, '{"components":{"4":{"Drawable":164,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"Trickster noir"}', 0), + (34983, 1, 16, 'Pantalon baggy boteh noir', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh noir"}', 0), + (34984, 1, 16, 'Pantalon baggy boteh blanc', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc"}', 0), + (34985, 1, 16, 'Pantalon baggy boteh blanc-bleu', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-bleu"}', 0), + (34986, 1, 16, 'Pantalon baggy boteh blanc-rouge', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-rouge"}', 0), + (34987, 2, 16, 'Pantalon baggy boteh noir', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh noir"}', 0), + (34988, 2, 16, 'Pantalon baggy boteh blanc', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc"}', 0), + (34989, 2, 16, 'Pantalon baggy boteh blanc-bleu', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-bleu"}', 0), + (34990, 2, 16, 'Pantalon baggy boteh blanc-rouge', 50, '{"components":{"4":{"Drawable":165,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Pantalon baggy","colorLabel":"boteh blanc-rouge"}', 0), + (34991, 1, 20, 'Costume M. Loyal noir', 50, '{"components":{"4":{"Drawable":166,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume M. Loyal","colorLabel":"noir"}', 0), + (34992, 1, 20, 'Costume M. Loyal blanc', 50, '{"components":{"4":{"Drawable":166,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Costume M. Loyal","colorLabel":"blanc"}', 0), + (34993, 2, 20, 'Costume M. Loyal noir', 50, '{"components":{"4":{"Drawable":166,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume M. Loyal","colorLabel":"noir"}', 0), + (34994, 2, 20, 'Costume M. Loyal blanc', 50, '{"components":{"4":{"Drawable":166,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Costume M. Loyal","colorLabel":"blanc"}', 0), + (34995, 1, 20, 'Costume animal fauve', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume animal","colorLabel":"fauve"}', 0), + (34996, 1, 20, 'Costume animal brun', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Costume animal","colorLabel":"brun"}', 0), + (34997, 2, 20, 'Costume animal fauve', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume animal","colorLabel":"fauve"}', 0), + (34998, 2, 20, 'Costume animal brun', 50, '{"components":{"4":{"Drawable":167,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Costume animal","colorLabel":"brun"}', 0), + (34999, 3, 16, 'Pantalon de costume à ceinture noir', 50, '{"components":{"4":{"Drawable":170,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume à ceinture","colorLabel":"noir"}', 0), + (35000, 3, 16, 'Pantalon de costume à ceinture vert', 50, '{"components":{"4":{"Drawable":170,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume à ceinture","colorLabel":"vert"}', 0), + (35001, 3, 16, 'Pantalon de costume à ceinture anthracite', 50, '{"components":{"4":{"Drawable":171,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantalon de costume à ceinture","colorLabel":"anthracite"}', 0), + (35002, 1, 23, 'Jogging oversize kaki', 50, '{"components":{"4":{"Drawable":174,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"kaki"}', 0), + (35003, 1, 23, 'Jogging oversize anthracite', 50, '{"components":{"4":{"Drawable":174,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"anthracite"}', 0), + (35004, 2, 23, 'Jogging oversize kaki', 50, '{"components":{"4":{"Drawable":174,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"kaki"}', 0), + (35005, 2, 23, 'Jogging oversize anthracite', 50, '{"components":{"4":{"Drawable":174,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Jogging oversize","colorLabel":"anthracite"}', 0), + (35006, 1, 16, 'Pantacourt en toile bleu', 50, '{"components":{"4":{"Drawable":176,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"bleu"}', 0), + (35007, 1, 16, 'Pantacourt en toile kaki', 50, '{"components":{"4":{"Drawable":176,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"kaki"}', 0), + (35008, 2, 16, 'Pantacourt en toile bleu', 50, '{"components":{"4":{"Drawable":176,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"bleu"}', 0), + (35009, 2, 16, 'Pantacourt en toile kaki', 50, '{"components":{"4":{"Drawable":176,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Pantacourt en toile","colorLabel":"kaki"}', 0), + (40000, 1, 29, 'Baskets montantes taupe', 50, '{"components":{"6":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"taupe"}', 0), + (40001, 2, 29, 'Baskets montantes taupe', 50, '{"components":{"6":{"Drawable":0,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"taupe"}', 0), + (40002, 1, 29, 'Baskets de ville noir', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"noir"}', 0), + (40003, 1, 29, 'Baskets de ville gris', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"gris"}', 0), + (40004, 1, 29, 'Baskets de ville anthracite', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"anthracite"}', 0), + (40005, 1, 29, 'Baskets de ville rose', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"rose"}', 0), + (40006, 1, 29, 'Baskets de ville brun', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"brun"}', 0), + (40007, 1, 29, 'Baskets de ville bleu', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"bleu"}', 0), + (40008, 1, 29, 'Baskets de ville bleu foncé', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"bleu foncé"}', 0), + (40009, 1, 29, 'Baskets de ville ardoise', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"ardoise"}', 0), + (40010, 1, 29, 'Baskets de ville camo kaki', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"camo kaki"}', 0), + (40011, 1, 29, 'Baskets de ville charbon', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"charbon"}', 0), + (40012, 1, 29, 'Baskets de ville corail', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"corail"}', 0), + (40013, 1, 29, 'Baskets de ville vanille', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"vanille"}', 0), + (40014, 1, 29, 'Baskets de ville beige', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"beige"}', 0), + (40015, 1, 29, 'Baskets de ville perle', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"perle"}', 0), + (40016, 1, 29, 'Baskets de ville nuit', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"nuit"}', 0), + (40017, 1, 29, 'Baskets de ville blanc', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"blanc"}', 0), + (40018, 2, 29, 'Baskets de ville noir', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"noir"}', 0), + (40019, 2, 29, 'Baskets de ville gris', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"gris"}', 0), + (40020, 2, 29, 'Baskets de ville anthracite', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"anthracite"}', 0), + (40021, 2, 29, 'Baskets de ville rose', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"rose"}', 0), + (40022, 2, 29, 'Baskets de ville brun', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"brun"}', 0), + (40023, 2, 29, 'Baskets de ville bleu', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"bleu"}', 0), + (40024, 2, 29, 'Baskets de ville bleu foncé', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"bleu foncé"}', 0), + (40025, 2, 29, 'Baskets de ville ardoise', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"ardoise"}', 0), + (40026, 2, 29, 'Baskets de ville camo kaki', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"camo kaki"}', 0), + (40027, 2, 29, 'Baskets de ville charbon', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"charbon"}', 0), + (40028, 2, 29, 'Baskets de ville corail', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"corail"}', 0), + (40029, 2, 29, 'Baskets de ville vanille', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"vanille"}', 0), + (40030, 2, 29, 'Baskets de ville beige', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"beige"}', 0), + (40031, 2, 29, 'Baskets de ville perle', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"perle"}', 0), + (40032, 2, 29, 'Baskets de ville nuit', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"nuit"}', 0), + (40033, 2, 29, 'Baskets de ville blanc', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets de ville","colorLabel":"blanc"}', 0), + (40034, 1, 29, 'Baskets de course noir', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de course","colorLabel":"noir"}', 0), + (40035, 1, 29, 'Baskets de course gris', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de course","colorLabel":"gris"}', 0), + (40036, 1, 29, 'Baskets de course bleu', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de course","colorLabel":"bleu"}', 0), + (40037, 2, 29, 'Baskets de course noir', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de course","colorLabel":"noir"}', 0), + (40038, 2, 29, 'Baskets de course gris', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de course","colorLabel":"gris"}', 0), + (40039, 2, 29, 'Baskets de course bleu', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de course","colorLabel":"bleu"}', 0), + (40040, 3, 30, 'Chaussures bateau ardoise', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"ardoise"}', 0), + (40041, 3, 30, 'Chaussures bateau bleu', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"bleu"}', 0), + (40042, 3, 30, 'Chaussures bateau anthracite', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"anthracite"}', 0), + (40043, 3, 30, 'Chaussures bateau brun', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"brun"}', 0), + (40044, 3, 30, 'Chaussures bateau noir', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"noir"}', 0), + (40045, 3, 30, 'Chaussures bateau gris', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"gris"}', 0), + (40046, 3, 30, 'Chaussures bateau rouge', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"rouge"}', 0), + (40047, 3, 30, 'Chaussures bateau café', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"café"}', 0), + (40048, 3, 30, 'Chaussures bateau beige-bleu', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"beige-bleu"}', 0), + (40049, 3, 30, 'Chaussures bateau abricot', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"abricot"}', 0), + (40050, 3, 30, 'Chaussures bateau violet', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"violet"}', 0), + (40051, 3, 30, 'Chaussures bateau écossais bleu', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"écossais bleu"}', 0), + (40052, 3, 30, 'Chaussures bateau america', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"america"}', 0), + (40053, 3, 30, 'Chaussures bateau acier', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"acier"}', 0), + (40054, 3, 30, 'Chaussures bateau ciel', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"ciel"}', 0), + (40055, 3, 30, 'Chaussures bateau kaki', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures bateau","colorLabel":"kaki"}', 0), + (40056, 1, 30, 'Gumshooes montantes ouvertes marine', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"marine"}', 0), + (40057, 1, 30, 'Gumshooes montantes ouvertes noir', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"noir"}', 0), + (40058, 1, 30, 'Gumshooes montantes ouvertes blanc', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"blanc"}', 0), + (40059, 1, 30, 'Gumshooes montantes ouvertes rouge', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"rouge"}', 0), + (40060, 2, 30, 'Gumshooes montantes ouvertes marine', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"marine"}', 0), + (40061, 2, 30, 'Gumshooes montantes ouvertes noir', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"noir"}', 0), + (40062, 2, 30, 'Gumshooes montantes ouvertes blanc', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"blanc"}', 0), + (40063, 2, 30, 'Gumshooes montantes ouvertes rouge', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"rouge"}', 0), + (40064, 3, 26, 'Tongs fines noir', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"noir"}', 0), + (40065, 3, 26, 'Tongs fines gris', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"gris"}', 0), + (40066, 3, 26, 'Tongs fines anthracite', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"anthracite"}', 0), + (40067, 3, 26, 'Tongs fines beige', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"beige"}', 0), + (40068, 1, 26, 'Claquettes chaussettes noir', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Claquettes chaussettes","colorLabel":"noir"}', 0), + (40069, 1, 26, 'Claquettes chaussettes rayures bleu', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Claquettes chaussettes","colorLabel":"rayures bleu"}', 0), + (40070, 2, 26, 'Claquettes chaussettes noir', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Claquettes chaussettes","colorLabel":"noir"}', 0), + (40071, 2, 26, 'Claquettes chaussettes rayures bleu', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Claquettes chaussettes","colorLabel":"rayures bleu"}', 0), + (40072, 1, 30, 'Chaussures de bowling avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"blanc"}', 0), + (40073, 1, 30, 'Chaussures de bowling avec chaussettes gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"gris"}', 0), + (40074, 1, 30, 'Chaussures de bowling avec chaussettes noir', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"noir"}', 0), + (40075, 1, 30, 'Chaussures de bowling avec chaussettes vanille', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"vanille"}', 0), + (40076, 1, 30, 'Chaussures de bowling avec chaussettes ciel', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"ciel"}', 0), + (40077, 1, 30, 'Chaussures de bowling avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"rouge"}', 0), + (40078, 1, 30, 'Chaussures de bowling avec chaussettes blanc-noir', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"blanc-noir"}', 0), + (40079, 1, 30, 'Chaussures de bowling avec chaussettes orange-gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"orange-gris"}', 0), + (40080, 1, 30, 'Chaussures de bowling avec chaussettes vert-gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"vert-gris"}', 0), + (40081, 1, 30, 'Chaussures de bowling avec chaussettes blanc-rouge', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"blanc-rouge"}', 0), + (40082, 1, 30, 'Chaussures de bowling avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"bleu"}', 0), + (40083, 1, 30, 'Chaussures de bowling avec chaussettes abricot', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"abricot"}', 0), + (40084, 1, 30, 'Chaussures de bowling avec chaussettes camo gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"camo gris"}', 0), + (40085, 1, 30, 'Chaussures de bowling avec chaussettes camo vert', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"camo vert"}', 0), + (40086, 1, 30, 'Chaussures de bowling avec chaussettes violet', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"violet"}', 0), + (40087, 1, 30, 'Chaussures de bowling avec chaussettes électrique', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"électrique"}', 0), + (40088, 2, 30, 'Chaussures de bowling avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"blanc"}', 0), + (40089, 2, 30, 'Chaussures de bowling avec chaussettes gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"gris"}', 0), + (40090, 2, 30, 'Chaussures de bowling avec chaussettes noir', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"noir"}', 0), + (40091, 2, 30, 'Chaussures de bowling avec chaussettes vanille', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"vanille"}', 0), + (40092, 2, 30, 'Chaussures de bowling avec chaussettes ciel', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"ciel"}', 0), + (40093, 2, 30, 'Chaussures de bowling avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"rouge"}', 0), + (40094, 2, 30, 'Chaussures de bowling avec chaussettes blanc-noir', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"blanc-noir"}', 0), + (40095, 2, 30, 'Chaussures de bowling avec chaussettes orange-gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"orange-gris"}', 0), + (40096, 2, 30, 'Chaussures de bowling avec chaussettes vert-gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"vert-gris"}', 0), + (40097, 2, 30, 'Chaussures de bowling avec chaussettes blanc-rouge', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"blanc-rouge"}', 0), + (40098, 2, 30, 'Chaussures de bowling avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"bleu"}', 0), + (40099, 2, 30, 'Chaussures de bowling avec chaussettes abricot', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"abricot"}', 0), + (40100, 2, 30, 'Chaussures de bowling avec chaussettes camo gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"camo gris"}', 0), + (40101, 2, 30, 'Chaussures de bowling avec chaussettes camo vert', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"camo vert"}', 0), + (40102, 2, 30, 'Chaussures de bowling avec chaussettes violet', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"violet"}', 0), + (40103, 2, 30, 'Chaussures de bowling avec chaussettes électrique', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures de bowling avec chaussettes","colorLabel":"électrique"}', 0), + (40104, 1, 29, 'Tennis avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"blanc"}', 0), + (40105, 1, 29, 'Tennis avec chaussettes gris', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"gris"}', 0), + (40106, 1, 29, 'Tennis avec chaussettes noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"noir"}', 0), + (40107, 1, 29, 'Tennis avec chaussettes blanc-noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"blanc-noir"}', 0), + (40108, 1, 29, 'Tennis avec chaussettes bleu-noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"bleu-noir"}', 0), + (40109, 1, 29, 'Tennis avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"bleu"}', 0), + (40110, 1, 29, 'Tennis avec chaussettes jaune', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"jaune"}', 0), + (40111, 1, 29, 'Tennis avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"rouge"}', 0), + (40112, 1, 29, 'Tennis avec chaussettes orange', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"orange"}', 0), + (40113, 1, 29, 'Tennis avec chaussettes ardoise', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"ardoise"}', 0), + (40114, 1, 29, 'Tennis avec chaussettes perle', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"perle"}', 0), + (40115, 1, 29, 'Tennis avec chaussettes rouge-blanc', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"rouge-blanc"}', 0), + (40116, 1, 29, 'Tennis avec chaussettes violet-blanc', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"violet-blanc"}', 0), + (40117, 1, 29, 'Tennis avec chaussettes vert', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"vert"}', 0), + (40118, 1, 29, 'Tennis avec chaussettes léopard', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"léopard"}', 0), + (40119, 1, 29, 'Tennis avec chaussettes lime', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"lime"}', 0), + (40120, 2, 29, 'Tennis avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"blanc"}', 0), + (40121, 2, 29, 'Tennis avec chaussettes gris', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"gris"}', 0), + (40122, 2, 29, 'Tennis avec chaussettes noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"noir"}', 0), + (40123, 2, 29, 'Tennis avec chaussettes blanc-noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"blanc-noir"}', 0), + (40124, 2, 29, 'Tennis avec chaussettes bleu-noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"bleu-noir"}', 0), + (40125, 2, 29, 'Tennis avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"bleu"}', 0), + (40126, 2, 29, 'Tennis avec chaussettes jaune', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"jaune"}', 0), + (40127, 2, 29, 'Tennis avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"rouge"}', 0), + (40128, 2, 29, 'Tennis avec chaussettes orange', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"orange"}', 0), + (40129, 2, 29, 'Tennis avec chaussettes ardoise', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"ardoise"}', 0), + (40130, 2, 29, 'Tennis avec chaussettes perle', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"perle"}', 0), + (40131, 2, 29, 'Tennis avec chaussettes rouge-blanc', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"rouge-blanc"}', 0), + (40132, 2, 29, 'Tennis avec chaussettes violet-blanc', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"violet-blanc"}', 0), + (40133, 2, 29, 'Tennis avec chaussettes vert', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"vert"}', 0), + (40134, 2, 29, 'Tennis avec chaussettes léopard', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"léopard"}', 0), + (40135, 2, 29, 'Tennis avec chaussettes lime', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Tennis avec chaussettes","colorLabel":"lime"}', 0), + (40136, 1, 29, 'Baskets de football blanc', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"blanc"}', 0), + (40137, 1, 29, 'Baskets de football gris', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"gris"}', 0), + (40138, 1, 29, 'Baskets de football noir', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"noir"}', 0), + (40139, 1, 29, 'Baskets de football rouge', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"rouge"}', 0), + (40140, 1, 29, 'Baskets de football lime', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"lime"}', 0), + (40141, 1, 29, 'Baskets de football violet', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"violet"}', 0), + (40142, 1, 29, 'Baskets de football citron', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"citron"}', 0), + (40143, 1, 29, 'Baskets de football aqua', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"aqua"}', 0), + (40144, 1, 29, 'Baskets de football orange', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"orange"}', 0), + (40145, 1, 29, 'Baskets de football lie-de-vin', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"lie-de-vin"}', 0), + (40146, 1, 29, 'Baskets de football vert', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"vert"}', 0), + (40147, 1, 29, 'Baskets de football abricot', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"abricot"}', 0), + (40148, 1, 29, 'Baskets de football jaune', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"jaune"}', 0), + (40149, 1, 29, 'Baskets de football charbon', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"charbon"}', 0), + (40150, 1, 29, 'Baskets de football léopard', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"léopard"}', 0), + (40151, 1, 29, 'Baskets de football serpent', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"serpent"}', 0), + (40152, 2, 29, 'Baskets de football blanc', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"blanc"}', 0), + (40153, 2, 29, 'Baskets de football gris', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"gris"}', 0), + (40154, 2, 29, 'Baskets de football noir', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"noir"}', 0), + (40155, 2, 29, 'Baskets de football rouge', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"rouge"}', 0), + (40156, 2, 29, 'Baskets de football lime', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"lime"}', 0), + (40157, 2, 29, 'Baskets de football violet', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"violet"}', 0), + (40158, 2, 29, 'Baskets de football citron', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"citron"}', 0), + (40159, 2, 29, 'Baskets de football aqua', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"aqua"}', 0), + (40160, 2, 29, 'Baskets de football orange', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"orange"}', 0), + (40161, 2, 29, 'Baskets de football lie-de-vin', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"lie-de-vin"}', 0), + (40162, 2, 29, 'Baskets de football vert', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"vert"}', 0), + (40163, 2, 29, 'Baskets de football abricot', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"abricot"}', 0), + (40164, 2, 29, 'Baskets de football jaune', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"jaune"}', 0), + (40165, 2, 29, 'Baskets de football charbon', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"charbon"}', 0), + (40166, 2, 29, 'Baskets de football léopard', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"léopard"}', 0), + (40167, 2, 29, 'Baskets de football serpent', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets de football","colorLabel":"serpent"}', 0), + (40168, 3, 30, 'Derby à bout carré avec chaussettes noir', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"noir"}', 0), + (40169, 3, 30, 'Derby à bout carré avec chaussettes crème', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"crème"}', 0), + (40170, 3, 30, 'Derby à bout carré avec chaussettes marron', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"marron"}', 0), + (40171, 3, 30, 'Derby à bout carré avec chaussettes beige', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"beige"}', 0), + (40172, 3, 30, 'Slip-on en cuir beige', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"beige"}', 0), + (40173, 3, 30, 'Slip-on en cuir anthracite', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"anthracite"}', 0), + (40174, 3, 30, 'Slip-on en cuir marron', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"marron"}', 0), + (40175, 3, 30, 'Slip-on en cuir taupe', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"taupe"}', 0), + (40176, 3, 28, 'Boots dockers brun', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"brun"}', 0), + (40177, 3, 28, 'Boots dockers camo gris', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"camo gris"}', 0), + (40178, 3, 28, 'Boots dockers bleu', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"bleu"}', 0), + (40179, 3, 28, 'Boots dockers gris', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"gris"}', 0), + (40180, 3, 28, 'Boots dockers camo beige', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"camo beige"}', 0), + (40181, 3, 28, 'Boots dockers marine', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"marine"}', 0), + (40182, 3, 28, 'Boots dockers anthracite', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"anthracite"}', 0), + (40183, 3, 28, 'Boots dockers perle', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"perle"}', 0), + (40184, 3, 28, 'Boots dockers lie-de-vin', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"lie-de-vin"}', 0), + (40185, 3, 28, 'Boots dockers rouge', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"rouge"}', 0), + (40186, 3, 28, 'Boots dockers blanc', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"blanc"}', 0), + (40187, 3, 28, 'Boots dockers lavande', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"lavande"}', 0), + (40188, 3, 28, 'Boots dockers jaune pâle', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"jaune pâle"}', 0), + (40189, 3, 28, 'Boots dockers rose', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"rose"}', 0), + (40190, 3, 28, 'Boots dockers marron', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"marron"}', 0), + (40191, 3, 28, 'Boots dockers camo kaki', 50, '{"components":{"6":{"Drawable":12,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots dockers","colorLabel":"camo kaki"}', 0), + (40192, 1, 28, 'Boots mocassin à lacets ardoise', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"ardoise"}', 0), + (40193, 1, 28, 'Boots mocassin à lacets anthracite', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"anthracite"}', 0), + (40194, 1, 28, 'Boots mocassin à lacets vert', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"vert"}', 0), + (40195, 1, 28, 'Boots mocassin à lacets bleu-rose', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"bleu-rose"}', 0), + (40196, 1, 28, 'Boots mocassin à lacets beige', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"beige"}', 0), + (40197, 1, 28, 'Boots mocassin à lacets orange', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"orange"}', 0), + (40198, 1, 28, 'Boots mocassin à lacets corail', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"corail"}', 0), + (40199, 1, 28, 'Boots mocassin à lacets gris', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"gris"}', 0), + (40200, 1, 28, 'Boots mocassin à lacets marron', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"marron"}', 0), + (40201, 1, 28, 'Boots mocassin à lacets menthe', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"menthe"}', 0), + (40202, 1, 28, 'Boots mocassin à lacets blanc-noir', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"blanc-noir"}', 0), + (40203, 1, 28, 'Boots mocassin à lacets brun', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"brun"}', 0), + (40204, 1, 28, 'Boots mocassin à lacets noir-bleu', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"noir-bleu"}', 0), + (40205, 1, 28, 'Boots mocassin à lacets crème', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"crème"}', 0), + (40206, 1, 28, 'Boots mocassin à lacets abricot', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"abricot"}', 0), + (40207, 1, 28, 'Boots mocassin à lacets noir', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"noir"}', 0), + (40208, 2, 28, 'Boots mocassin à lacets ardoise', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"ardoise"}', 0), + (40209, 2, 28, 'Boots mocassin à lacets anthracite', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"anthracite"}', 0), + (40210, 2, 28, 'Boots mocassin à lacets vert', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"vert"}', 0), + (40211, 2, 28, 'Boots mocassin à lacets bleu-rose', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"bleu-rose"}', 0), + (40212, 2, 28, 'Boots mocassin à lacets beige', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"beige"}', 0), + (40213, 2, 28, 'Boots mocassin à lacets orange', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"orange"}', 0), + (40214, 2, 28, 'Boots mocassin à lacets corail', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"corail"}', 0), + (40215, 2, 28, 'Boots mocassin à lacets gris', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"gris"}', 0), + (40216, 2, 28, 'Boots mocassin à lacets marron', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"marron"}', 0), + (40217, 2, 28, 'Boots mocassin à lacets menthe', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"menthe"}', 0), + (40218, 2, 28, 'Boots mocassin à lacets blanc-noir', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"blanc-noir"}', 0), + (40219, 2, 28, 'Boots mocassin à lacets brun', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"brun"}', 0), + (40220, 2, 28, 'Boots mocassin à lacets noir-bleu', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"noir-bleu"}', 0), + (40221, 2, 28, 'Boots mocassin à lacets crème', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"crème"}', 0), + (40222, 2, 28, 'Boots mocassin à lacets abricot', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"abricot"}', 0), + (40223, 2, 28, 'Boots mocassin à lacets noir', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots mocassin à lacets","colorLabel":"noir"}', 0), + (40224, 3, 28, 'Boots Chelsea noir', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"noir"}', 0), + (40225, 3, 28, 'Boots Chelsea brun', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"brun"}', 0), + (40226, 3, 28, 'Boots Chelsea rouge', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"rouge"}', 0), + (40227, 3, 28, 'Boots Chelsea café', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"café"}', 0), + (40228, 3, 28, 'Boots Chelsea anthracite', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"anthracite"}', 0), + (40229, 3, 28, 'Boots Chelsea jaune pâle', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"jaune pâle"}', 0), + (40230, 3, 28, 'Boots Chelsea ocre', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"ocre"}', 0), + (40231, 3, 28, 'Boots Chelsea gris', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"gris"}', 0), + (40232, 3, 28, 'Boots Chelsea perle', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"perle"}', 0), + (40233, 3, 28, 'Boots Chelsea lie-de-vin', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"lie-de-vin"}', 0), + (40234, 3, 28, 'Boots Chelsea charbon', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"charbon"}', 0), + (40235, 3, 28, 'Boots Chelsea dégradé', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"dégradé"}', 0), + (40236, 3, 28, 'Boots Chelsea marron', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"marron"}', 0), + (40237, 3, 28, 'Boots Chelsea taupe', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"taupe"}', 0), + (40238, 3, 28, 'Boots Chelsea abricot', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"abricot"}', 0), + (40239, 3, 28, 'Boots Chelsea pétrole', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots Chelsea","colorLabel":"pétrole"}', 0), + (40240, 3, 26, 'Tongs fines acier', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"acier"}', 0), + (40241, 3, 26, 'Tongs fines vert', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"vert"}', 0), + (40242, 3, 26, 'Tongs fines violet', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"violet"}', 0), + (40243, 3, 26, 'Tongs fines rose pâle', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"rose pâle"}', 0), + (40244, 3, 26, 'Tongs fines bleu', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"bleu"}', 0), + (40245, 3, 26, 'Tongs fines corail', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"corail"}', 0), + (40246, 3, 26, 'Tongs fines jaune pâle', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"jaune pâle"}', 0), + (40247, 3, 26, 'Tongs fines rouge', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"rouge"}', 0), + (40248, 3, 26, 'Tongs fines citron', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"citron"}', 0), + (40249, 3, 26, 'Tongs fines fer', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"fer"}', 0), + (40250, 3, 26, 'Tongs fines ivoire', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"ivoire"}', 0), + (40251, 3, 26, 'Tongs fines bleu', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tongs fines","colorLabel":"bleu"}', 0), + (40252, 1, 31, 'Chaussures de lutin vert', 50, '{"components":{"6":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de lutin","colorLabel":"vert"}', 0), + (40253, 2, 31, 'Chaussures de lutin vert', 50, '{"components":{"6":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de lutin","colorLabel":"vert"}', 0), + (40254, 3, 30, 'Derby à bout carré avec chaussettes noir-blanc', 50, '{"components":{"6":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"noir-blanc"}', 0), + (40255, 3, 30, 'Derby à bout carré avec chaussettes blanc-noir', 50, '{"components":{"6":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"blanc-noir"}', 0), + (40256, 1, 31, 'Chaussures à guêtres blanches noir', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures à guêtres blanches","colorLabel":"noir"}', 0), + (40257, 2, 31, 'Chaussures à guêtres blanches noir', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures à guêtres blanches","colorLabel":"noir"}', 0), + (40258, 3, 30, 'Derby à bout carré avec chaussettes marron', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"marron"}', 0), + (40259, 3, 30, 'Derby à bout carré avec chaussettes noir-corail', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"noir-corail"}', 0), + (40260, 3, 30, 'Derby à bout carré avec chaussettes beige', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"beige"}', 0), + (40261, 3, 30, 'Derby à bout carré avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"blanc"}', 0), + (40262, 3, 30, 'Derby à bout carré avec chaussettes perle', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"perle"}', 0), + (40263, 3, 30, 'Derby à bout carré avec chaussettes taupe', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"taupe"}', 0), + (40264, 3, 30, 'Derby à bout carré avec chaussettes bleu bicolore', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bleu bicolore"}', 0), + (40265, 3, 30, 'Derby à bout carré avec chaussettes noir-beige', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"noir-beige"}', 0), + (40266, 3, 30, 'Derby à bout carré avec chaussettes vanille', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"vanille"}', 0), + (40267, 3, 30, 'Derby à bout carré avec chaussettes jaune pâle', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"jaune pâle"}', 0), + (40268, 3, 30, 'Derby à bout carré avec chaussettes gris', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"gris"}', 0), + (40269, 3, 30, 'Derby à bout carré avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bleu"}', 0), + (40270, 3, 30, 'Slip-on en cuir noir', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"noir"}', 0), + (40271, 3, 30, 'Slip-on en cuir rouge', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"rouge"}', 0), + (40272, 3, 30, 'Slip-on en cuir marron', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"marron"}', 0), + (40273, 3, 30, 'Slip-on en cuir acier', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"acier"}', 0), + (40274, 3, 30, 'Slip-on en cuir vert', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"vert"}', 0), + (40275, 3, 30, 'Slip-on en cuir brun', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"brun"}', 0), + (40276, 3, 30, 'Slip-on en cuir corail', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"corail"}', 0), + (40277, 3, 30, 'Slip-on en cuir bleu', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"bleu"}', 0), + (40278, 3, 30, 'Slip-on en cuir indigo', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"indigo"}', 0), + (40279, 3, 30, 'Slip-on en cuir ivoire', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"ivoire"}', 0), + (40280, 3, 30, 'Slip-on en cuir fauve', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"fauve"}', 0), + (40281, 3, 30, 'Slip-on en cuir noir-blanc', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Slip-on en cuir","colorLabel":"noir-blanc"}', 0), + (40282, 1, 30, 'Gumshooes montantes ouvertes bleu', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"bleu"}', 0), + (40283, 1, 30, 'Gumshooes montantes ouvertes vert', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"vert"}', 0), + (40284, 1, 30, 'Gumshooes montantes ouvertes orange', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"orange"}', 0), + (40285, 1, 30, 'Gumshooes montantes ouvertes jaune', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"jaune"}', 0), + (40286, 1, 30, 'Gumshooes montantes ouvertes violet', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"violet"}', 0), + (40287, 1, 30, 'Gumshooes montantes ouvertes anthracite', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"anthracite"}', 0), + (40288, 1, 30, 'Gumshooes montantes ouvertes carreaux blanc-noir', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"carreaux blanc-noir"}', 0), + (40289, 1, 30, 'Gumshooes montantes ouvertes camo gris', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"camo gris"}', 0), + (40290, 1, 30, 'Gumshooes montantes ouvertes marron', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"marron"}', 0), + (40291, 1, 30, 'Gumshooes montantes ouvertes carreaux bleu', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"carreaux bleu"}', 0), + (40292, 1, 30, 'Gumshooes montantes ouvertes carreaux vert', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"carreaux vert"}', 0), + (40293, 1, 30, 'Gumshooes montantes ouvertes beige', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"beige"}', 0), + (40294, 1, 30, 'Gumshooes montantes ouvertes violet', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"violet"}', 0), + (40295, 1, 30, 'Gumshooes montantes ouvertes cuir', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"cuir"}', 0), + (40296, 1, 30, 'Gumshooes montantes ouvertes noir-léopard', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"noir-léopard"}', 0), + (40297, 1, 30, 'Gumshooes montantes ouvertes points dorés', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"points dorés"}', 0), + (40298, 2, 30, 'Gumshooes montantes ouvertes bleu', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"bleu"}', 0), + (40299, 2, 30, 'Gumshooes montantes ouvertes vert', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"vert"}', 0), + (40300, 2, 30, 'Gumshooes montantes ouvertes orange', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"orange"}', 0), + (40301, 2, 30, 'Gumshooes montantes ouvertes jaune', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"jaune"}', 0), + (40302, 2, 30, 'Gumshooes montantes ouvertes violet', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"violet"}', 0), + (40303, 2, 30, 'Gumshooes montantes ouvertes anthracite', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"anthracite"}', 0), + (40304, 2, 30, 'Gumshooes montantes ouvertes carreaux blanc-noir', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"carreaux blanc-noir"}', 0), + (40305, 2, 30, 'Gumshooes montantes ouvertes camo gris', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"camo gris"}', 0), + (40306, 2, 30, 'Gumshooes montantes ouvertes marron', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"marron"}', 0), + (40307, 2, 30, 'Gumshooes montantes ouvertes carreaux bleu', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"carreaux bleu"}', 0), + (40308, 2, 30, 'Gumshooes montantes ouvertes carreaux vert', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"carreaux vert"}', 0), + (40309, 2, 30, 'Gumshooes montantes ouvertes beige', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"beige"}', 0), + (40310, 2, 30, 'Gumshooes montantes ouvertes violet', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"violet"}', 0), + (40311, 2, 30, 'Gumshooes montantes ouvertes cuir', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"cuir"}', 0), + (40312, 2, 30, 'Gumshooes montantes ouvertes noir-léopard', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"noir-léopard"}', 0), + (40313, 2, 30, 'Gumshooes montantes ouvertes points dorés', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes ouvertes","colorLabel":"points dorés"}', 0), + (40314, 3, 30, 'Derby à bout rond beige', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"beige"}', 0), + (40315, 3, 30, 'Derby à bout rond marine', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"marine"}', 0), + (40316, 3, 30, 'Derby à bout rond fauve', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"fauve"}', 0), + (40317, 3, 30, 'Derby à bout rond lie-de-vin', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"lie-de-vin"}', 0), + (40318, 3, 30, 'Derby à bout rond taupe', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"taupe"}', 0), + (40319, 3, 30, 'Derby à bout rond camo kaki', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"camo kaki"}', 0), + (40320, 3, 30, 'Derby à bout rond noir-violet', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"noir-violet"}', 0), + (40321, 3, 30, 'Derby à bout rond bicolore beige-marron', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"bicolore beige-marron"}', 0), + (40322, 3, 30, 'Derby à bout rond noir-rose', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"noir-rose"}', 0), + (40323, 3, 30, 'Derby à bout rond cannelle', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"cannelle"}', 0), + (40324, 3, 30, 'Derby à bout rond marron', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"marron"}', 0), + (40325, 3, 30, 'Derby à bout rond noir-vert', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"noir-vert"}', 0), + (40326, 3, 30, 'Derby à bout rond ivoire', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"ivoire"}', 0), + (40327, 3, 30, 'Derby à bout rond bicolore vanille-marron', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"bicolore vanille-marron"}', 0), + (40328, 3, 30, 'Derby à bout rond bicolore gris', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"bicolore gris"}', 0), + (40329, 3, 30, 'Derby à bout rond jaune', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Derby à bout rond","colorLabel":"jaune"}', 0), + (40330, 1, 28, 'Rangers noir', 50, '{"components":{"6":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Rangers","colorLabel":"noir"}', 0), + (40331, 2, 28, 'Rangers noir', 50, '{"components":{"6":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Rangers","colorLabel":"noir"}', 0), + (40332, 1, 28, 'Boots militaires noir', 50, '{"components":{"6":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots militaires","colorLabel":"noir"}', 0), + (40333, 2, 28, 'Boots militaires noir', 50, '{"components":{"6":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots militaires","colorLabel":"noir"}', 0), + (40334, 1, 30, 'Gumshooes montantes fermées marine', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"marine"}', 0), + (40335, 1, 30, 'Gumshooes montantes fermées noir', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"noir"}', 0), + (40336, 1, 30, 'Gumshooes montantes fermées blanc', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"blanc"}', 0), + (40337, 1, 30, 'Gumshooes montantes fermées rouge', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"rouge"}', 0), + (40338, 1, 30, 'Gumshooes montantes fermées bleu', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"bleu"}', 0), + (40339, 1, 30, 'Gumshooes montantes fermées vert', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"vert"}', 0), + (40340, 1, 30, 'Gumshooes montantes fermées orange', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"orange"}', 0), + (40341, 1, 30, 'Gumshooes montantes fermées citron', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"citron"}', 0), + (40342, 1, 30, 'Gumshooes montantes fermées violet', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"violet"}', 0), + (40343, 1, 30, 'Gumshooes montantes fermées gris', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"gris"}', 0), + (40344, 1, 30, 'Gumshooes montantes fermées car. blanc-noir', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"car. blanc-noir"}', 0), + (40345, 1, 30, 'Gumshooes montantes fermées camo kaki', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"camo kaki"}', 0), + (40346, 1, 30, 'Gumshooes montantes fermées marron', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"marron"}', 0), + (40347, 1, 30, 'Gumshooes montantes fermées car. bleu-gris', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"car. bleu-gris"}', 0), + (40348, 1, 30, 'Gumshooes montantes fermées camo vert', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"camo vert"}', 0), + (40349, 1, 30, 'Gumshooes montantes fermées beige', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"beige"}', 0), + (40350, 2, 30, 'Gumshooes montantes fermées marine', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"marine"}', 0), + (40351, 2, 30, 'Gumshooes montantes fermées noir', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"noir"}', 0), + (40352, 2, 30, 'Gumshooes montantes fermées blanc', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"blanc"}', 0), + (40353, 2, 30, 'Gumshooes montantes fermées rouge', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"rouge"}', 0), + (40354, 2, 30, 'Gumshooes montantes fermées bleu', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"bleu"}', 0), + (40355, 2, 30, 'Gumshooes montantes fermées vert', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"vert"}', 0), + (40356, 2, 30, 'Gumshooes montantes fermées orange', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"orange"}', 0), + (40357, 2, 30, 'Gumshooes montantes fermées citron', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"citron"}', 0), + (40358, 2, 30, 'Gumshooes montantes fermées violet', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"violet"}', 0), + (40359, 2, 30, 'Gumshooes montantes fermées gris', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"gris"}', 0), + (40360, 2, 30, 'Gumshooes montantes fermées car. blanc-noir', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"car. blanc-noir"}', 0), + (40361, 2, 30, 'Gumshooes montantes fermées camo kaki', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"camo kaki"}', 0), + (40362, 2, 30, 'Gumshooes montantes fermées marron', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"marron"}', 0), + (40363, 2, 30, 'Gumshooes montantes fermées car. bleu-gris', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"car. bleu-gris"}', 0), + (40364, 2, 30, 'Gumshooes montantes fermées camo vert', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"camo vert"}', 0), + (40365, 2, 30, 'Gumshooes montantes fermées beige', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"beige"}', 0), + (40366, 1, 28, 'Rangers usé', 50, '{"components":{"6":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Rangers","colorLabel":"usé"}', 0), + (40367, 2, 28, 'Rangers usé', 50, '{"components":{"6":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Rangers","colorLabel":"usé"}', 0), + (40368, 1, 29, 'Baskets montantes à clou blanc', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"blanc"}', 0), + (40369, 1, 29, 'Baskets montantes à clou noir', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"noir"}', 0), + (40370, 1, 29, 'Baskets montantes à clou rouge', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"rouge"}', 0), + (40371, 1, 29, 'Baskets montantes à clou rouge-blanc', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"rouge-blanc"}', 0), + (40372, 1, 29, 'Baskets montantes à clou beige', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"beige"}', 0), + (40373, 1, 29, 'Baskets montantes à clou bleu', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"bleu"}', 0), + (40374, 2, 29, 'Baskets montantes à clou blanc', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"blanc"}', 0), + (40375, 2, 29, 'Baskets montantes à clou noir', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"noir"}', 0), + (40376, 2, 29, 'Baskets montantes à clou rouge', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"rouge"}', 0), + (40377, 2, 29, 'Baskets montantes à clou rouge-blanc', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"rouge-blanc"}', 0), + (40378, 2, 29, 'Baskets montantes à clou beige', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"beige"}', 0), + (40379, 2, 29, 'Baskets montantes à clou bleu', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets montantes à clou","colorLabel":"bleu"}', 0), + (40380, 1, 29, 'Baskets montantes doré', 50, '{"components":{"6":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"doré"}', 0), + (40381, 2, 29, 'Baskets montantes doré', 50, '{"components":{"6":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"doré"}', 0), + (40382, 3, 30, 'Mocassins anthracite-blanc', 50, '{"components":{"6":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mocassins","colorLabel":"anthracite-blanc"}', 0), + (40383, 3, 30, 'Mocassins anthracite', 50, '{"components":{"6":{"Drawable":30,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mocassins","colorLabel":"anthracite"}', 0), + (40384, 1, 29, 'Baskets de marque jaune-gris', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"jaune-gris"}', 0), + (40385, 1, 29, 'Baskets de marque anthracite', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"anthracite"}', 0), + (40386, 1, 29, 'Baskets de marque gris', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"gris"}', 0), + (40387, 1, 29, 'Baskets de marque jaune-anthracite', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"jaune-anthracite"}', 0), + (40388, 1, 29, 'Baskets de marque tigre', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"tigre"}', 0), + (40389, 2, 29, 'Baskets de marque jaune-gris', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"jaune-gris"}', 0), + (40390, 2, 29, 'Baskets de marque anthracite', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"anthracite"}', 0), + (40391, 2, 29, 'Baskets de marque gris', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"gris"}', 0), + (40392, 2, 29, 'Baskets de marque jaune-anthracite', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"jaune-anthracite"}', 0), + (40393, 2, 29, 'Baskets de marque tigre', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de marque","colorLabel":"tigre"}', 0), + (40394, 1, 29, 'Baskets montantes aériennes noir-blanc', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"noir-blanc"}', 0), + (40395, 1, 29, 'Baskets montantes aériennes blanc-noir', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-noir"}', 0), + (40396, 1, 29, 'Baskets montantes aériennes blanc-bleu', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-bleu"}', 0), + (40397, 1, 29, 'Baskets montantes aériennes noir-rouge', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"noir-rouge"}', 0), + (40398, 1, 29, 'Baskets montantes aériennes blanc', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc"}', 0), + (40399, 1, 29, 'Baskets montantes aériennes rouge-blanc', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"rouge-blanc"}', 0), + (40400, 1, 29, 'Baskets montantes aériennes blanc-rose', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-rose"}', 0), + (40401, 1, 29, 'Baskets montantes aériennes kill bill', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"kill bill"}', 0), + (40402, 1, 29, 'Baskets montantes aériennes camo gris', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"camo gris"}', 0), + (40403, 1, 29, 'Baskets montantes aériennes violet-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"violet-jaune"}', 0), + (40404, 1, 29, 'Baskets montantes aériennes vert-orange', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"vert-orange"}', 0), + (40405, 1, 29, 'Baskets montantes aériennes corail-bleu', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"corail-bleu"}', 0), + (40406, 1, 29, 'Baskets montantes aériennes rouge-noir', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"rouge-noir"}', 0), + (40407, 1, 29, 'Baskets montantes aériennes jaune-rouge', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"jaune-rouge"}', 0), + (40408, 1, 29, 'Baskets montantes aériennes noir-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"noir-jaune"}', 0), + (40409, 1, 29, 'Baskets montantes aériennes blanc-vert', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-vert"}', 0), + (40410, 2, 29, 'Baskets montantes aériennes noir-blanc', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"noir-blanc"}', 0), + (40411, 2, 29, 'Baskets montantes aériennes blanc-noir', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-noir"}', 0), + (40412, 2, 29, 'Baskets montantes aériennes blanc-bleu', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-bleu"}', 0), + (40413, 2, 29, 'Baskets montantes aériennes noir-rouge', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"noir-rouge"}', 0), + (40414, 2, 29, 'Baskets montantes aériennes blanc', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc"}', 0), + (40415, 2, 29, 'Baskets montantes aériennes rouge-blanc', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"rouge-blanc"}', 0), + (40416, 2, 29, 'Baskets montantes aériennes blanc-rose', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-rose"}', 0), + (40417, 2, 29, 'Baskets montantes aériennes kill bill', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"kill bill"}', 0), + (40418, 2, 29, 'Baskets montantes aériennes camo gris', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"camo gris"}', 0), + (40419, 2, 29, 'Baskets montantes aériennes violet-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"violet-jaune"}', 0), + (40420, 2, 29, 'Baskets montantes aériennes vert-orange', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"vert-orange"}', 0), + (40421, 2, 29, 'Baskets montantes aériennes corail-bleu', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"corail-bleu"}', 0), + (40422, 2, 29, 'Baskets montantes aériennes rouge-noir', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"rouge-noir"}', 0), + (40423, 2, 29, 'Baskets montantes aériennes jaune-rouge', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"jaune-rouge"}', 0), + (40424, 2, 29, 'Baskets montantes aériennes noir-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"noir-jaune"}', 0), + (40425, 2, 29, 'Baskets montantes aériennes blanc-vert', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets montantes aériennes","colorLabel":"blanc-vert"}', 0), + (40426, 1, 28, 'Boots militaires beige', 50, '{"components":{"6":{"Drawable":35,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots militaires","colorLabel":"beige"}', 0), + (40427, 1, 28, 'Boots militaires vert', 50, '{"components":{"6":{"Drawable":35,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots militaires","colorLabel":"vert"}', 0), + (40428, 2, 28, 'Boots militaires beige', 50, '{"components":{"6":{"Drawable":35,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots militaires","colorLabel":"beige"}', 0), + (40429, 2, 28, 'Boots militaires vert', 50, '{"components":{"6":{"Drawable":35,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots militaires","colorLabel":"vert"}', 0), + (40430, 3, 30, 'Mocassins marron', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mocassins","colorLabel":"marron"}', 0), + (40431, 3, 30, 'Mocassins fauve', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mocassins","colorLabel":"fauve"}', 0), + (40432, 3, 30, 'Mocassins chocolat', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Mocassins","colorLabel":"chocolat"}', 0), + (40433, 3, 30, 'Mocassins noir', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Mocassins","colorLabel":"noir"}', 0), + (40434, 1, 31, 'Santiags noir', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"noir"}', 0), + (40435, 1, 31, 'Santiags brun', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"brun"}', 0), + (40436, 1, 31, 'Santiags crème', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"crème"}', 0), + (40437, 1, 31, 'Santiags marron', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"marron"}', 0), + (40438, 1, 31, 'Santiags noir-rouge', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"noir-rouge"}', 0), + (40439, 2, 31, 'Santiags noir', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"noir"}', 0), + (40440, 2, 31, 'Santiags brun', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"brun"}', 0), + (40441, 2, 31, 'Santiags crème', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"crème"}', 0), + (40442, 2, 31, 'Santiags marron', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"marron"}', 0), + (40443, 2, 31, 'Santiags noir-rouge', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"noir-rouge"}', 0), + (40444, 1, 31, 'Santiags (basses) noir', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"noir"}', 0), + (40445, 1, 31, 'Santiags (basses) brun', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"brun"}', 0), + (40446, 1, 31, 'Santiags (basses) crème', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"crème"}', 0), + (40447, 1, 31, 'Santiags (basses) marron', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"marron"}', 0), + (40448, 1, 31, 'Santiags (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"noir-rouge"}', 0), + (40449, 2, 31, 'Santiags (basses) noir', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"noir"}', 0), + (40450, 2, 31, 'Santiags (basses) brun', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"brun"}', 0), + (40451, 2, 31, 'Santiags (basses) crème', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"crème"}', 0), + (40452, 2, 31, 'Santiags (basses) marron', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"marron"}', 0), + (40453, 2, 31, 'Santiags (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"noir-rouge"}', 0), + (40454, 3, 30, 'Derby à bout carré avec chaussettes lavande', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"lavande"}', 0), + (40455, 3, 30, 'Derby à bout carré avec chaussettes blanc-rouge', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"blanc-rouge"}', 0), + (40456, 3, 30, 'Derby à bout carré avec chaussettes bicolore gris', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore gris"}', 0), + (40457, 3, 30, 'Derby à bout carré avec chaussettes bicolore violet', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore violet"}', 0), + (40458, 3, 30, 'Derby à bout carré avec chaussettes bicolore perle', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore perle"}', 0), + (40459, 3, 30, 'Derby à bout carré avec chaussettes bleu clair', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bleu clair"}', 0), + (40460, 3, 30, 'Derby à bout carré avec chaussettes bicolore marron', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore marron"}', 0), + (40461, 3, 30, 'Derby à bout carré avec chaussettes bicolore noir-doré', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore noir-doré"}', 0), + (40462, 3, 30, 'Derby à bout carré avec chaussettes corail', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"corail"}', 0), + (40463, 3, 30, 'Derby à bout carré avec chaussettes anthracite', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"anthracite"}', 0), + (40464, 3, 30, 'Derby à bout carré avec chaussettes bicolore pêche', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore pêche"}', 0), + (40465, 3, 30, 'Derby à bout carré avec chaussettes bicolore marine', 50, '{"components":{"6":{"Drawable":40,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Derby à bout carré avec chaussettes","colorLabel":"bicolore marine"}', 0), + (40466, 3, 32, 'Charentaises rouge', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Charentaises","colorLabel":"rouge"}', 0), + (40467, 1, 30, 'Slip-on perle', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"perle"}', 0), + (40468, 1, 30, 'Slip-on noir', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"noir"}', 0), + (40469, 1, 30, 'Slip-on blanc', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"blanc"}', 0), + (40470, 1, 30, 'Slip-on rouge', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"rouge"}', 0), + (40471, 1, 30, 'Slip-on car. bleu', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"car. bleu"}', 0), + (40472, 1, 30, 'Slip-on ray. bleu', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"ray. bleu"}', 0), + (40473, 1, 30, 'Slip-on kaki', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"kaki"}', 0), + (40474, 1, 30, 'Slip-on camo vert', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"camo vert"}', 0), + (40475, 1, 30, 'Slip-on tropiques', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"tropiques"}', 0), + (40476, 1, 30, 'Slip-on vert', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"vert"}', 0), + (40477, 2, 30, 'Slip-on perle', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"perle"}', 0), + (40478, 2, 30, 'Slip-on noir', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"noir"}', 0), + (40479, 2, 30, 'Slip-on blanc', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"blanc"}', 0), + (40480, 2, 30, 'Slip-on rouge', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"rouge"}', 0), + (40481, 2, 30, 'Slip-on car. bleu', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"car. bleu"}', 0), + (40482, 2, 30, 'Slip-on ray. bleu', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"ray. bleu"}', 0), + (40483, 2, 30, 'Slip-on kaki', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"kaki"}', 0), + (40484, 2, 30, 'Slip-on camo vert', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"camo vert"}', 0), + (40485, 2, 30, 'Slip-on tropiques', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"tropiques"}', 0), + (40486, 2, 30, 'Slip-on vert', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"vert"}', 0), + (40487, 3, 30, 'Desert boots jaune', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"jaune"}', 0), + (40488, 3, 30, 'Desert boots anthracite', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"anthracite"}', 0), + (40489, 3, 30, 'Desert boots ardoise', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"ardoise"}', 0), + (40490, 3, 30, 'Desert boots noir', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"noir"}', 0), + (40491, 3, 30, 'Desert boots bleu', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"bleu"}', 0), + (40492, 3, 30, 'Desert boots rouge', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"rouge"}', 0), + (40493, 3, 30, 'Desert boots vert', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"vert"}', 0), + (40494, 3, 30, 'Desert boots noir', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Desert boots","colorLabel":"noir"}', 0), + (40495, 1, 31, 'Santiags bleu clair', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"bleu clair"}', 0), + (40496, 1, 31, 'Santiags rose', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"rose"}', 0), + (40497, 1, 31, 'Santiags blanc-rouge', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"blanc-rouge"}', 0), + (40498, 1, 31, 'Santiags rouge', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"rouge"}', 0), + (40499, 1, 31, 'Santiags bordeaux', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"bordeaux"}', 0), + (40500, 1, 31, 'Santiags carmin', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"carmin"}', 0), + (40501, 1, 31, 'Santiags vert', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"vert"}', 0), + (40502, 1, 31, 'Santiags violet', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"violet"}', 0), + (40503, 1, 31, 'Santiags ocre', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"ocre"}', 0), + (40504, 1, 31, 'Santiags marine', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"marine"}', 0), + (40505, 1, 31, 'Santiags pêche', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"pêche"}', 0), + (40506, 2, 31, 'Santiags bleu clair', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"bleu clair"}', 0), + (40507, 2, 31, 'Santiags rose', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"rose"}', 0), + (40508, 2, 31, 'Santiags blanc-rouge', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"blanc-rouge"}', 0), + (40509, 2, 31, 'Santiags rouge', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"rouge"}', 0), + (40510, 2, 31, 'Santiags bordeaux', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"bordeaux"}', 0), + (40511, 2, 31, 'Santiags carmin', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"carmin"}', 0), + (40512, 2, 31, 'Santiags vert', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"vert"}', 0), + (40513, 2, 31, 'Santiags violet', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"violet"}', 0), + (40514, 2, 31, 'Santiags ocre', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"ocre"}', 0), + (40515, 2, 31, 'Santiags marine', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"marine"}', 0), + (40516, 2, 31, 'Santiags pêche', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Santiags","colorLabel":"pêche"}', 0), + (40517, 1, 31, 'Santiags (basses) bleu clair', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"bleu clair"}', 0), + (40518, 1, 31, 'Santiags (basses) rose', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"rose"}', 0), + (40519, 1, 31, 'Santiags (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"blanc-rouge"}', 0), + (40520, 1, 31, 'Santiags (basses) rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"rouge"}', 0), + (40521, 1, 31, 'Santiags (basses) bordeaux', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"bordeaux"}', 0), + (40522, 1, 31, 'Santiags (basses) carmin', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"carmin"}', 0), + (40523, 1, 31, 'Santiags (basses) vert', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"vert"}', 0), + (40524, 1, 31, 'Santiags (basses) violet', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"violet"}', 0), + (40525, 1, 31, 'Santiags (basses) ocre', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"ocre"}', 0), + (40526, 1, 31, 'Santiags (basses) marine', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"marine"}', 0), + (40527, 1, 31, 'Santiags (basses) pêche', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"pêche"}', 0), + (40528, 2, 31, 'Santiags (basses) bleu clair', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"bleu clair"}', 0), + (40529, 2, 31, 'Santiags (basses) rose', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"rose"}', 0), + (40530, 2, 31, 'Santiags (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"blanc-rouge"}', 0), + (40531, 2, 31, 'Santiags (basses) rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"rouge"}', 0), + (40532, 2, 31, 'Santiags (basses) bordeaux', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"bordeaux"}', 0), + (40533, 2, 31, 'Santiags (basses) carmin', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"carmin"}', 0), + (40534, 2, 31, 'Santiags (basses) vert', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"vert"}', 0), + (40535, 2, 31, 'Santiags (basses) violet', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"violet"}', 0), + (40536, 2, 31, 'Santiags (basses) ocre', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"ocre"}', 0), + (40537, 2, 31, 'Santiags (basses) marine', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"marine"}', 0), + (40538, 2, 31, 'Santiags (basses) pêche', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Santiags (basses)","colorLabel":"pêche"}', 0), + (40539, 1, 29, 'Baskets de sport montantes marine', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"marine"}', 0), + (40540, 1, 29, 'Baskets de sport montantes gris', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"gris"}', 0), + (40541, 1, 29, 'Baskets de sport montantes rouge', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"rouge"}', 0), + (40542, 1, 29, 'Baskets de sport montantes noir', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir"}', 0), + (40543, 1, 29, 'Baskets de sport montantes vert', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"vert"}', 0), + (40544, 1, 29, 'Baskets de sport montantes acier', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"acier"}', 0), + (40545, 1, 29, 'Baskets de sport montantes prairie', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"prairie"}', 0), + (40546, 1, 29, 'Baskets de sport montantes abricot', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"abricot"}', 0), + (40547, 1, 29, 'Baskets de sport montantes violet', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"violet"}', 0), + (40548, 1, 29, 'Baskets de sport montantes rose', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"rose"}', 0), + (40549, 2, 29, 'Baskets de sport montantes marine', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"marine"}', 0), + (40550, 2, 29, 'Baskets de sport montantes gris', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"gris"}', 0), + (40551, 2, 29, 'Baskets de sport montantes rouge', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"rouge"}', 0), + (40552, 2, 29, 'Baskets de sport montantes noir', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir"}', 0), + (40553, 2, 29, 'Baskets de sport montantes vert', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"vert"}', 0), + (40554, 2, 29, 'Baskets de sport montantes acier', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"acier"}', 0), + (40555, 2, 29, 'Baskets de sport montantes prairie', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"prairie"}', 0), + (40556, 2, 29, 'Baskets de sport montantes abricot', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"abricot"}', 0), + (40557, 2, 29, 'Baskets de sport montantes violet', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"violet"}', 0), + (40558, 2, 29, 'Baskets de sport montantes rose', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"rose"}', 0), + (40559, 1, 32, 'Chaussures de ski vert', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"vert"}', 0), + (40560, 1, 32, 'Chaussures de ski rouge', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"rouge"}', 0), + (40561, 1, 32, 'Chaussures de ski blanc', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"blanc"}', 0), + (40562, 1, 32, 'Chaussures de ski noir', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"noir"}', 0), + (40563, 1, 32, 'Chaussures de ski bleu', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"bleu"}', 0), + (40564, 1, 32, 'Chaussures de ski jaune', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"jaune"}', 0), + (40565, 1, 32, 'Chaussures de ski pêche', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"pêche"}', 0), + (40566, 1, 32, 'Chaussures de ski gris', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"gris"}', 0), + (40567, 1, 32, 'Chaussures de ski prairie', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"prairie"}', 0), + (40568, 1, 32, 'Chaussures de ski abricot', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"abricot"}', 0), + (40569, 1, 32, 'Chaussures de ski violet', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"violet"}', 0), + (40570, 1, 32, 'Chaussures de ski rose', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"rose"}', 0), + (40571, 2, 32, 'Chaussures de ski vert', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"vert"}', 0), + (40572, 2, 32, 'Chaussures de ski rouge', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"rouge"}', 0), + (40573, 2, 32, 'Chaussures de ski blanc', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"blanc"}', 0), + (40574, 2, 32, 'Chaussures de ski noir', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"noir"}', 0), + (40575, 2, 32, 'Chaussures de ski bleu', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"bleu"}', 0), + (40576, 2, 32, 'Chaussures de ski jaune', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"jaune"}', 0), + (40577, 2, 32, 'Chaussures de ski pêche', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"pêche"}', 0), + (40578, 2, 32, 'Chaussures de ski gris', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"gris"}', 0), + (40579, 2, 32, 'Chaussures de ski prairie', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"prairie"}', 0), + (40580, 2, 32, 'Chaussures de ski abricot', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"abricot"}', 0), + (40581, 2, 32, 'Chaussures de ski violet', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"violet"}', 0), + (40582, 2, 32, 'Chaussures de ski rose', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures de ski","colorLabel":"rose"}', 0), + (40583, 1, 30, 'Gumshooes montantes fermées noir', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"noir"}', 0), + (40584, 1, 30, 'Gumshooes montantes fermées rose', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"rose"}', 0), + (40585, 2, 30, 'Gumshooes montantes fermées noir', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"noir"}', 0), + (40586, 2, 30, 'Gumshooes montantes fermées rose', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"rose"}', 0), + (40587, 1, 30, 'Gumshooes montantes fermées jaune', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"jaune"}', 0), + (40588, 1, 30, 'Gumshooes montantes fermées gris', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"gris"}', 0), + (40589, 2, 30, 'Gumshooes montantes fermées jaune', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"jaune"}', 0), + (40590, 2, 30, 'Gumshooes montantes fermées gris', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes montantes fermées","colorLabel":"gris"}', 0), + (40591, 1, 28, 'Boots en cuir fermées noir', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"noir"}', 0), + (40592, 1, 28, 'Boots en cuir fermées rouge', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge"}', 0), + (40593, 1, 28, 'Boots en cuir fermées café', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"café"}', 0), + (40594, 1, 28, 'Boots en cuir fermées anthracite usé', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"anthracite usé"}', 0), + (40595, 1, 28, 'Boots en cuir fermées rouge usé', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge usé"}', 0), + (40596, 1, 28, 'Boots en cuir fermées café usé', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"café usé"}', 0), + (40597, 2, 28, 'Boots en cuir fermées noir', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"noir"}', 0), + (40598, 2, 28, 'Boots en cuir fermées rouge', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge"}', 0), + (40599, 2, 28, 'Boots en cuir fermées café', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"café"}', 0), + (40600, 2, 28, 'Boots en cuir fermées anthracite usé', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"anthracite usé"}', 0), + (40601, 2, 28, 'Boots en cuir fermées rouge usé', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge usé"}', 0), + (40602, 2, 28, 'Boots en cuir fermées café usé', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"café usé"}', 0), + (40603, 1, 28, 'Boots en cuir fermées (basses) noir', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"noir"}', 0), + (40604, 1, 28, 'Boots en cuir fermées (basses) rouge', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge"}', 0), + (40605, 1, 28, 'Boots en cuir fermées (basses) café', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café"}', 0), + (40606, 1, 28, 'Boots en cuir fermées (basses) anthracite usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"anthracite usé"}', 0), + (40607, 1, 28, 'Boots en cuir fermées (basses) rouge usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge usé"}', 0), + (40608, 1, 28, 'Boots en cuir fermées (basses) café usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café usé"}', 0), + (40609, 2, 28, 'Boots en cuir fermées (basses) noir', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"noir"}', 0), + (40610, 2, 28, 'Boots en cuir fermées (basses) rouge', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge"}', 0), + (40611, 2, 28, 'Boots en cuir fermées (basses) café', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café"}', 0), + (40612, 2, 28, 'Boots en cuir fermées (basses) anthracite usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"anthracite usé"}', 0), + (40613, 2, 28, 'Boots en cuir fermées (basses) rouge usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge usé"}', 0), + (40614, 2, 28, 'Boots en cuir fermées (basses) café usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café usé"}', 0), + (40615, 3, 28, 'Boots à sangle brun', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots à sangle","colorLabel":"brun"}', 0), + (40616, 3, 28, 'Boots à sangle noir', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots à sangle","colorLabel":"noir"}', 0), + (40617, 1, 28, 'Boots en cuir ouvertes noir', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"noir"}', 0), + (40618, 1, 28, 'Boots en cuir ouvertes rouge', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge"}', 0), + (40619, 1, 28, 'Boots en cuir ouvertes café', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café"}', 0), + (40620, 1, 28, 'Boots en cuir ouvertes anthracite usé', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"anthracite usé"}', 0), + (40621, 1, 28, 'Boots en cuir ouvertes rouge usé', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge usé"}', 0), + (40622, 1, 28, 'Boots en cuir ouvertes café usé', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café usé"}', 0), + (40623, 2, 28, 'Boots en cuir ouvertes noir', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"noir"}', 0), + (40624, 2, 28, 'Boots en cuir ouvertes rouge', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge"}', 0), + (40625, 2, 28, 'Boots en cuir ouvertes café', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café"}', 0), + (40626, 2, 28, 'Boots en cuir ouvertes anthracite usé', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"anthracite usé"}', 0), + (40627, 2, 28, 'Boots en cuir ouvertes rouge usé', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge usé"}', 0), + (40628, 2, 28, 'Boots en cuir ouvertes café usé', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café usé"}', 0), + (40629, 1, 28, 'Boots en cuir ouvertes (basses) noir', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"noir"}', 0), + (40630, 1, 28, 'Boots en cuir ouvertes (basses) rouge', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge"}', 0), + (40631, 1, 28, 'Boots en cuir ouvertes (basses) café', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café"}', 0), + (40632, 1, 28, 'Boots en cuir ouvertes (basses) anthracite usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"anthracite usé"}', 0), + (40633, 1, 28, 'Boots en cuir ouvertes (basses) rouge usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge usé"}', 0), + (40634, 1, 28, 'Boots en cuir ouvertes (basses) café usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café usé"}', 0), + (40635, 2, 28, 'Boots en cuir ouvertes (basses) noir', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"noir"}', 0), + (40636, 2, 28, 'Boots en cuir ouvertes (basses) rouge', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge"}', 0), + (40637, 2, 28, 'Boots en cuir ouvertes (basses) café', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café"}', 0), + (40638, 2, 28, 'Boots en cuir ouvertes (basses) anthracite usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"anthracite usé"}', 0), + (40639, 2, 28, 'Boots en cuir ouvertes (basses) rouge usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge usé"}', 0), + (40640, 2, 28, 'Boots en cuir ouvertes (basses) café usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café usé"}', 0), + (40641, 1, 29, 'Baskets de sport montantes néon néon jaune', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon jaune"}', 0), + (40642, 1, 29, 'Baskets de sport montantes néon néon vert', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon vert"}', 0), + (40643, 1, 29, 'Baskets de sport montantes néon néon orange', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon orange"}', 0), + (40644, 1, 29, 'Baskets de sport montantes néon néon indigo', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon indigo"}', 0), + (40645, 1, 29, 'Baskets de sport montantes néon néon rose', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rose"}', 0), + (40646, 1, 29, 'Baskets de sport montantes néon néon rouge', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rouge"}', 0), + (40647, 1, 29, 'Baskets de sport montantes néon néon bleu', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon bleu"}', 0), + (40648, 1, 29, 'Baskets de sport montantes néon néon gris', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon gris"}', 0), + (40649, 1, 29, 'Baskets de sport montantes néon néon crème', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon crème"}', 0), + (40650, 1, 29, 'Baskets de sport montantes néon néon blanc', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon blanc"}', 0), + (40651, 1, 29, 'Baskets de sport montantes néon néon noir', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon noir"}', 0), + (40652, 2, 29, 'Baskets de sport montantes néon néon jaune', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon jaune"}', 0), + (40653, 2, 29, 'Baskets de sport montantes néon néon vert', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon vert"}', 0), + (40654, 2, 29, 'Baskets de sport montantes néon néon orange', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon orange"}', 0), + (40655, 2, 29, 'Baskets de sport montantes néon néon indigo', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon indigo"}', 0), + (40656, 2, 29, 'Baskets de sport montantes néon néon rose', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rose"}', 0), + (40657, 2, 29, 'Baskets de sport montantes néon néon rouge', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rouge"}', 0), + (40658, 2, 29, 'Baskets de sport montantes néon néon bleu', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon bleu"}', 0), + (40659, 2, 29, 'Baskets de sport montantes néon néon gris', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon gris"}', 0), + (40660, 2, 29, 'Baskets de sport montantes néon néon crème', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon crème"}', 0), + (40661, 2, 29, 'Baskets de sport montantes néon néon blanc', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon blanc"}', 0), + (40662, 2, 29, 'Baskets de sport montantes néon néon noir', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon noir"}', 0), + (40663, 3, 28, 'Boots à sangle (basses) brun', 50, '{"components":{"6":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots à sangle (basses)","colorLabel":"brun"}', 0), + (40664, 3, 28, 'Boots à sangle (basses) noir', 50, '{"components":{"6":{"Drawable":56,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots à sangle (basses)","colorLabel":"noir"}', 0), + (40665, 1, 29, 'Baskets montantes beige', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"beige"}', 0), + (40666, 1, 29, 'Baskets montantes violet', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"violet"}', 0), + (40667, 1, 29, 'Baskets montantes bleu clair', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"bleu clair"}', 0), + (40668, 1, 29, 'Baskets montantes orange', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"orange"}', 0), + (40669, 1, 29, 'Baskets montantes crème', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"crème"}', 0), + (40670, 1, 29, 'Baskets montantes brun', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"brun"}', 0), + (40671, 1, 29, 'Baskets montantes gris', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"gris"}', 0), + (40672, 1, 29, 'Baskets montantes vert', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"vert"}', 0), + (40673, 1, 29, 'Baskets montantes rouge', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"rouge"}', 0), + (40674, 1, 29, 'Baskets montantes blanc', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"blanc"}', 0), + (40675, 1, 29, 'Baskets montantes noir', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"noir"}', 0), + (40676, 1, 29, 'Baskets montantes rose pâle', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"rose pâle"}', 0), + (40677, 2, 29, 'Baskets montantes beige', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"beige"}', 0), + (40678, 2, 29, 'Baskets montantes violet', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"violet"}', 0), + (40679, 2, 29, 'Baskets montantes bleu clair', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"bleu clair"}', 0), + (40680, 2, 29, 'Baskets montantes orange', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"orange"}', 0), + (40681, 2, 29, 'Baskets montantes crème', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"crème"}', 0), + (40682, 2, 29, 'Baskets montantes brun', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"brun"}', 0), + (40683, 2, 29, 'Baskets montantes gris', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"gris"}', 0), + (40684, 2, 29, 'Baskets montantes vert', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"vert"}', 0), + (40685, 2, 29, 'Baskets montantes rouge', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"rouge"}', 0), + (40686, 2, 29, 'Baskets montantes blanc', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"blanc"}', 0), + (40687, 2, 29, 'Baskets montantes noir', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"noir"}', 0), + (40688, 2, 29, 'Baskets montantes rose pâle', 50, '{"components":{"6":{"Drawable":57,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets montantes","colorLabel":"rose pâle"}', 0), + (40689, 1, 31, 'Espadrilles couvrantes indigène bleu', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène bleu"}', 0), + (40690, 1, 31, 'Espadrilles couvrantes indigène rose', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène rose"}', 0), + (40691, 1, 31, 'Espadrilles couvrantes indigène jaune', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène jaune"}', 0), + (40692, 2, 31, 'Espadrilles couvrantes indigène bleu', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène bleu"}', 0), + (40693, 2, 31, 'Espadrilles couvrantes indigène rose', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène rose"}', 0), + (40694, 2, 31, 'Espadrilles couvrantes indigène jaune', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène jaune"}', 0), + (40695, 1, 30, 'Chaussures basses de marche pixel bleu', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel bleu"}', 0), + (40696, 1, 30, 'Chaussures basses de marche pixel crème', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel crème"}', 0), + (40697, 1, 30, 'Chaussures basses de marche pixel vert', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel vert"}', 0), + (40698, 1, 30, 'Chaussures basses de marche pixel gris', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel gris"}', 0), + (40699, 1, 30, 'Chaussures basses de marche crème', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"crème"}', 0), + (40700, 1, 30, 'Chaussures basses de marche camo beige', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo beige"}', 0), + (40701, 1, 30, 'Chaussures basses de marche camo brun', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo brun"}', 0), + (40702, 1, 30, 'Chaussures basses de marche grille', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"grille"}', 0), + (40703, 1, 30, 'Chaussures basses de marche camo vert', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo vert"}', 0), + (40704, 1, 30, 'Chaussures basses de marche camo gris', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo gris"}', 0), + (40705, 1, 30, 'Chaussures basses de marche camo bleu', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo bleu"}', 0), + (40706, 1, 30, 'Chaussures basses de marche camo anthracite', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo anthracite"}', 0), + (40707, 1, 30, 'Chaussures basses de marche camo acier', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo acier"}', 0), + (40708, 1, 30, 'Chaussures basses de marche camo kaki', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo kaki"}', 0), + (40709, 1, 30, 'Chaussures basses de marche camo pêche', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo pêche"}', 0), + (40710, 1, 30, 'Chaussures basses de marche camo forêt', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo forêt"}', 0), + (40711, 1, 30, 'Chaussures basses de marche camo ardoise', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo ardoise"}', 0), + (40712, 1, 30, 'Chaussures basses de marche camo marais', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo marais"}', 0), + (40713, 1, 30, 'Chaussures basses de marche kaki', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"kaki"}', 0), + (40714, 1, 30, 'Chaussures basses de marche ocre', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"ocre"}', 0), + (40715, 1, 30, 'Chaussures basses de marche noir', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"noir"}', 0), + (40716, 1, 30, 'Chaussures basses de marche ardoise', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"ardoise"}', 0), + (40717, 1, 30, 'Chaussures basses de marche gris', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"gris"}', 0), + (40718, 1, 30, 'Chaussures basses de marche brun', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"brun"}', 0), + (40719, 1, 30, 'Chaussures basses de marche lime', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"lime"}', 0), + (40720, 2, 30, 'Chaussures basses de marche pixel bleu', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel bleu"}', 0), + (40721, 2, 30, 'Chaussures basses de marche pixel crème', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel crème"}', 0), + (40722, 2, 30, 'Chaussures basses de marche pixel vert', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel vert"}', 0), + (40723, 2, 30, 'Chaussures basses de marche pixel gris', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel gris"}', 0), + (40724, 2, 30, 'Chaussures basses de marche crème', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"crème"}', 0), + (40725, 2, 30, 'Chaussures basses de marche camo beige', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo beige"}', 0), + (40726, 2, 30, 'Chaussures basses de marche camo brun', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo brun"}', 0), + (40727, 2, 30, 'Chaussures basses de marche grille', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"grille"}', 0), + (40728, 2, 30, 'Chaussures basses de marche camo vert', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo vert"}', 0), + (40729, 2, 30, 'Chaussures basses de marche camo gris', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo gris"}', 0), + (40730, 2, 30, 'Chaussures basses de marche camo bleu', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo bleu"}', 0), + (40731, 2, 30, 'Chaussures basses de marche camo anthracite', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo anthracite"}', 0), + (40732, 2, 30, 'Chaussures basses de marche camo acier', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo acier"}', 0), + (40733, 2, 30, 'Chaussures basses de marche camo kaki', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo kaki"}', 0), + (40734, 2, 30, 'Chaussures basses de marche camo pêche', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo pêche"}', 0), + (40735, 2, 30, 'Chaussures basses de marche camo forêt', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo forêt"}', 0), + (40736, 2, 30, 'Chaussures basses de marche camo ardoise', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo ardoise"}', 0), + (40737, 2, 30, 'Chaussures basses de marche camo marais', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"camo marais"}', 0), + (40738, 2, 30, 'Chaussures basses de marche kaki', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"kaki"}', 0), + (40739, 2, 30, 'Chaussures basses de marche ocre', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"ocre"}', 0), + (40740, 2, 30, 'Chaussures basses de marche noir', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"noir"}', 0), + (40741, 2, 30, 'Chaussures basses de marche ardoise', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"ardoise"}', 0), + (40742, 2, 30, 'Chaussures basses de marche gris', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"gris"}', 0), + (40743, 2, 30, 'Chaussures basses de marche brun', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"brun"}', 0), + (40744, 2, 30, 'Chaussures basses de marche lime', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Chaussures basses de marche","colorLabel":"lime"}', 0), + (40745, 1, 32, 'Chaussures de snowboard noir', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"noir"}', 0), + (40746, 1, 32, 'Chaussures de snowboard crème', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"crème"}', 0), + (40747, 1, 32, 'Chaussures de snowboard beige', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"beige"}', 0), + (40748, 1, 32, 'Chaussures de snowboard vert', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"vert"}', 0), + (40749, 1, 32, 'Chaussures de snowboard orange', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"orange"}', 0), + (40750, 1, 32, 'Chaussures de snowboard noir-rouge', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"noir-rouge"}', 0), + (40751, 1, 32, 'Chaussures de snowboard ocre', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"ocre"}', 0), + (40752, 1, 32, 'Chaussures de snowboard marron', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"marron"}', 0), + (40753, 2, 32, 'Chaussures de snowboard noir', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"noir"}', 0), + (40754, 2, 32, 'Chaussures de snowboard crème', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"crème"}', 0), + (40755, 2, 32, 'Chaussures de snowboard beige', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"beige"}', 0), + (40756, 2, 32, 'Chaussures de snowboard vert', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"vert"}', 0), + (40757, 2, 32, 'Chaussures de snowboard orange', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"orange"}', 0), + (40758, 2, 32, 'Chaussures de snowboard noir-rouge', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"noir-rouge"}', 0), + (40759, 2, 32, 'Chaussures de snowboard ocre', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"ocre"}', 0), + (40760, 2, 32, 'Chaussures de snowboard marron', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard","colorLabel":"marron"}', 0), + (40761, 1, 32, 'Chaussures de snowboard (basses) noir', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir"}', 0), + (40762, 1, 32, 'Chaussures de snowboard (basses) crème', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"crème"}', 0), + (40763, 1, 32, 'Chaussures de snowboard (basses) beige', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"beige"}', 0), + (40764, 1, 32, 'Chaussures de snowboard (basses) vert', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"vert"}', 0), + (40765, 1, 32, 'Chaussures de snowboard (basses) orange', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"orange"}', 0), + (40766, 1, 32, 'Chaussures de snowboard (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir-rouge"}', 0), + (40767, 1, 32, 'Chaussures de snowboard (basses) ocre', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"ocre"}', 0), + (40768, 1, 32, 'Chaussures de snowboard (basses) marron', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"marron"}', 0), + (40769, 2, 32, 'Chaussures de snowboard (basses) noir', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir"}', 0), + (40770, 2, 32, 'Chaussures de snowboard (basses) crème', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"crème"}', 0), + (40771, 2, 32, 'Chaussures de snowboard (basses) beige', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"beige"}', 0), + (40772, 2, 32, 'Chaussures de snowboard (basses) vert', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"vert"}', 0), + (40773, 2, 32, 'Chaussures de snowboard (basses) orange', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"orange"}', 0), + (40774, 2, 32, 'Chaussures de snowboard (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir-rouge"}', 0), + (40775, 2, 32, 'Chaussures de snowboard (basses) ocre', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"ocre"}', 0), + (40776, 2, 32, 'Chaussures de snowboard (basses) marron', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"marron"}', 0), + (40777, 1, 28, 'Chaussures de randonnée crème', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"crème"}', 0), + (40778, 1, 28, 'Chaussures de randonnée vert', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"vert"}', 0), + (40779, 1, 28, 'Chaussures de randonnée bleu', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"bleu"}', 0), + (40780, 1, 28, 'Chaussures de randonnée taupe', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"taupe"}', 0), + (40781, 1, 28, 'Chaussures de randonnée anthracite', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"anthracite"}', 0), + (40782, 1, 28, 'Chaussures de randonnée beige', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"beige"}', 0), + (40783, 1, 28, 'Chaussures de randonnée gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"gris"}', 0), + (40784, 1, 28, 'Chaussures de randonnée brun', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"brun"}', 0), + (40785, 2, 28, 'Chaussures de randonnée crème', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"crème"}', 0), + (40786, 2, 28, 'Chaussures de randonnée vert', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"vert"}', 0), + (40787, 2, 28, 'Chaussures de randonnée bleu', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"bleu"}', 0), + (40788, 2, 28, 'Chaussures de randonnée taupe', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"taupe"}', 0), + (40789, 2, 28, 'Chaussures de randonnée anthracite', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"anthracite"}', 0), + (40790, 2, 28, 'Chaussures de randonnée beige', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"beige"}', 0), + (40791, 2, 28, 'Chaussures de randonnée gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"gris"}', 0), + (40792, 2, 28, 'Chaussures de randonnée brun', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée","colorLabel":"brun"}', 0), + (40793, 1, 28, 'Chaussures de randonnée (basses) crème', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"crème"}', 0), + (40794, 1, 28, 'Chaussures de randonnée (basses) vert', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"vert"}', 0), + (40795, 1, 28, 'Chaussures de randonnée (basses) bleu', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"bleu"}', 0), + (40796, 1, 28, 'Chaussures de randonnée (basses) taupe', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"taupe"}', 0), + (40797, 1, 28, 'Chaussures de randonnée (basses) anthracite', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"anthracite"}', 0), + (40798, 1, 28, 'Chaussures de randonnée (basses) beige', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"beige"}', 0), + (40799, 1, 28, 'Chaussures de randonnée (basses) gris', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"gris"}', 0), + (40800, 1, 28, 'Chaussures de randonnée (basses) brun', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"brun"}', 0), + (40801, 2, 28, 'Chaussures de randonnée (basses) crème', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"crème"}', 0), + (40802, 2, 28, 'Chaussures de randonnée (basses) vert', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"vert"}', 0), + (40803, 2, 28, 'Chaussures de randonnée (basses) bleu', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"bleu"}', 0), + (40804, 2, 28, 'Chaussures de randonnée (basses) taupe', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"taupe"}', 0), + (40805, 2, 28, 'Chaussures de randonnée (basses) anthracite', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"anthracite"}', 0), + (40806, 2, 28, 'Chaussures de randonnée (basses) beige', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"beige"}', 0), + (40807, 2, 28, 'Chaussures de randonnée (basses) gris', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"gris"}', 0), + (40808, 2, 28, 'Chaussures de randonnée (basses) brun', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"brun"}', 0), + (40809, 1, 29, 'Baskets de sport montantes forêt', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"forêt"}', 0), + (40810, 1, 29, 'Baskets de sport montantes turquoise', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"turquoise"}', 0), + (40811, 1, 29, 'Baskets de sport montantes america', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"america"}', 0), + (40812, 1, 29, 'Baskets de sport montantes satan', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"satan"}', 0), + (40813, 1, 29, 'Baskets de sport montantes ocre', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"ocre"}', 0), + (40814, 1, 29, 'Baskets de sport montantes noir-jaune', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-jaune"}', 0), + (40815, 1, 29, 'Baskets de sport montantes japon', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"japon"}', 0), + (40816, 1, 29, 'Baskets de sport montantes vanille', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"vanille"}', 0), + (40817, 1, 29, 'Baskets de sport montantes lilith', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"lilith"}', 0), + (40818, 1, 29, 'Baskets de sport montantes kill bill', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"kill bill"}', 0), + (40819, 1, 29, 'Baskets de sport montantes bleu-blanc', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"bleu-blanc"}', 0), + (40820, 1, 29, 'Baskets de sport montantes perle', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"perle"}', 0), + (40821, 1, 29, 'Baskets de sport montantes emeraude', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"emeraude"}', 0), + (40822, 1, 29, 'Baskets de sport montantes taupe', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"taupe"}', 0), + (40823, 2, 29, 'Baskets de sport montantes forêt', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"forêt"}', 0), + (40824, 2, 29, 'Baskets de sport montantes turquoise', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"turquoise"}', 0), + (40825, 2, 29, 'Baskets de sport montantes america', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"america"}', 0), + (40826, 2, 29, 'Baskets de sport montantes satan', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"satan"}', 0), + (40827, 2, 29, 'Baskets de sport montantes ocre', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"ocre"}', 0), + (40828, 2, 29, 'Baskets de sport montantes noir-jaune', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-jaune"}', 0), + (40829, 2, 29, 'Baskets de sport montantes japon', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"japon"}', 0), + (40830, 2, 29, 'Baskets de sport montantes vanille', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"vanille"}', 0), + (40831, 2, 29, 'Baskets de sport montantes lilith', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"lilith"}', 0), + (40832, 2, 29, 'Baskets de sport montantes kill bill', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"kill bill"}', 0), + (40833, 2, 29, 'Baskets de sport montantes bleu-blanc', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"bleu-blanc"}', 0), + (40834, 2, 29, 'Baskets de sport montantes perle', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"perle"}', 0), + (40835, 2, 29, 'Baskets de sport montantes emeraude', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"emeraude"}', 0), + (40836, 2, 29, 'Baskets de sport montantes taupe', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"taupe"}', 0), + (40837, 3, 28, 'Chaussures montantes en cuir brun', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"brun"}', 0), + (40838, 3, 28, 'Chaussures montantes en cuir noir', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"noir"}', 0), + (40839, 3, 28, 'Chaussures montantes en cuir anthracite', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"anthracite"}', 0), + (40840, 3, 28, 'Chaussures montantes en cuir marron', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"marron"}', 0), + (40841, 3, 28, 'Chaussures montantes en cuir ocre', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"ocre"}', 0), + (40842, 3, 28, 'Chaussures montantes en cuir feu', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"feu"}', 0), + (40843, 3, 28, 'Chaussures montantes en cuir rouge', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir","colorLabel":"rouge"}', 0), + (40844, 3, 28, 'Chaussures montantes en cuir (basses) brun', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"brun"}', 0), + (40845, 3, 28, 'Chaussures montantes en cuir (basses) noir', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"noir"}', 0), + (40846, 3, 28, 'Chaussures montantes en cuir (basses) anthracite', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"anthracite"}', 0), + (40847, 3, 28, 'Chaussures montantes en cuir (basses) marron', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"marron"}', 0), + (40848, 3, 28, 'Chaussures montantes en cuir (basses) ocre', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"ocre"}', 0), + (40849, 3, 28, 'Chaussures montantes en cuir (basses) feu', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"feu"}', 0), + (40850, 3, 28, 'Chaussures montantes en cuir (basses) rouge', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"rouge"}', 0), + (40851, 1, 31, 'Palmes noir', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir"}', 0), + (40852, 1, 31, 'Palmes blanc', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"blanc"}', 0), + (40853, 1, 31, 'Palmes bleu', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"bleu"}', 0), + (40854, 1, 31, 'Palmes rouge', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"rouge"}', 0), + (40855, 1, 31, 'Palmes turquoise', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"turquoise"}', 0), + (40856, 1, 31, 'Palmes citron', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"citron"}', 0), + (40857, 1, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (40858, 1, 31, 'Palmes jaune', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"jaune"}', 0), + (40859, 1, 31, 'Palmes noir-rouge', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-rouge"}', 0), + (40860, 1, 31, 'Palmes noir-rose', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-rose"}', 0), + (40861, 1, 31, 'Palmes menthe', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"menthe"}', 0), + (40862, 1, 31, 'Palmes pétrole', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"pétrole"}', 0), + (40863, 1, 31, 'Palmes aqua', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"aqua"}', 0), + (40864, 1, 31, 'Palmes anthracite', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"anthracite"}', 0), + (40865, 1, 31, 'Palmes crème', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"crème"}', 0), + (40866, 1, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (40867, 1, 31, 'Palmes tigre', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"tigre"}', 0), + (40868, 1, 31, 'Palmes camo gris', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"camo gris"}', 0), + (40869, 1, 31, 'Palmes kaki', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"kaki"}', 0), + (40870, 1, 31, 'Palmes noir-framboise', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-framboise"}', 0), + (40871, 1, 31, 'Palmes noir-ciel', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-ciel"}', 0), + (40872, 1, 31, 'Palmes multicolore', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"multicolore"}', 0), + (40873, 1, 31, 'Palmes vert', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"vert"}', 0), + (40874, 1, 31, 'Palmes abricot', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"abricot"}', 0), + (40875, 1, 31, 'Palmes violet', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"violet"}', 0), + (40876, 2, 31, 'Palmes noir', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir"}', 0), + (40877, 2, 31, 'Palmes blanc', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"blanc"}', 0), + (40878, 2, 31, 'Palmes bleu', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"bleu"}', 0), + (40879, 2, 31, 'Palmes rouge', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"rouge"}', 0), + (40880, 2, 31, 'Palmes turquoise', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"turquoise"}', 0), + (40881, 2, 31, 'Palmes citron', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"citron"}', 0), + (40882, 2, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (40883, 2, 31, 'Palmes jaune', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"jaune"}', 0), + (40884, 2, 31, 'Palmes noir-rouge', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-rouge"}', 0), + (40885, 2, 31, 'Palmes noir-rose', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-rose"}', 0), + (40886, 2, 31, 'Palmes menthe', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"menthe"}', 0), + (40887, 2, 31, 'Palmes pétrole', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"pétrole"}', 0), + (40888, 2, 31, 'Palmes aqua', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"aqua"}', 0), + (40889, 2, 31, 'Palmes anthracite', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"anthracite"}', 0), + (40890, 2, 31, 'Palmes crème', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"crème"}', 0), + (40891, 2, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (40892, 2, 31, 'Palmes tigre', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"tigre"}', 0), + (40893, 2, 31, 'Palmes camo gris', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"camo gris"}', 0), + (40894, 2, 31, 'Palmes kaki', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"kaki"}', 0), + (40895, 2, 31, 'Palmes noir-framboise', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-framboise"}', 0), + (40896, 2, 31, 'Palmes noir-ciel', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"noir-ciel"}', 0), + (40897, 2, 31, 'Palmes multicolore', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"multicolore"}', 0), + (40898, 2, 31, 'Palmes vert', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"vert"}', 0), + (40899, 2, 31, 'Palmes abricot', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"abricot"}', 0), + (40900, 2, 31, 'Palmes violet', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Palmes","colorLabel":"violet"}', 0), + (40901, 1, 31, 'Espadrilles couvrantes noir-vert', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-vert"}', 0), + (40902, 1, 31, 'Espadrilles couvrantes noir-orange', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-orange"}', 0), + (40903, 1, 31, 'Espadrilles couvrantes noir-bleu', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-bleu"}', 0), + (40904, 1, 31, 'Espadrilles couvrantes noir-rose', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-rose"}', 0), + (40905, 1, 31, 'Espadrilles couvrantes noir-jaune', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-jaune"}', 0), + (40906, 1, 31, 'Espadrilles couvrantes noir', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir"}', 0), + (40907, 1, 31, 'Espadrilles couvrantes pain d\'épice clair', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice clair"}', 0), + (40908, 1, 31, 'Espadrilles couvrantes pain d\'épice foncé', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice foncé"}', 0), + (40909, 1, 31, 'Espadrilles couvrantes jaune', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"jaune"}', 0), + (40910, 2, 31, 'Espadrilles couvrantes noir-vert', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-vert"}', 0), + (40911, 2, 31, 'Espadrilles couvrantes noir-orange', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-orange"}', 0), + (40912, 2, 31, 'Espadrilles couvrantes noir-bleu', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-bleu"}', 0), + (40913, 2, 31, 'Espadrilles couvrantes noir-rose', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-rose"}', 0), + (40914, 2, 31, 'Espadrilles couvrantes noir-jaune', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-jaune"}', 0), + (40915, 2, 31, 'Espadrilles couvrantes noir', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir"}', 0), + (40916, 2, 31, 'Espadrilles couvrantes pain d\'épice clair', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice clair"}', 0), + (40917, 2, 31, 'Espadrilles couvrantes pain d\'épice foncé', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice foncé"}', 0), + (40918, 2, 31, 'Espadrilles couvrantes jaune', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"jaune"}', 0), + (40919, 1, 28, 'Chaussures de moto noir', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir"}', 0), + (40920, 1, 28, 'Chaussures de moto gris', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"gris"}', 0), + (40921, 1, 28, 'Chaussures de moto noir-bleu', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu"}', 0), + (40922, 1, 28, 'Chaussures de moto noir-rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-rouge"}', 0), + (40923, 1, 28, 'Chaussures de moto noir-bleu clair', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu clair"}', 0), + (40924, 1, 28, 'Chaussures de moto noir-vert', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-vert"}', 0), + (40925, 1, 28, 'Chaussures de moto noir-orange', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-orange"}', 0), + (40926, 1, 28, 'Chaussures de moto jaune', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"jaune"}', 0), + (40927, 1, 28, 'Chaussures de moto rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"rouge"}', 0), + (40928, 1, 28, 'Chaussures de moto noir-rose', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-rose"}', 0), + (40929, 1, 28, 'Chaussures de moto noir-pétrole', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-pétrole"}', 0), + (40930, 1, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (40931, 1, 28, 'Chaussures de moto aqua', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"aqua"}', 0), + (40932, 1, 28, 'Chaussures de moto anthracite', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"anthracite"}', 0), + (40933, 1, 28, 'Chaussures de moto anthracite-rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"anthracite-rouge"}', 0), + (40934, 1, 28, 'Chaussures de moto crème', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"crème"}', 0), + (40935, 1, 28, 'Chaussures de moto orange', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"orange"}', 0), + (40936, 1, 28, 'Chaussures de moto camo gris', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"camo gris"}', 0), + (40937, 1, 28, 'Chaussures de moto kaki', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"kaki"}', 0), + (40938, 1, 28, 'Chaussures de moto noir-framboise', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-framboise"}', 0), + (40939, 1, 28, 'Chaussures de moto noir-ciel', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-ciel"}', 0), + (40940, 1, 28, 'Chaussures de moto multicolore', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"multicolore"}', 0), + (40941, 1, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (40942, 1, 28, 'Chaussures de moto abricot', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"abricot"}', 0), + (40943, 1, 28, 'Chaussures de moto violet', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"violet"}', 0), + (40944, 2, 28, 'Chaussures de moto noir', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir"}', 0), + (40945, 2, 28, 'Chaussures de moto gris', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"gris"}', 0), + (40946, 2, 28, 'Chaussures de moto noir-bleu', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu"}', 0), + (40947, 2, 28, 'Chaussures de moto noir-rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-rouge"}', 0), + (40948, 2, 28, 'Chaussures de moto noir-bleu clair', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu clair"}', 0), + (40949, 2, 28, 'Chaussures de moto noir-vert', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-vert"}', 0), + (40950, 2, 28, 'Chaussures de moto noir-orange', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-orange"}', 0), + (40951, 2, 28, 'Chaussures de moto jaune', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"jaune"}', 0), + (40952, 2, 28, 'Chaussures de moto rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"rouge"}', 0), + (40953, 2, 28, 'Chaussures de moto noir-rose', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-rose"}', 0), + (40954, 2, 28, 'Chaussures de moto noir-pétrole', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-pétrole"}', 0), + (40955, 2, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (40956, 2, 28, 'Chaussures de moto aqua', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"aqua"}', 0), + (40957, 2, 28, 'Chaussures de moto anthracite', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"anthracite"}', 0), + (40958, 2, 28, 'Chaussures de moto anthracite-rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"anthracite-rouge"}', 0), + (40959, 2, 28, 'Chaussures de moto crème', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"crème"}', 0), + (40960, 2, 28, 'Chaussures de moto orange', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"orange"}', 0), + (40961, 2, 28, 'Chaussures de moto camo gris', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"camo gris"}', 0), + (40962, 2, 28, 'Chaussures de moto kaki', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"kaki"}', 0), + (40963, 2, 28, 'Chaussures de moto noir-framboise', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-framboise"}', 0), + (40964, 2, 28, 'Chaussures de moto noir-ciel', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"noir-ciel"}', 0), + (40965, 2, 28, 'Chaussures de moto multicolore', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"multicolore"}', 0), + (40966, 2, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (40967, 2, 28, 'Chaussures de moto abricot', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"abricot"}', 0), + (40968, 2, 28, 'Chaussures de moto violet', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Chaussures de moto","colorLabel":"violet"}', 0), + (40969, 1, 28, 'Bottes de travail beige', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"beige"}', 0), + (40970, 1, 28, 'Bottes de travail anthracite', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"anthracite"}', 0), + (40971, 1, 28, 'Bottes de travail blanc', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"blanc"}', 0), + (40972, 1, 28, 'Bottes de travail gris', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"gris"}', 0), + (40973, 1, 28, 'Bottes de travail taupe', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"taupe"}', 0), + (40974, 1, 28, 'Bottes de travail crème', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"crème"}', 0), + (40975, 1, 28, 'Bottes de travail ocre', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"ocre"}', 0), + (40976, 1, 28, 'Bottes de travail camo vanille', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo vanille"}', 0), + (40977, 1, 28, 'Bottes de travail camo bleu', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo bleu"}', 0), + (40978, 1, 28, 'Bottes de travail camo ciel', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo ciel"}', 0), + (40979, 1, 28, 'Bottes de travail camo rose', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo rose"}', 0), + (40980, 1, 28, 'Bottes de travail camo gris', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo gris"}', 0), + (40981, 1, 28, 'Bottes de travail bleu', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"bleu"}', 0), + (40982, 1, 28, 'Bottes de travail ardoise', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"ardoise"}', 0), + (40983, 1, 28, 'Bottes de travail acier', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"acier"}', 0), + (40984, 1, 28, 'Bottes de travail ciel', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"ciel"}', 0), + (40985, 1, 28, 'Bottes de travail MTP', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"MTP"}', 0), + (40986, 1, 28, 'Bottes de travail rouge', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"rouge"}', 0), + (40987, 1, 28, 'Bottes de travail vert', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"vert"}', 0), + (40988, 1, 28, 'Bottes de travail marine', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"marine"}', 0), + (40989, 1, 28, 'Bottes de travail camo beige', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo beige"}', 0), + (40990, 1, 28, 'Bottes de travail géométrique kaki', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"géométrique kaki"}', 0), + (40991, 1, 28, 'Bottes de travail perle', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"perle"}', 0), + (40992, 1, 28, 'Bottes de travail orage', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"orage"}', 0), + (40993, 1, 28, 'Bottes de travail bitume', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"bitume"}', 0), + (40994, 2, 28, 'Bottes de travail beige', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"beige"}', 0), + (40995, 2, 28, 'Bottes de travail anthracite', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"anthracite"}', 0), + (40996, 2, 28, 'Bottes de travail blanc', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"blanc"}', 0), + (40997, 2, 28, 'Bottes de travail gris', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"gris"}', 0), + (40998, 2, 28, 'Bottes de travail taupe', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"taupe"}', 0), + (40999, 2, 28, 'Bottes de travail crème', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"crème"}', 0), + (41000, 2, 28, 'Bottes de travail ocre', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"ocre"}', 0), + (41001, 2, 28, 'Bottes de travail camo vanille', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo vanille"}', 0), + (41002, 2, 28, 'Bottes de travail camo bleu', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo bleu"}', 0), + (41003, 2, 28, 'Bottes de travail camo ciel', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo ciel"}', 0), + (41004, 2, 28, 'Bottes de travail camo rose', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo rose"}', 0), + (41005, 2, 28, 'Bottes de travail camo gris', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo gris"}', 0), + (41006, 2, 28, 'Bottes de travail bleu', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"bleu"}', 0), + (41007, 2, 28, 'Bottes de travail ardoise', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"ardoise"}', 0), + (41008, 2, 28, 'Bottes de travail acier', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"acier"}', 0), + (41009, 2, 28, 'Bottes de travail ciel', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"ciel"}', 0), + (41010, 2, 28, 'Bottes de travail MTP', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"MTP"}', 0), + (41011, 2, 28, 'Bottes de travail rouge', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"rouge"}', 0), + (41012, 2, 28, 'Bottes de travail vert', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"vert"}', 0), + (41013, 2, 28, 'Bottes de travail marine', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"marine"}', 0), + (41014, 2, 28, 'Bottes de travail camo beige', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"camo beige"}', 0), + (41015, 2, 28, 'Bottes de travail géométrique kaki', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"géométrique kaki"}', 0), + (41016, 2, 28, 'Bottes de travail perle', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"perle"}', 0), + (41017, 2, 28, 'Bottes de travail orage', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"orage"}', 0), + (41018, 2, 28, 'Bottes de travail bitume', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Bottes de travail","colorLabel":"bitume"}', 0), + (41019, 1, 28, 'Bottes de travail (basses) beige', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"beige"}', 0), + (41020, 1, 28, 'Bottes de travail (basses) anthracite', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"anthracite"}', 0), + (41021, 1, 28, 'Bottes de travail (basses) blanc', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"blanc"}', 0), + (41022, 1, 28, 'Bottes de travail (basses) gris', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"gris"}', 0), + (41023, 1, 28, 'Bottes de travail (basses) taupe', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"taupe"}', 0), + (41024, 1, 28, 'Bottes de travail (basses) crème', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"crème"}', 0), + (41025, 1, 28, 'Bottes de travail (basses) ocre', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"ocre"}', 0), + (41026, 1, 28, 'Bottes de travail (basses) camo vanille', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo vanille"}', 0), + (41027, 1, 28, 'Bottes de travail (basses) camo bleu', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo bleu"}', 0), + (41028, 1, 28, 'Bottes de travail (basses) camo ciel', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo ciel"}', 0), + (41029, 1, 28, 'Bottes de travail (basses) camo rose', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo rose"}', 0), + (41030, 1, 28, 'Bottes de travail (basses) camo gris', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo gris"}', 0), + (41031, 1, 28, 'Bottes de travail (basses) bleu', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"bleu"}', 0), + (41032, 1, 28, 'Bottes de travail (basses) ardoise', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"ardoise"}', 0), + (41033, 1, 28, 'Bottes de travail (basses) acier', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"acier"}', 0), + (41034, 1, 28, 'Bottes de travail (basses) ciel', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"ciel"}', 0), + (41035, 1, 28, 'Bottes de travail (basses) MTP', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"MTP"}', 0), + (41036, 1, 28, 'Bottes de travail (basses) rouge', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"rouge"}', 0), + (41037, 1, 28, 'Bottes de travail (basses) vert', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"vert"}', 0), + (41038, 1, 28, 'Bottes de travail (basses) marine', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"marine"}', 0), + (41039, 1, 28, 'Bottes de travail (basses) camo beige', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo beige"}', 0), + (41040, 1, 28, 'Bottes de travail (basses) géométrique kaki', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"géométrique kaki"}', 0), + (41041, 1, 28, 'Bottes de travail (basses) perle', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"perle"}', 0), + (41042, 1, 28, 'Bottes de travail (basses) orage', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"orage"}', 0), + (41043, 1, 28, 'Bottes de travail (basses) bitume', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"bitume"}', 0), + (41044, 2, 28, 'Bottes de travail (basses) beige', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"beige"}', 0), + (41045, 2, 28, 'Bottes de travail (basses) anthracite', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"anthracite"}', 0), + (41046, 2, 28, 'Bottes de travail (basses) blanc', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"blanc"}', 0), + (41047, 2, 28, 'Bottes de travail (basses) gris', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"gris"}', 0), + (41048, 2, 28, 'Bottes de travail (basses) taupe', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"taupe"}', 0), + (41049, 2, 28, 'Bottes de travail (basses) crème', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"crème"}', 0), + (41050, 2, 28, 'Bottes de travail (basses) ocre', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"ocre"}', 0), + (41051, 2, 28, 'Bottes de travail (basses) camo vanille', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo vanille"}', 0), + (41052, 2, 28, 'Bottes de travail (basses) camo bleu', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo bleu"}', 0), + (41053, 2, 28, 'Bottes de travail (basses) camo ciel', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo ciel"}', 0), + (41054, 2, 28, 'Bottes de travail (basses) camo rose', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo rose"}', 0), + (41055, 2, 28, 'Bottes de travail (basses) camo gris', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo gris"}', 0), + (41056, 2, 28, 'Bottes de travail (basses) bleu', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"bleu"}', 0), + (41057, 2, 28, 'Bottes de travail (basses) ardoise', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"ardoise"}', 0), + (41058, 2, 28, 'Bottes de travail (basses) acier', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"acier"}', 0), + (41059, 2, 28, 'Bottes de travail (basses) ciel', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"ciel"}', 0), + (41060, 2, 28, 'Bottes de travail (basses) MTP', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"MTP"}', 0), + (41061, 2, 28, 'Bottes de travail (basses) rouge', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"rouge"}', 0), + (41062, 2, 28, 'Bottes de travail (basses) vert', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"vert"}', 0), + (41063, 2, 28, 'Bottes de travail (basses) marine', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"marine"}', 0), + (41064, 2, 28, 'Bottes de travail (basses) camo beige', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo beige"}', 0), + (41065, 2, 28, 'Bottes de travail (basses) géométrique kaki', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"géométrique kaki"}', 0), + (41066, 2, 28, 'Bottes de travail (basses) perle', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"perle"}', 0), + (41067, 2, 28, 'Bottes de travail (basses) orage', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"orage"}', 0), + (41068, 2, 28, 'Bottes de travail (basses) bitume', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Bottes de travail (basses)","colorLabel":"bitume"}', 0), + (41069, 1, 28, 'Boots tactiques anthracite', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"anthracite"}', 0), + (41070, 1, 28, 'Boots tactiques crème', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"crème"}', 0), + (41071, 1, 28, 'Boots tactiques bleu', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"bleu"}', 0), + (41072, 1, 28, 'Boots tactiques beige', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"beige"}', 0), + (41073, 1, 28, 'Boots tactiques orage', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"orage"}', 0), + (41074, 1, 28, 'Boots tactiques camo beige', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"camo beige"}', 0), + (41075, 1, 28, 'Boots tactiques brun', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"brun"}', 0), + (41076, 1, 28, 'Boots tactiques sable', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"sable"}', 0), + (41077, 1, 28, 'Boots tactiques taupe', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"taupe"}', 0), + (41078, 1, 28, 'Boots tactiques perle', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"perle"}', 0), + (41079, 1, 28, 'Boots tactiques camo vanille', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"camo vanille"}', 0), + (41080, 1, 28, 'Boots tactiques café', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"café"}', 0), + (41081, 1, 28, 'Boots tactiques jaune pâle', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"jaune pâle"}', 0), + (41082, 1, 28, 'Boots tactiques vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"vert"}', 0), + (41083, 1, 28, 'Boots tactiques marron', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"marron"}', 0), + (41084, 1, 28, 'Boots tactiques gris', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"gris"}', 0), + (41085, 1, 28, 'Boots tactiques bitume', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"bitume"}', 0), + (41086, 1, 28, 'Boots tactiques rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"rouge"}', 0), + (41087, 1, 28, 'Boots tactiques orange', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"orange"}', 0), + (41088, 1, 28, 'Boots tactiques indigo', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"indigo"}', 0), + (41089, 1, 28, 'Boots tactiques bleu foncé', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"bleu foncé"}', 0), + (41090, 1, 28, 'Boots tactiques marais', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"marais"}', 0), + (41091, 1, 28, 'Boots tactiques ciel', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"ciel"}', 0), + (41092, 1, 28, 'Boots tactiques ardoise', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"ardoise"}', 0), + (41093, 1, 28, 'Boots tactiques camo blanc', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"camo blanc"}', 0), + (41094, 2, 28, 'Boots tactiques anthracite', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"anthracite"}', 0), + (41095, 2, 28, 'Boots tactiques crème', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"crème"}', 0), + (41096, 2, 28, 'Boots tactiques bleu', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"bleu"}', 0), + (41097, 2, 28, 'Boots tactiques beige', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"beige"}', 0), + (41098, 2, 28, 'Boots tactiques orage', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"orage"}', 0), + (41099, 2, 28, 'Boots tactiques camo beige', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"camo beige"}', 0), + (41100, 2, 28, 'Boots tactiques brun', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"brun"}', 0), + (41101, 2, 28, 'Boots tactiques sable', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"sable"}', 0), + (41102, 2, 28, 'Boots tactiques taupe', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"taupe"}', 0), + (41103, 2, 28, 'Boots tactiques perle', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"perle"}', 0), + (41104, 2, 28, 'Boots tactiques camo vanille', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"camo vanille"}', 0), + (41105, 2, 28, 'Boots tactiques café', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"café"}', 0), + (41106, 2, 28, 'Boots tactiques jaune pâle', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"jaune pâle"}', 0), + (41107, 2, 28, 'Boots tactiques vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"vert"}', 0), + (41108, 2, 28, 'Boots tactiques marron', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"marron"}', 0), + (41109, 2, 28, 'Boots tactiques gris', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"gris"}', 0), + (41110, 2, 28, 'Boots tactiques bitume', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"bitume"}', 0), + (41111, 2, 28, 'Boots tactiques rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"rouge"}', 0), + (41112, 2, 28, 'Boots tactiques orange', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"orange"}', 0), + (41113, 2, 28, 'Boots tactiques indigo', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"indigo"}', 0), + (41114, 2, 28, 'Boots tactiques bleu foncé', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"bleu foncé"}', 0), + (41115, 2, 28, 'Boots tactiques marais', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"marais"}', 0), + (41116, 2, 28, 'Boots tactiques ciel', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"ciel"}', 0), + (41117, 2, 28, 'Boots tactiques ardoise', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"ardoise"}', 0), + (41118, 2, 28, 'Boots tactiques camo blanc', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Boots tactiques","colorLabel":"camo blanc"}', 0), + (41119, 1, 28, 'Boots tactiques (basses) anthracite', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"anthracite"}', 0), + (41120, 1, 28, 'Boots tactiques (basses) crème', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"crème"}', 0), + (41121, 1, 28, 'Boots tactiques (basses) bleu', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu"}', 0), + (41122, 1, 28, 'Boots tactiques (basses) beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"beige"}', 0), + (41123, 1, 28, 'Boots tactiques (basses) orage', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"orage"}', 0), + (41124, 1, 28, 'Boots tactiques (basses) camo beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo beige"}', 0), + (41125, 1, 28, 'Boots tactiques (basses) brun', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"brun"}', 0), + (41126, 1, 28, 'Boots tactiques (basses) sable', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"sable"}', 0), + (41127, 1, 28, 'Boots tactiques (basses) taupe', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"taupe"}', 0), + (41128, 1, 28, 'Boots tactiques (basses) perle', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"perle"}', 0), + (41129, 1, 28, 'Boots tactiques (basses) camo vanille', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo vanille"}', 0), + (41130, 1, 28, 'Boots tactiques (basses) café', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"café"}', 0), + (41131, 1, 28, 'Boots tactiques (basses) jaune pâle', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"jaune pâle"}', 0), + (41132, 1, 28, 'Boots tactiques (basses) vert', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"vert"}', 0), + (41133, 1, 28, 'Boots tactiques (basses) marron', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"marron"}', 0), + (41134, 1, 28, 'Boots tactiques (basses) gris', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"gris"}', 0), + (41135, 1, 28, 'Boots tactiques (basses) bitume', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"bitume"}', 0), + (41136, 1, 28, 'Boots tactiques (basses) rouge', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"rouge"}', 0), + (41137, 1, 28, 'Boots tactiques (basses) orange', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"orange"}', 0), + (41138, 1, 28, 'Boots tactiques (basses) indigo', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"indigo"}', 0), + (41139, 1, 28, 'Boots tactiques (basses) bleu foncé', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu foncé"}', 0), + (41140, 1, 28, 'Boots tactiques (basses) marais', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"marais"}', 0), + (41141, 1, 28, 'Boots tactiques (basses) ciel', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"ciel"}', 0), + (41142, 1, 28, 'Boots tactiques (basses) ardoise', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"ardoise"}', 0), + (41143, 1, 28, 'Boots tactiques (basses) camo blanc', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo blanc"}', 0), + (41144, 2, 28, 'Boots tactiques (basses) anthracite', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"anthracite"}', 0), + (41145, 2, 28, 'Boots tactiques (basses) crème', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"crème"}', 0), + (41146, 2, 28, 'Boots tactiques (basses) bleu', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu"}', 0), + (41147, 2, 28, 'Boots tactiques (basses) beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"beige"}', 0), + (41148, 2, 28, 'Boots tactiques (basses) orage', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"orage"}', 0), + (41149, 2, 28, 'Boots tactiques (basses) camo beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo beige"}', 0), + (41150, 2, 28, 'Boots tactiques (basses) brun', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"brun"}', 0), + (41151, 2, 28, 'Boots tactiques (basses) sable', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"sable"}', 0), + (41152, 2, 28, 'Boots tactiques (basses) taupe', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"taupe"}', 0), + (41153, 2, 28, 'Boots tactiques (basses) perle', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"perle"}', 0), + (41154, 2, 28, 'Boots tactiques (basses) camo vanille', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo vanille"}', 0), + (41155, 2, 28, 'Boots tactiques (basses) café', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"café"}', 0), + (41156, 2, 28, 'Boots tactiques (basses) jaune pâle', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"jaune pâle"}', 0), + (41157, 2, 28, 'Boots tactiques (basses) vert', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"vert"}', 0), + (41158, 2, 28, 'Boots tactiques (basses) marron', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"marron"}', 0), + (41159, 2, 28, 'Boots tactiques (basses) gris', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"gris"}', 0), + (41160, 2, 28, 'Boots tactiques (basses) bitume', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"bitume"}', 0), + (41161, 2, 28, 'Boots tactiques (basses) rouge', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"rouge"}', 0), + (41162, 2, 28, 'Boots tactiques (basses) orange', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"orange"}', 0), + (41163, 2, 28, 'Boots tactiques (basses) indigo', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"indigo"}', 0), + (41164, 2, 28, 'Boots tactiques (basses) bleu foncé', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu foncé"}', 0), + (41165, 2, 28, 'Boots tactiques (basses) marais', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"marais"}', 0), + (41166, 2, 28, 'Boots tactiques (basses) ciel', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"ciel"}', 0), + (41167, 2, 28, 'Boots tactiques (basses) ardoise', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"ardoise"}', 0), + (41168, 2, 28, 'Boots tactiques (basses) camo blanc', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo blanc"}', 0), + (41169, 1, 29, 'Baskets de sport montantes menthe', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"menthe"}', 0), + (41170, 1, 29, 'Baskets de sport montantes electrique', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"electrique"}', 0), + (41171, 2, 29, 'Baskets de sport montantes menthe', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"menthe"}', 0), + (41172, 2, 29, 'Baskets de sport montantes electrique', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"electrique"}', 0), + (41173, 1, 29, 'Baskets à rebords beige', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"beige"}', 0), + (41174, 1, 29, 'Baskets à rebords ardoise', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"ardoise"}', 0), + (41175, 1, 29, 'Baskets à rebords orage', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"orage"}', 0), + (41176, 1, 29, 'Baskets à rebords vert', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"vert"}', 0), + (41177, 1, 29, 'Baskets à rebords écru', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"écru"}', 0), + (41178, 1, 29, 'Baskets à rebords marron', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"marron"}', 0), + (41179, 1, 29, 'Baskets à rebords abricot', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"abricot"}', 0), + (41180, 1, 29, 'Baskets à rebords forêt', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"forêt"}', 0), + (41181, 1, 29, 'Baskets à rebords orange', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"orange"}', 0), + (41182, 1, 29, 'Baskets à rebords violet', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"violet"}', 0), + (41183, 1, 29, 'Baskets à rebords rose', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"rose"}', 0), + (41184, 1, 29, 'Baskets à rebords lilas', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"lilas"}', 0), + (41185, 1, 29, 'Baskets à rebords anthracite', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"anthracite"}', 0), + (41186, 1, 29, 'Baskets à rebords blanc-noir', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc-noir"}', 0), + (41187, 1, 29, 'Baskets à rebords blanc-rouge', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc-rouge"}', 0), + (41188, 1, 29, 'Baskets à rebords crème', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"crème"}', 0), + (41189, 1, 29, 'Baskets à rebords kaki', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"kaki"}', 0), + (41190, 1, 29, 'Baskets à rebords perle', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"perle"}', 0), + (41191, 1, 29, 'Baskets à rebords bleu', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"bleu"}', 0), + (41192, 1, 29, 'Baskets à rebords feu', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"feu"}', 0), + (41193, 1, 29, 'Baskets à rebords gris', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"gris"}', 0), + (41194, 1, 29, 'Baskets à rebords taupe', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"taupe"}', 0), + (41195, 1, 29, 'Baskets à rebords blanc', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc"}', 0), + (41196, 1, 29, 'Baskets à rebords charbon', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"charbon"}', 0), + (41197, 1, 29, 'Baskets à rebords brun', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"brun"}', 0), + (41198, 2, 29, 'Baskets à rebords beige', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"beige"}', 0), + (41199, 2, 29, 'Baskets à rebords ardoise', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"ardoise"}', 0), + (41200, 2, 29, 'Baskets à rebords orage', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"orage"}', 0), + (41201, 2, 29, 'Baskets à rebords vert', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"vert"}', 0), + (41202, 2, 29, 'Baskets à rebords écru', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"écru"}', 0), + (41203, 2, 29, 'Baskets à rebords marron', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"marron"}', 0), + (41204, 2, 29, 'Baskets à rebords abricot', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"abricot"}', 0), + (41205, 2, 29, 'Baskets à rebords forêt', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"forêt"}', 0), + (41206, 2, 29, 'Baskets à rebords orange', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"orange"}', 0), + (41207, 2, 29, 'Baskets à rebords violet', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"violet"}', 0), + (41208, 2, 29, 'Baskets à rebords rose', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"rose"}', 0), + (41209, 2, 29, 'Baskets à rebords lilas', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"lilas"}', 0), + (41210, 2, 29, 'Baskets à rebords anthracite', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"anthracite"}', 0), + (41211, 2, 29, 'Baskets à rebords blanc-noir', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc-noir"}', 0), + (41212, 2, 29, 'Baskets à rebords blanc-rouge', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc-rouge"}', 0), + (41213, 2, 29, 'Baskets à rebords crème', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"crème"}', 0), + (41214, 2, 29, 'Baskets à rebords kaki', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"kaki"}', 0), + (41215, 2, 29, 'Baskets à rebords perle', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"perle"}', 0), + (41216, 2, 29, 'Baskets à rebords bleu', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"bleu"}', 0), + (41217, 2, 29, 'Baskets à rebords feu', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"feu"}', 0), + (41218, 2, 29, 'Baskets à rebords gris', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"gris"}', 0), + (41219, 2, 29, 'Baskets à rebords taupe', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"taupe"}', 0), + (41220, 2, 29, 'Baskets à rebords blanc', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc"}', 0), + (41221, 2, 29, 'Baskets à rebords charbon', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"charbon"}', 0), + (41222, 2, 29, 'Baskets à rebords brun', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"brun"}', 0), + (41223, 1, 29, 'Baskets à rebords (basses) beige', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"beige"}', 0), + (41224, 1, 29, 'Baskets à rebords (basses) ardoise', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ardoise"}', 0), + (41225, 1, 29, 'Baskets à rebords (basses) orage', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orage"}', 0), + (41226, 1, 29, 'Baskets à rebords (basses) vert', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vert"}', 0), + (41227, 1, 29, 'Baskets à rebords (basses) écru', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"écru"}', 0), + (41228, 1, 29, 'Baskets à rebords (basses) marron', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"marron"}', 0), + (41229, 1, 29, 'Baskets à rebords (basses) abricot', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"abricot"}', 0), + (41230, 1, 29, 'Baskets à rebords (basses) forêt', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"forêt"}', 0), + (41231, 1, 29, 'Baskets à rebords (basses) orange', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orange"}', 0), + (41232, 1, 29, 'Baskets à rebords (basses) violet', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"violet"}', 0), + (41233, 1, 29, 'Baskets à rebords (basses) rose', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"rose"}', 0), + (41234, 1, 29, 'Baskets à rebords (basses) lilas', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"lilas"}', 0), + (41235, 1, 29, 'Baskets à rebords (basses) anthracite', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"anthracite"}', 0), + (41236, 1, 29, 'Baskets à rebords (basses) blanc-noir', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-noir"}', 0), + (41237, 1, 29, 'Baskets à rebords (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-rouge"}', 0), + (41238, 1, 29, 'Baskets à rebords (basses) crème', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"crème"}', 0), + (41239, 1, 29, 'Baskets à rebords (basses) kaki', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"kaki"}', 0), + (41240, 1, 29, 'Baskets à rebords (basses) perle', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"perle"}', 0), + (41241, 1, 29, 'Baskets à rebords (basses) bleu', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"bleu"}', 0), + (41242, 1, 29, 'Baskets à rebords (basses) feu', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"feu"}', 0), + (41243, 1, 29, 'Baskets à rebords (basses) gris', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris"}', 0), + (41244, 1, 29, 'Baskets à rebords (basses) taupe', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"taupe"}', 0), + (41245, 1, 29, 'Baskets à rebords (basses) blanc', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc"}', 0), + (41246, 1, 29, 'Baskets à rebords (basses) charbon', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"charbon"}', 0), + (41247, 1, 29, 'Baskets à rebords (basses) brun', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"brun"}', 0), + (41248, 2, 29, 'Baskets à rebords (basses) beige', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"beige"}', 0), + (41249, 2, 29, 'Baskets à rebords (basses) ardoise', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ardoise"}', 0), + (41250, 2, 29, 'Baskets à rebords (basses) orage', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orage"}', 0), + (41251, 2, 29, 'Baskets à rebords (basses) vert', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vert"}', 0), + (41252, 2, 29, 'Baskets à rebords (basses) écru', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"écru"}', 0), + (41253, 2, 29, 'Baskets à rebords (basses) marron', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"marron"}', 0), + (41254, 2, 29, 'Baskets à rebords (basses) abricot', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"abricot"}', 0), + (41255, 2, 29, 'Baskets à rebords (basses) forêt', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"forêt"}', 0), + (41256, 2, 29, 'Baskets à rebords (basses) orange', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orange"}', 0), + (41257, 2, 29, 'Baskets à rebords (basses) violet', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"violet"}', 0), + (41258, 2, 29, 'Baskets à rebords (basses) rose', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"rose"}', 0), + (41259, 2, 29, 'Baskets à rebords (basses) lilas', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"lilas"}', 0), + (41260, 2, 29, 'Baskets à rebords (basses) anthracite', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"anthracite"}', 0), + (41261, 2, 29, 'Baskets à rebords (basses) blanc-noir', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-noir"}', 0), + (41262, 2, 29, 'Baskets à rebords (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-rouge"}', 0), + (41263, 2, 29, 'Baskets à rebords (basses) crème', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"crème"}', 0), + (41264, 2, 29, 'Baskets à rebords (basses) kaki', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"kaki"}', 0), + (41265, 2, 29, 'Baskets à rebords (basses) perle', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"perle"}', 0), + (41266, 2, 29, 'Baskets à rebords (basses) bleu', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"bleu"}', 0), + (41267, 2, 29, 'Baskets à rebords (basses) feu', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"feu"}', 0), + (41268, 2, 29, 'Baskets à rebords (basses) gris', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris"}', 0), + (41269, 2, 29, 'Baskets à rebords (basses) taupe', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"taupe"}', 0), + (41270, 2, 29, 'Baskets à rebords (basses) blanc', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc"}', 0), + (41271, 2, 29, 'Baskets à rebords (basses) charbon', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"charbon"}', 0), + (41272, 2, 29, 'Baskets à rebords (basses) brun', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"brun"}', 0), + (41273, 1, 30, 'Chaussures néons blanc-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-bleu"}', 0), + (41274, 1, 30, 'Chaussures néons blanc-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-vert"}', 0), + (41275, 1, 30, 'Chaussures néons blanc-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-violet"}', 0), + (41276, 1, 30, 'Chaussures néons blanc-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-rouge"}', 0), + (41277, 1, 30, 'Chaussures néons gris-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-bleu"}', 0), + (41278, 1, 30, 'Chaussures néons gris-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-vert"}', 0), + (41279, 1, 30, 'Chaussures néons gris-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-violet"}', 0), + (41280, 1, 30, 'Chaussures néons gris-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-rouge"}', 0), + (41281, 1, 30, 'Chaussures néons noir-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-bleu"}', 0), + (41282, 1, 30, 'Chaussures néons noir-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-vert"}', 0), + (41283, 1, 30, 'Chaussures néons noir-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-violet"}', 0), + (41284, 1, 30, 'Chaussures néons noir-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-rouge"}', 0), + (41285, 1, 30, 'Chaussures néons rose-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"rose-bleu"}', 0), + (41286, 1, 30, 'Chaussures néons rose-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"rose-vert"}', 0), + (41287, 1, 30, 'Chaussures néons anthracite-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"anthracite-violet"}', 0), + (41288, 1, 30, 'Chaussures néons anthracite-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"anthracite-rouge"}', 0), + (41289, 1, 30, 'Chaussures néons perle-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"perle-bleu"}', 0), + (41290, 1, 30, 'Chaussures néons anthracite-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"anthracite-vert"}', 0), + (41291, 1, 30, 'Chaussures néons acier-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"acier-violet"}', 0), + (41292, 1, 30, 'Chaussures néons perle-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"perle-rouge"}', 0), + (41293, 1, 30, 'Chaussures néons acier-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"acier-rouge"}', 0), + (41294, 1, 30, 'Chaussures néons noir-rose', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-rose"}', 0), + (41295, 1, 30, 'Chaussures néons vert-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"vert-vert"}', 0), + (41296, 1, 30, 'Chaussures néons orange-orange', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"orange-orange"}', 0), + (41297, 1, 30, 'Chaussures néons bleu-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"bleu-bleu"}', 0), + (41298, 2, 30, 'Chaussures néons blanc-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-bleu"}', 0), + (41299, 2, 30, 'Chaussures néons blanc-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-vert"}', 0), + (41300, 2, 30, 'Chaussures néons blanc-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-violet"}', 0), + (41301, 2, 30, 'Chaussures néons blanc-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"blanc-rouge"}', 0), + (41302, 2, 30, 'Chaussures néons gris-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-bleu"}', 0), + (41303, 2, 30, 'Chaussures néons gris-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-vert"}', 0), + (41304, 2, 30, 'Chaussures néons gris-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-violet"}', 0), + (41305, 2, 30, 'Chaussures néons gris-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"gris-rouge"}', 0), + (41306, 2, 30, 'Chaussures néons noir-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-bleu"}', 0), + (41307, 2, 30, 'Chaussures néons noir-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-vert"}', 0), + (41308, 2, 30, 'Chaussures néons noir-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-violet"}', 0), + (41309, 2, 30, 'Chaussures néons noir-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-rouge"}', 0), + (41310, 2, 30, 'Chaussures néons rose-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"rose-bleu"}', 0), + (41311, 2, 30, 'Chaussures néons rose-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"rose-vert"}', 0), + (41312, 2, 30, 'Chaussures néons anthracite-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"anthracite-violet"}', 0), + (41313, 2, 30, 'Chaussures néons anthracite-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"anthracite-rouge"}', 0), + (41314, 2, 30, 'Chaussures néons perle-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"perle-bleu"}', 0), + (41315, 2, 30, 'Chaussures néons anthracite-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"anthracite-vert"}', 0), + (41316, 2, 30, 'Chaussures néons acier-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"acier-violet"}', 0), + (41317, 2, 30, 'Chaussures néons perle-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"perle-rouge"}', 0), + (41318, 2, 30, 'Chaussures néons acier-rouge', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"acier-rouge"}', 0), + (41319, 2, 30, 'Chaussures néons noir-rose', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"noir-rose"}', 0), + (41320, 2, 30, 'Chaussures néons vert-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"vert-vert"}', 0), + (41321, 2, 30, 'Chaussures néons orange-orange', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"orange-orange"}', 0), + (41322, 2, 30, 'Chaussures néons bleu-bleu', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Chaussures néons","colorLabel":"bleu-bleu"}', 0), + (41323, 1, 28, 'Boots à flammes Eliot', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots à flammes","colorLabel":"Eliot"}', 0), + (41324, 1, 28, 'Boots à flammes rouge', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots à flammes","colorLabel":"rouge"}', 0), + (41325, 2, 28, 'Boots à flammes Eliot', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots à flammes","colorLabel":"Eliot"}', 0), + (41326, 2, 28, 'Boots à flammes rouge', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots à flammes","colorLabel":"rouge"}', 0), + (41327, 1, 28, 'Boots à flammes (basses) orange', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots à flammes (basses)","colorLabel":"orange"}', 0), + (41328, 1, 28, 'Boots à flammes (basses) rouge', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots à flammes (basses)","colorLabel":"rouge"}', 0), + (41329, 2, 28, 'Boots à flammes (basses) orange', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots à flammes (basses)","colorLabel":"orange"}', 0), + (41330, 2, 28, 'Boots à flammes (basses) rouge', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Boots à flammes (basses)","colorLabel":"rouge"}', 0), + (41331, 1, 28, 'Bottes plates noir', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes plates","colorLabel":"noir"}', 0), + (41332, 1, 28, 'Bottes plates marron', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes plates","colorLabel":"marron"}', 0), + (41333, 1, 28, 'Bottes plates beige', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes plates","colorLabel":"beige"}', 0), + (41334, 2, 28, 'Bottes plates noir', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes plates","colorLabel":"noir"}', 0), + (41335, 2, 28, 'Bottes plates marron', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes plates","colorLabel":"marron"}', 0), + (41336, 2, 28, 'Bottes plates beige', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes plates","colorLabel":"beige"}', 0), + (41337, 1, 28, 'Bottes plates (basses) noir', 50, '{"components":{"6":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes plates (basses)","colorLabel":"noir"}', 0), + (41338, 1, 28, 'Bottes plates (basses) marron', 50, '{"components":{"6":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes plates (basses)","colorLabel":"marron"}', 0), + (41339, 1, 28, 'Bottes plates (basses) beige', 50, '{"components":{"6":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes plates (basses)","colorLabel":"beige"}', 0), + (41340, 2, 28, 'Bottes plates (basses) noir', 50, '{"components":{"6":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes plates (basses)","colorLabel":"noir"}', 0), + (41341, 2, 28, 'Bottes plates (basses) marron', 50, '{"components":{"6":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes plates (basses)","colorLabel":"marron"}', 0), + (41342, 2, 28, 'Bottes plates (basses) beige', 50, '{"components":{"6":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes plates (basses)","colorLabel":"beige"}', 0), + (41343, 1, 31, 'Espadrilles couvrantes robot jaune', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot jaune"}', 0), + (41344, 1, 31, 'Espadrilles couvrantes robot bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot bleu"}', 0), + (41345, 1, 31, 'Espadrilles couvrantes cyber bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber bleu"}', 0), + (41346, 1, 31, 'Espadrilles couvrantes cyber rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber rouge"}', 0), + (41347, 1, 31, 'Espadrilles couvrantes flèches turquoise', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches turquoise"}', 0), + (41348, 1, 31, 'Espadrilles couvrantes flèches violettes', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches violettes"}', 0), + (41349, 1, 31, 'Espadrilles couvrantes néon turquoise-rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon turquoise-rose"}', 0), + (41350, 1, 31, 'Espadrilles couvrantes néon vert-rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon vert-rouge"}', 0), + (41351, 1, 31, 'Espadrilles couvrantes fond vert', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond vert"}', 0), + (41352, 1, 31, 'Espadrilles couvrantes fond violet', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond violet"}', 0), + (41353, 1, 31, 'Espadrilles couvrantes naïade vert', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade vert"}', 0), + (41354, 1, 31, 'Espadrilles couvrantes naïade rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade rose"}', 0), + (41355, 1, 31, 'Espadrilles couvrantes galaxie bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie bleu"}', 0), + (41356, 1, 31, 'Espadrilles couvrantes galaxie rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie rose"}', 0), + (41357, 1, 31, 'Espadrilles couvrantes voie lactée bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée bleu"}', 0), + (41358, 1, 31, 'Espadrilles couvrantes voie lactée jaune', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée jaune"}', 0), + (41359, 1, 31, 'Espadrilles couvrantes guirlande dorée', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande dorée"}', 0), + (41360, 1, 31, 'Espadrilles couvrantes guirlande noël rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rouge"}', 0), + (41361, 1, 31, 'Espadrilles couvrantes guirlande turquoise', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande turquoise"}', 0), + (41362, 1, 31, 'Espadrilles couvrantes guirlande noël rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rose"}', 0), + (41363, 2, 31, 'Espadrilles couvrantes robot jaune', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot jaune"}', 0), + (41364, 2, 31, 'Espadrilles couvrantes robot bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot bleu"}', 0), + (41365, 2, 31, 'Espadrilles couvrantes cyber bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber bleu"}', 0), + (41366, 2, 31, 'Espadrilles couvrantes cyber rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber rouge"}', 0), + (41367, 2, 31, 'Espadrilles couvrantes flèches turquoise', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches turquoise"}', 0), + (41368, 2, 31, 'Espadrilles couvrantes flèches violettes', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches violettes"}', 0), + (41369, 2, 31, 'Espadrilles couvrantes néon turquoise-rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon turquoise-rose"}', 0), + (41370, 2, 31, 'Espadrilles couvrantes néon vert-rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon vert-rouge"}', 0), + (41371, 2, 31, 'Espadrilles couvrantes fond vert', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond vert"}', 0), + (41372, 2, 31, 'Espadrilles couvrantes fond violet', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond violet"}', 0), + (41373, 2, 31, 'Espadrilles couvrantes naïade vert', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade vert"}', 0), + (41374, 2, 31, 'Espadrilles couvrantes naïade rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade rose"}', 0), + (41375, 2, 31, 'Espadrilles couvrantes galaxie bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie bleu"}', 0), + (41376, 2, 31, 'Espadrilles couvrantes galaxie rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie rose"}', 0), + (41377, 2, 31, 'Espadrilles couvrantes voie lactée bleu', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée bleu"}', 0), + (41378, 2, 31, 'Espadrilles couvrantes voie lactée jaune', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée jaune"}', 0), + (41379, 2, 31, 'Espadrilles couvrantes guirlande dorée', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande dorée"}', 0), + (41380, 2, 31, 'Espadrilles couvrantes guirlande noël rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rouge"}', 0), + (41381, 2, 31, 'Espadrilles couvrantes guirlande turquoise', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande turquoise"}', 0), + (41382, 2, 31, 'Espadrilles couvrantes guirlande noël rose', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rose"}', 0), + (41383, 1, 31, 'Bottes médiévales marron', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"marron"}', 0), + (41384, 1, 31, 'Bottes médiévales noir', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"noir"}', 0), + (41385, 1, 31, 'Bottes médiévales vert', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"vert"}', 0), + (41386, 1, 31, 'Bottes médiévales beige', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"beige"}', 0), + (41387, 1, 31, 'Bottes médiévales blanc', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"blanc"}', 0), + (41388, 1, 31, 'Bottes médiévales gris', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"gris"}', 0), + (41389, 1, 31, 'Bottes médiévales rouge', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"rouge"}', 0), + (41390, 1, 31, 'Bottes médiévales taupe', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"taupe"}', 0), + (41391, 2, 31, 'Bottes médiévales marron', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"marron"}', 0), + (41392, 2, 31, 'Bottes médiévales noir', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"noir"}', 0), + (41393, 2, 31, 'Bottes médiévales vert', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"vert"}', 0), + (41394, 2, 31, 'Bottes médiévales beige', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"beige"}', 0), + (41395, 2, 31, 'Bottes médiévales blanc', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"blanc"}', 0), + (41396, 2, 31, 'Bottes médiévales gris', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"gris"}', 0), + (41397, 2, 31, 'Bottes médiévales rouge', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"rouge"}', 0), + (41398, 2, 31, 'Bottes médiévales taupe', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes médiévales","colorLabel":"taupe"}', 0), + (41399, 1, 28, 'Bottes renforcées marron', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"marron"}', 0), + (41400, 1, 28, 'Bottes renforcées noir', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"noir"}', 0), + (41401, 1, 28, 'Bottes renforcées vert', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"vert"}', 0), + (41402, 1, 28, 'Bottes renforcées crème', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"crème"}', 0), + (41403, 1, 28, 'Bottes renforcées bleu clair', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"bleu clair"}', 0), + (41404, 1, 28, 'Bottes renforcées prairie', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"prairie"}', 0), + (41405, 1, 28, 'Bottes renforcées perle', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"perle"}', 0), + (41406, 1, 28, 'Bottes renforcées vanille', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"vanille"}', 0), + (41407, 1, 28, 'Bottes renforcées jaune', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"jaune"}', 0), + (41408, 1, 28, 'Bottes renforcées anthracite', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"anthracite"}', 0), + (41409, 1, 28, 'Bottes renforcées rouge', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"rouge"}', 0), + (41410, 1, 28, 'Bottes renforcées bleu', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"bleu"}', 0), + (41411, 1, 28, 'Bottes renforcées kaki', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"kaki"}', 0), + (41412, 1, 28, 'Bottes renforcées abricot', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"abricot"}', 0), + (41413, 1, 28, 'Bottes renforcées violet', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"violet"}', 0), + (41414, 1, 28, 'Bottes renforcées rose', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"rose"}', 0), + (41415, 2, 28, 'Bottes renforcées marron', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"marron"}', 0), + (41416, 2, 28, 'Bottes renforcées noir', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"noir"}', 0), + (41417, 2, 28, 'Bottes renforcées vert', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"vert"}', 0), + (41418, 2, 28, 'Bottes renforcées crème', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"crème"}', 0), + (41419, 2, 28, 'Bottes renforcées bleu clair', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"bleu clair"}', 0), + (41420, 2, 28, 'Bottes renforcées prairie', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"prairie"}', 0), + (41421, 2, 28, 'Bottes renforcées perle', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"perle"}', 0), + (41422, 2, 28, 'Bottes renforcées vanille', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"vanille"}', 0), + (41423, 2, 28, 'Bottes renforcées jaune', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"jaune"}', 0), + (41424, 2, 28, 'Bottes renforcées anthracite', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"anthracite"}', 0), + (41425, 2, 28, 'Bottes renforcées rouge', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"rouge"}', 0), + (41426, 2, 28, 'Bottes renforcées bleu', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"bleu"}', 0), + (41427, 2, 28, 'Bottes renforcées kaki', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"kaki"}', 0), + (41428, 2, 28, 'Bottes renforcées abricot', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"abricot"}', 0), + (41429, 2, 28, 'Bottes renforcées violet', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"violet"}', 0), + (41430, 2, 28, 'Bottes renforcées rose', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes renforcées","colorLabel":"rose"}', 0), + (41431, 1, 28, 'Bottes renforcées (basses) marron', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"marron"}', 0), + (41432, 1, 28, 'Bottes renforcées (basses) noir', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"noir"}', 0), + (41433, 1, 28, 'Bottes renforcées (basses) vert', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vert"}', 0), + (41434, 1, 28, 'Bottes renforcées (basses) crème', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"crème"}', 0), + (41435, 1, 28, 'Bottes renforcées (basses) bleu clair', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu clair"}', 0), + (41436, 1, 28, 'Bottes renforcées (basses) prairie', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"prairie"}', 0), + (41437, 1, 28, 'Bottes renforcées (basses) perle', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"perle"}', 0), + (41438, 1, 28, 'Bottes renforcées (basses) vanille', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vanille"}', 0), + (41439, 1, 28, 'Bottes renforcées (basses) jaune', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"jaune"}', 0), + (41440, 1, 28, 'Bottes renforcées (basses) anthracite', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"anthracite"}', 0), + (41441, 1, 28, 'Bottes renforcées (basses) rouge', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rouge"}', 0), + (41442, 1, 28, 'Bottes renforcées (basses) bleu', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu"}', 0), + (41443, 1, 28, 'Bottes renforcées (basses) kaki', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"kaki"}', 0), + (41444, 1, 28, 'Bottes renforcées (basses) abricot', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"abricot"}', 0), + (41445, 1, 28, 'Bottes renforcées (basses) violet', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"violet"}', 0), + (41446, 1, 28, 'Bottes renforcées (basses) rose', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rose"}', 0), + (41447, 2, 28, 'Bottes renforcées (basses) marron', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"marron"}', 0), + (41448, 2, 28, 'Bottes renforcées (basses) noir', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"noir"}', 0), + (41449, 2, 28, 'Bottes renforcées (basses) vert', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vert"}', 0), + (41450, 2, 28, 'Bottes renforcées (basses) crème', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"crème"}', 0), + (41451, 2, 28, 'Bottes renforcées (basses) bleu clair', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu clair"}', 0), + (41452, 2, 28, 'Bottes renforcées (basses) prairie', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"prairie"}', 0), + (41453, 2, 28, 'Bottes renforcées (basses) perle', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"perle"}', 0), + (41454, 2, 28, 'Bottes renforcées (basses) vanille', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vanille"}', 0), + (41455, 2, 28, 'Bottes renforcées (basses) jaune', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"jaune"}', 0), + (41456, 2, 28, 'Bottes renforcées (basses) anthracite', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"anthracite"}', 0), + (41457, 2, 28, 'Bottes renforcées (basses) rouge', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rouge"}', 0), + (41458, 2, 28, 'Bottes renforcées (basses) bleu', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu"}', 0), + (41459, 2, 28, 'Bottes renforcées (basses) kaki', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"kaki"}', 0), + (41460, 2, 28, 'Bottes renforcées (basses) abricot', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"abricot"}', 0), + (41461, 2, 28, 'Bottes renforcées (basses) violet', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"violet"}', 0), + (41462, 2, 28, 'Bottes renforcées (basses) rose', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rose"}', 0), + (41463, 1, 31, 'Bottes d\'astronaute rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"rouge"}', 0), + (41464, 1, 31, 'Bottes d\'astronaute lime', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"lime"}', 0), + (41465, 1, 31, 'Bottes d\'astronaute menthe', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"menthe"}', 0), + (41466, 1, 31, 'Bottes d\'astronaute abricot', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"abricot"}', 0), + (41467, 1, 31, 'Bottes d\'astronaute bleu clair', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu clair"}', 0), + (41468, 1, 31, 'Bottes d\'astronaute bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu"}', 0), + (41469, 1, 31, 'Bottes d\'astronaute gris', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"gris"}', 0), + (41470, 1, 31, 'Bottes d\'astronaute anthracite', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"anthracite"}', 0), + (41471, 1, 31, 'Bottes d\'astronaute lie-de-vin', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"lie-de-vin"}', 0), + (41472, 1, 31, 'Bottes d\'astronaute vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"vert"}', 0), + (41473, 1, 31, 'Bottes d\'astronaute noir-vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-vert"}', 0), + (41474, 1, 31, 'Bottes d\'astronaute noir-abricot', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-abricot"}', 0), + (41475, 1, 31, 'Bottes d\'astronaute noir-violet', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-violet"}', 0), + (41476, 1, 31, 'Bottes d\'astronaute noir-rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-rose"}', 0), + (41477, 1, 31, 'Bottes d\'astronaute brun', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"brun"}', 0), + (41478, 1, 31, 'Bottes d\'astronaute car. blanc', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"car. blanc"}', 0), + (41479, 1, 31, 'Bottes d\'astronaute noir', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir"}', 0), + (41480, 1, 31, 'Bottes d\'astronaute acier', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"acier"}', 0), + (41481, 2, 31, 'Bottes d\'astronaute rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"rouge"}', 0), + (41482, 2, 31, 'Bottes d\'astronaute lime', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"lime"}', 0), + (41483, 2, 31, 'Bottes d\'astronaute menthe', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"menthe"}', 0), + (41484, 2, 31, 'Bottes d\'astronaute abricot', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"abricot"}', 0), + (41485, 2, 31, 'Bottes d\'astronaute bleu clair', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu clair"}', 0), + (41486, 2, 31, 'Bottes d\'astronaute bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu"}', 0), + (41487, 2, 31, 'Bottes d\'astronaute gris', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"gris"}', 0), + (41488, 2, 31, 'Bottes d\'astronaute anthracite', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"anthracite"}', 0), + (41489, 2, 31, 'Bottes d\'astronaute lie-de-vin', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"lie-de-vin"}', 0), + (41490, 2, 31, 'Bottes d\'astronaute vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"vert"}', 0), + (41491, 2, 31, 'Bottes d\'astronaute noir-vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-vert"}', 0), + (41492, 2, 31, 'Bottes d\'astronaute noir-abricot', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-abricot"}', 0), + (41493, 2, 31, 'Bottes d\'astronaute noir-violet', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-violet"}', 0), + (41494, 2, 31, 'Bottes d\'astronaute noir-rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-rose"}', 0), + (41495, 2, 31, 'Bottes d\'astronaute brun', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"brun"}', 0), + (41496, 2, 31, 'Bottes d\'astronaute car. blanc', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"car. blanc"}', 0), + (41497, 2, 31, 'Bottes d\'astronaute noir', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir"}', 0), + (41498, 2, 31, 'Bottes d\'astronaute acier', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Bottes d\'astronaute","colorLabel":"acier"}', 0), + (41499, 3, 32, 'Bottes à fourrure perle', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"perle"}', 0), + (41500, 3, 32, 'Bottes à fourrure noir', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"noir"}', 0), + (41501, 3, 32, 'Bottes à fourrure taupe', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"taupe"}', 0), + (41502, 3, 32, 'Bottes à fourrure café', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"café"}', 0), + (41503, 3, 32, 'Bottes à fourrure orange', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"orange"}', 0), + (41504, 3, 32, 'Bottes à fourrure jaune', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"jaune"}', 0), + (41505, 3, 32, 'Bottes à fourrure acier', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"acier"}', 0), + (41506, 3, 32, 'Bottes à fourrure blanc', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"blanc"}', 0), + (41507, 3, 32, 'Bottes à fourrure vert', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"vert"}', 0), + (41508, 3, 32, 'Bottes à fourrure brun', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"brun"}', 0), + (41509, 3, 32, 'Bottes à fourrure violet', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"violet"}', 0), + (41510, 3, 32, 'Bottes à fourrure rose', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes à fourrure","colorLabel":"rose"}', 0), + (41511, 1, 29, 'Baskets de sport montantes café au lait', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"café au lait"}', 0), + (41512, 2, 29, 'Baskets de sport montantes café au lait', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"café au lait"}', 0), + (41513, 1, 31, 'Costume ranger de l\'espace vert', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (41514, 2, 31, 'Costume ranger de l\'espace vert', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (41515, 1, 31, 'Costume super-héros bleu', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume super-héros","colorLabel":"bleu"}', 0), + (41516, 2, 31, 'Costume super-héros bleu', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Costume super-héros","colorLabel":"bleu"}', 0), + (41517, 1, 30, 'Slip-on italy', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"italy"}', 0), + (41518, 1, 30, 'Slip-on bleu', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"bleu"}', 0), + (41519, 1, 30, 'Slip-on vert', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"vert"}', 0), + (41520, 1, 30, 'Slip-on rouge', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"rouge"}', 0), + (41521, 1, 30, 'Slip-on jaune', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"jaune"}', 0), + (41522, 1, 30, 'Slip-on bleu-jaune', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"bleu-jaune"}', 0), + (41523, 1, 30, 'Slip-on rouge-bleu', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"rouge-bleu"}', 0), + (41524, 1, 30, 'Slip-on jaune-bleu', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"jaune-bleu"}', 0), + (41525, 2, 30, 'Slip-on italy', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"italy"}', 0), + (41526, 2, 30, 'Slip-on bleu', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"bleu"}', 0), + (41527, 2, 30, 'Slip-on vert', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"vert"}', 0), + (41528, 2, 30, 'Slip-on rouge', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"rouge"}', 0), + (41529, 2, 30, 'Slip-on jaune', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"jaune"}', 0), + (41530, 2, 30, 'Slip-on bleu-jaune', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"bleu-jaune"}', 0), + (41531, 2, 30, 'Slip-on rouge-bleu', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"rouge-bleu"}', 0), + (41532, 2, 30, 'Slip-on jaune-bleu', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"jaune-bleu"}', 0), + (41533, 1, 29, 'Baskets à rebords océan', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"océan"}', 0), + (41534, 1, 29, 'Baskets à rebords vanille', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"vanille"}', 0), + (41535, 1, 29, 'Baskets à rebords menthe', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"menthe"}', 0), + (41536, 1, 29, 'Baskets à rebords prune', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"prune"}', 0), + (41537, 1, 29, 'Baskets à rebords framboise', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"framboise"}', 0), + (41538, 1, 29, 'Baskets à rebords aluminium', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"aluminium"}', 0), + (41539, 1, 29, 'Baskets à rebords fer', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"fer"}', 0), + (41540, 1, 29, 'Baskets à rebords aqua', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"aqua"}', 0), + (41541, 1, 29, 'Baskets à rebords fairy', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"fairy"}', 0), + (41542, 1, 29, 'Baskets à rebords papillon', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"papillon"}', 0), + (41543, 1, 29, 'Baskets à rebords sunset', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"sunset"}', 0), + (41544, 1, 29, 'Baskets à rebords ivoire', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"ivoire"}', 0), + (41545, 1, 29, 'Baskets à rebords nuage', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"nuage"}', 0), + (41546, 1, 29, 'Baskets à rebords gris clair', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"gris clair"}', 0), + (41547, 1, 29, 'Baskets à rebords blanc-gris', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc-gris"}', 0), + (41548, 2, 29, 'Baskets à rebords océan', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"océan"}', 0), + (41549, 2, 29, 'Baskets à rebords vanille', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"vanille"}', 0), + (41550, 2, 29, 'Baskets à rebords menthe', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"menthe"}', 0), + (41551, 2, 29, 'Baskets à rebords prune', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"prune"}', 0), + (41552, 2, 29, 'Baskets à rebords framboise', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"framboise"}', 0), + (41553, 2, 29, 'Baskets à rebords aluminium', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"aluminium"}', 0), + (41554, 2, 29, 'Baskets à rebords fer', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"fer"}', 0), + (41555, 2, 29, 'Baskets à rebords aqua', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"aqua"}', 0), + (41556, 2, 29, 'Baskets à rebords fairy', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"fairy"}', 0), + (41557, 2, 29, 'Baskets à rebords papillon', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"papillon"}', 0), + (41558, 2, 29, 'Baskets à rebords sunset', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"sunset"}', 0), + (41559, 2, 29, 'Baskets à rebords ivoire', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"ivoire"}', 0), + (41560, 2, 29, 'Baskets à rebords nuage', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"nuage"}', 0), + (41561, 2, 29, 'Baskets à rebords gris clair', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"gris clair"}', 0), + (41562, 2, 29, 'Baskets à rebords blanc-gris', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords","colorLabel":"blanc-gris"}', 0), + (41563, 1, 29, 'Baskets à rebords (basses) océan', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"océan"}', 0), + (41564, 1, 29, 'Baskets à rebords (basses) vanille', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vanille"}', 0), + (41565, 1, 29, 'Baskets à rebords (basses) menthe', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"menthe"}', 0), + (41566, 1, 29, 'Baskets à rebords (basses) prune', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"prune"}', 0), + (41567, 1, 29, 'Baskets à rebords (basses) framboise', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"framboise"}', 0), + (41568, 1, 29, 'Baskets à rebords (basses) aluminium', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aluminium"}', 0), + (41569, 1, 29, 'Baskets à rebords (basses) fer', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fer"}', 0), + (41570, 1, 29, 'Baskets à rebords (basses) aqua', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aqua"}', 0), + (41571, 1, 29, 'Baskets à rebords (basses) fairy', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fairy"}', 0), + (41572, 1, 29, 'Baskets à rebords (basses) papillon', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"papillon"}', 0), + (41573, 1, 29, 'Baskets à rebords (basses) sunset', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"sunset"}', 0), + (41574, 1, 29, 'Baskets à rebords (basses) ivoire', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ivoire"}', 0), + (41575, 1, 29, 'Baskets à rebords (basses) nuage', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"nuage"}', 0), + (41576, 1, 29, 'Baskets à rebords (basses) gris clair', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris clair"}', 0), + (41577, 1, 29, 'Baskets à rebords (basses) blanc-gris', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-gris"}', 0), + (41578, 2, 29, 'Baskets à rebords (basses) océan', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"océan"}', 0), + (41579, 2, 29, 'Baskets à rebords (basses) vanille', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vanille"}', 0), + (41580, 2, 29, 'Baskets à rebords (basses) menthe', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"menthe"}', 0), + (41581, 2, 29, 'Baskets à rebords (basses) prune', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"prune"}', 0), + (41582, 2, 29, 'Baskets à rebords (basses) framboise', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"framboise"}', 0), + (41583, 2, 29, 'Baskets à rebords (basses) aluminium', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aluminium"}', 0), + (41584, 2, 29, 'Baskets à rebords (basses) fer', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fer"}', 0), + (41585, 2, 29, 'Baskets à rebords (basses) aqua', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aqua"}', 0), + (41586, 2, 29, 'Baskets à rebords (basses) fairy', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fairy"}', 0), + (41587, 2, 29, 'Baskets à rebords (basses) papillon', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"papillon"}', 0), + (41588, 2, 29, 'Baskets à rebords (basses) sunset', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"sunset"}', 0), + (41589, 2, 29, 'Baskets à rebords (basses) ivoire', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ivoire"}', 0), + (41590, 2, 29, 'Baskets à rebords (basses) nuage', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"nuage"}', 0), + (41591, 2, 29, 'Baskets à rebords (basses) gris clair', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris clair"}', 0), + (41592, 2, 29, 'Baskets à rebords (basses) blanc-gris', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-gris"}', 0), + (41593, 1, 30, 'Slip-on citron', 50, '{"components":{"6":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"citron"}', 0), + (41594, 2, 30, 'Slip-on citron', 50, '{"components":{"6":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Slip-on","colorLabel":"citron"}', 0), + (41595, 1, 28, 'Boots en cuir fermées lisse noir', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"lisse noir"}', 0), + (41596, 2, 28, 'Boots en cuir fermées lisse noir', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées","colorLabel":"lisse noir"}', 0), + (41597, 1, 28, 'Boots en cuir fermées (basses) lisse noir', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"lisse noir"}', 0), + (41598, 2, 28, 'Boots en cuir fermées (basses) lisse noir', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"lisse noir"}', 0), + (41599, 1, 29, 'Tennis blanc', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"blanc"}', 0), + (41600, 1, 29, 'Tennis blanc-noir', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"blanc-noir"}', 0), + (41601, 1, 29, 'Tennis noir-turquoise', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"noir-turquoise"}', 0), + (41602, 1, 29, 'Tennis noir-blanc', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"noir-blanc"}', 0), + (41603, 1, 29, 'Tennis crème', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"crème"}', 0), + (41604, 1, 29, 'Tennis encre', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"encre"}', 0), + (41605, 1, 29, 'Tennis noir-lime', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"noir-lime"}', 0), + (41606, 1, 29, 'Tennis candy', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"candy"}', 0), + (41607, 1, 29, 'Tennis rose', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"rose"}', 0), + (41608, 1, 29, 'Tennis rouge-noir', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"rouge-noir"}', 0), + (41609, 1, 29, 'Tennis aqua', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"aqua"}', 0), + (41610, 1, 29, 'Tennis violet-blanc', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"violet-blanc"}', 0), + (41611, 1, 29, 'Tennis taupe', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"taupe"}', 0), + (41612, 1, 29, 'Tennis anthracite', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"anthracite"}', 0), + (41613, 1, 29, 'Tennis anthracite-menthe', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"anthracite-menthe"}', 0), + (41614, 1, 29, 'Tennis anthracite-turquoise', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"anthracite-turquoise"}', 0), + (41615, 1, 29, 'Tennis electrique', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"electrique"}', 0), + (41616, 1, 29, 'Tennis océan', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"océan"}', 0), + (41617, 1, 29, 'Tennis gris', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"gris"}', 0), + (41618, 1, 29, 'Tennis lavande', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"lavande"}', 0), + (41619, 1, 29, 'Tennis perle', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"perle"}', 0), + (41620, 1, 29, 'Tennis corail', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"corail"}', 0), + (41621, 1, 29, 'Tennis bunny', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"bunny"}', 0), + (41622, 1, 29, 'Tennis floral', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"floral"}', 0), + (41623, 2, 29, 'Tennis blanc', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"blanc"}', 0), + (41624, 2, 29, 'Tennis blanc-noir', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"blanc-noir"}', 0), + (41625, 2, 29, 'Tennis noir-turquoise', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"noir-turquoise"}', 0), + (41626, 2, 29, 'Tennis noir-blanc', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"noir-blanc"}', 0), + (41627, 2, 29, 'Tennis crème', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"crème"}', 0), + (41628, 2, 29, 'Tennis encre', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"encre"}', 0), + (41629, 2, 29, 'Tennis noir-lime', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"noir-lime"}', 0), + (41630, 2, 29, 'Tennis candy', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"candy"}', 0), + (41631, 2, 29, 'Tennis rose', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"rose"}', 0), + (41632, 2, 29, 'Tennis rouge-noir', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"rouge-noir"}', 0), + (41633, 2, 29, 'Tennis aqua', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"aqua"}', 0), + (41634, 2, 29, 'Tennis violet-blanc', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"violet-blanc"}', 0), + (41635, 2, 29, 'Tennis taupe', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"taupe"}', 0), + (41636, 2, 29, 'Tennis anthracite', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"anthracite"}', 0), + (41637, 2, 29, 'Tennis anthracite-menthe', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"anthracite-menthe"}', 0), + (41638, 2, 29, 'Tennis anthracite-turquoise', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"anthracite-turquoise"}', 0), + (41639, 2, 29, 'Tennis electrique', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"electrique"}', 0), + (41640, 2, 29, 'Tennis océan', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"océan"}', 0), + (41641, 2, 29, 'Tennis gris', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"gris"}', 0), + (41642, 2, 29, 'Tennis lavande', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"lavande"}', 0), + (41643, 2, 29, 'Tennis perle', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"perle"}', 0), + (41644, 2, 29, 'Tennis corail', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"corail"}', 0), + (41645, 2, 29, 'Tennis bunny', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"bunny"}', 0), + (41646, 2, 29, 'Tennis floral', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Tennis","colorLabel":"floral"}', 0), + (41647, 1, 31, 'Espadrilles couvrantes rouge', 50, '{"components":{"6":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"rouge"}', 0), + (41648, 1, 31, 'Espadrilles couvrantes vert', 50, '{"components":{"6":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"vert"}', 0), + (41649, 2, 31, 'Espadrilles couvrantes rouge', 50, '{"components":{"6":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"rouge"}', 0), + (41650, 2, 31, 'Espadrilles couvrantes vert', 50, '{"components":{"6":{"Drawable":100,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Espadrilles couvrantes","colorLabel":"vert"}', 0), + (41651, 1, 29, 'Baskets de sport montantes blanc-doré', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-doré"}', 0), + (41652, 1, 29, 'Baskets de sport montantes noir-noir', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-noir"}', 0), + (41653, 1, 29, 'Baskets de sport montantes noir-doré', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-doré"}', 0), + (41654, 1, 29, 'Baskets de sport montantes blanc-rouge', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-rouge"}', 0), + (41655, 1, 29, 'Baskets de sport montantes blanc-bleu', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-bleu"}', 0), + (41656, 1, 29, 'Baskets de sport montantes noir-gris', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-gris"}', 0), + (41657, 1, 29, 'Baskets de sport montantes noir-rose', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-rose"}', 0), + (41658, 2, 29, 'Baskets de sport montantes blanc-doré', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-doré"}', 0), + (41659, 2, 29, 'Baskets de sport montantes noir-noir', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-noir"}', 0), + (41660, 2, 29, 'Baskets de sport montantes noir-doré', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-doré"}', 0), + (41661, 2, 29, 'Baskets de sport montantes blanc-rouge', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-rouge"}', 0), + (41662, 2, 29, 'Baskets de sport montantes blanc-bleu', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-bleu"}', 0), + (41663, 2, 29, 'Baskets de sport montantes noir-gris', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-gris"}', 0), + (41664, 2, 29, 'Baskets de sport montantes noir-rose', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-rose"}', 0), + (41665, 3, 28, 'Bottes à lacets noir', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"noir"}', 0), + (41666, 3, 28, 'Bottes à lacets marron', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"marron"}', 0), + (41667, 3, 28, 'Bottes à lacets rouge', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"rouge"}', 0), + (41668, 3, 28, 'Bottes à lacets orange', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"orange"}', 0), + (41669, 3, 28, 'Bottes à lacets blanc', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"blanc"}', 0), + (41670, 3, 28, 'Bottes à lacets gris', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"gris"}', 0), + (41671, 3, 28, 'Bottes à lacets jaune', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"jaune"}', 0), + (41672, 3, 28, 'Bottes à lacets vert', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"vert"}', 0), + (41673, 3, 28, 'Bottes à lacets crème', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"crème"}', 0), + (41674, 3, 28, 'Bottes à lacets feu', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"feu"}', 0), + (41675, 3, 28, 'Bottes à lacets abricot', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"abricot"}', 0), + (41676, 3, 28, 'Bottes à lacets beige', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"beige"}', 0), + (41677, 3, 28, 'Bottes à lacets bleu', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"bleu"}', 0), + (41678, 3, 28, 'Bottes à lacets ciel', 50, '{"components":{"6":{"Drawable":102,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"ciel"}', 0), + (41679, 3, 28, 'Bottes à lacets (basses) noir', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"noir"}', 0), + (41680, 3, 28, 'Bottes à lacets (basses) marron', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"marron"}', 0), + (41681, 3, 28, 'Bottes à lacets (basses) rouge', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"rouge"}', 0), + (41682, 3, 28, 'Bottes à lacets (basses) orange', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"orange"}', 0), + (41683, 3, 28, 'Bottes à lacets (basses) blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"blanc"}', 0), + (41684, 3, 28, 'Bottes à lacets (basses) gris', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"gris"}', 0), + (41685, 3, 28, 'Bottes à lacets (basses) jaune', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"jaune"}', 0), + (41686, 3, 28, 'Bottes à lacets (basses) vert', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"vert"}', 0), + (41687, 3, 28, 'Bottes à lacets (basses) crème', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"crème"}', 0), + (41688, 3, 28, 'Bottes à lacets (basses) feu', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"feu"}', 0), + (41689, 3, 28, 'Bottes à lacets (basses) abricot', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"abricot"}', 0), + (41690, 3, 28, 'Bottes à lacets (basses) beige', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"beige"}', 0), + (41691, 3, 28, 'Bottes à lacets (basses) bleu', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"bleu"}', 0), + (41692, 3, 28, 'Bottes à lacets (basses) ciel', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Bottes à lacets (basses)","colorLabel":"ciel"}', 0), + (41693, 3, 30, 'Oxford avec chaussettes brun', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"brun"}', 0), + (41694, 3, 30, 'Oxford avec chaussettes anthracite', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"anthracite"}', 0), + (41695, 3, 30, 'Oxford avec chaussettes gris', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"gris"}', 0), + (41696, 3, 30, 'Oxford avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"blanc"}', 0), + (41697, 3, 30, 'Oxford avec chaussettes marron', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"marron"}', 0), + (41698, 3, 30, 'Oxford avec chaussettes feu', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"feu"}', 0), + (41699, 3, 30, 'Oxford avec chaussettes sable', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"sable"}', 0), + (41700, 3, 30, 'Oxford avec chaussettes crème', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"crème"}', 0), + (41701, 3, 30, 'Oxford avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"bleu"}', 0), + (41702, 3, 30, 'Oxford avec chaussettes vert', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"vert"}', 0), + (41703, 3, 30, 'Oxford avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"pêche"}', 0), + (41704, 3, 30, 'Oxford avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Oxford avec chaussettes","colorLabel":"rouge"}', 0), + (41705, 1, 26, 'Tongs de plage aqua', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"aqua"}', 0), + (41706, 1, 26, 'Tongs de plage prairie', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"prairie"}', 0), + (41707, 1, 26, 'Tongs de plage menthe', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"menthe"}', 0), + (41708, 1, 26, 'Tongs de plage ciel', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"ciel"}', 0), + (41709, 1, 26, 'Tongs de plage palmier', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"palmier"}', 0), + (41710, 1, 26, 'Tongs de plage plongée', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"plongée"}', 0), + (41711, 1, 26, 'Tongs de plage sunrise', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"sunrise"}', 0), + (41712, 1, 26, 'Tongs de plage solaire', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"solaire"}', 0), + (41713, 1, 26, 'Tongs de plage indigo', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"indigo"}', 0), + (41714, 1, 26, 'Tongs de plage fraise', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"fraise"}', 0), + (41715, 1, 26, 'Tongs de plage arlequin', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"arlequin"}', 0), + (41716, 1, 26, 'Tongs de plage tropical', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"tropical"}', 0), + (41717, 1, 26, 'Tongs de plage océan', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"océan"}', 0), + (41718, 1, 26, 'Tongs de plage jus d\'orange', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"jus d\'orange"}', 0), + (41719, 1, 26, 'Tongs de plage ice', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"ice"}', 0), + (41720, 1, 26, 'Tongs de plage encre', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"encre"}', 0), + (41721, 1, 26, 'Tongs de plage fleurie', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"fleurie"}', 0), + (41722, 1, 26, 'Tongs de plage paille', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"paille"}', 0), + (41723, 1, 26, 'Tongs de plage paréo', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"paréo"}', 0), + (41724, 1, 26, 'Tongs de plage fougère', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"fougère"}', 0), + (41725, 1, 26, 'Tongs de plage raie manta', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"raie manta"}', 0), + (41726, 1, 26, 'Tongs de plage luna', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"luna"}', 0), + (41727, 1, 26, 'Tongs de plage cerise', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"cerise"}', 0), + (41728, 1, 26, 'Tongs de plage vagues', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"vagues"}', 0), + (41729, 2, 26, 'Tongs de plage aqua', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"aqua"}', 0), + (41730, 2, 26, 'Tongs de plage prairie', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"prairie"}', 0), + (41731, 2, 26, 'Tongs de plage menthe', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"menthe"}', 0), + (41732, 2, 26, 'Tongs de plage ciel', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"ciel"}', 0), + (41733, 2, 26, 'Tongs de plage palmier', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"palmier"}', 0), + (41734, 2, 26, 'Tongs de plage plongée', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"plongée"}', 0), + (41735, 2, 26, 'Tongs de plage sunrise', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"sunrise"}', 0), + (41736, 2, 26, 'Tongs de plage solaire', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"solaire"}', 0), + (41737, 2, 26, 'Tongs de plage indigo', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"indigo"}', 0), + (41738, 2, 26, 'Tongs de plage fraise', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"fraise"}', 0), + (41739, 2, 26, 'Tongs de plage arlequin', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"arlequin"}', 0), + (41740, 2, 26, 'Tongs de plage tropical', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"tropical"}', 0), + (41741, 2, 26, 'Tongs de plage océan', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"océan"}', 0), + (41742, 2, 26, 'Tongs de plage jus d\'orange', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"jus d\'orange"}', 0), + (41743, 2, 26, 'Tongs de plage ice', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"ice"}', 0), + (41744, 2, 26, 'Tongs de plage encre', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"encre"}', 0), + (41745, 2, 26, 'Tongs de plage fleurie', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"fleurie"}', 0), + (41746, 2, 26, 'Tongs de plage paille', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"paille"}', 0), + (41747, 2, 26, 'Tongs de plage paréo', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"paréo"}', 0), + (41748, 2, 26, 'Tongs de plage fougère', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"fougère"}', 0), + (41749, 2, 26, 'Tongs de plage raie manta', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"raie manta"}', 0), + (41750, 2, 26, 'Tongs de plage luna', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"luna"}', 0), + (41751, 2, 26, 'Tongs de plage cerise', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"cerise"}', 0), + (41752, 2, 26, 'Tongs de plage vagues', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Tongs de plage","colorLabel":"vagues"}', 0), + (41753, 3, 30, 'Mocassins larges noir', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"noir"}', 0), + (41754, 3, 30, 'Mocassins larges gris', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"gris"}', 0), + (41755, 3, 30, 'Mocassins larges blanc', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"blanc"}', 0), + (41756, 3, 30, 'Mocassins larges marron', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"marron"}', 0), + (41757, 3, 30, 'Mocassins larges carmin', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"carmin"}', 0), + (41758, 3, 30, 'Mocassins larges orange', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"orange"}', 0), + (41759, 3, 30, 'Mocassins larges crème', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"crème"}', 0), + (41760, 3, 30, 'Mocassins larges bleu', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"bleu"}', 0), + (41761, 3, 30, 'Mocassins larges vert', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"vert"}', 0), + (41762, 3, 30, 'Mocassins larges pêche', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"pêche"}', 0), + (41763, 3, 30, 'Mocassins larges rouge', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Mocassins larges","colorLabel":"rouge"}', 0), + (41764, 1, 26, 'Claquettes jaune pâle', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"jaune pâle"}', 0), + (41765, 1, 26, 'Claquettes rose', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"rose"}', 0), + (41766, 1, 26, 'Claquettes médaillon noir', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"médaillon noir"}', 0), + (41767, 1, 26, 'Claquettes médaillon blanc', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"médaillon blanc"}', 0), + (41768, 1, 26, 'Claquettes médaillon jaune', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"médaillon jaune"}', 0), + (41769, 1, 26, 'Claquettes pêche', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"pêche"}', 0), + (41770, 1, 26, 'Claquettes aqua', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"aqua"}', 0), + (41771, 1, 26, 'Claquettes camo vert', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"camo vert"}', 0), + (41772, 1, 26, 'Claquettes camo gris', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"camo gris"}', 0), + (41773, 2, 26, 'Claquettes jaune pâle', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"jaune pâle"}', 0), + (41774, 2, 26, 'Claquettes rose', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"rose"}', 0), + (41775, 2, 26, 'Claquettes médaillon noir', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"médaillon noir"}', 0), + (41776, 2, 26, 'Claquettes médaillon blanc', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"médaillon blanc"}', 0), + (41777, 2, 26, 'Claquettes médaillon jaune', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"médaillon jaune"}', 0), + (41778, 2, 26, 'Claquettes pêche', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"pêche"}', 0), + (41779, 2, 26, 'Claquettes aqua', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"aqua"}', 0), + (41780, 2, 26, 'Claquettes camo vert', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"camo vert"}', 0), + (41781, 2, 26, 'Claquettes camo gris', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"camo gris"}', 0), + (41782, 1, 26, 'Claquettes Bigness noir', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Bigness noir"}', 0), + (41783, 1, 26, 'Claquettes Bigness violet', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Bigness violet"}', 0), + (41784, 1, 26, 'Claquettes Bigness beige', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Bigness beige"}', 0), + (41785, 1, 26, 'Claquettes motifs noir', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs noir"}', 0), + (41786, 1, 26, 'Claquettes motifs blanc', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs blanc"}', 0), + (41787, 1, 26, 'Claquettes motifs rose', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs rose"}', 0), + (41788, 1, 26, 'Claquettes motifs beige', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs beige"}', 0), + (41789, 1, 26, 'Claquettes motifs corail', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs corail"}', 0), + (41790, 1, 26, 'Claquettes D6 bleu', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"D6 bleu"}', 0), + (41791, 1, 26, 'Claquettes america', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"america"}', 0), + (41792, 1, 26, 'Claquettes Guffy tropical', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Guffy tropical"}', 0), + (41793, 1, 26, 'Claquettes Guffy turquoise', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Guffy turquoise"}', 0), + (41794, 1, 26, 'Claquettes Guffy blanc', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Guffy blanc"}', 0), + (41795, 1, 26, 'Claquettes bleu', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"bleu"}', 0), + (41796, 1, 26, 'Claquettes rouge', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"rouge"}', 0), + (41797, 2, 26, 'Claquettes Bigness noir', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Bigness noir"}', 0), + (41798, 2, 26, 'Claquettes Bigness violet', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Bigness violet"}', 0), + (41799, 2, 26, 'Claquettes Bigness beige', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Bigness beige"}', 0), + (41800, 2, 26, 'Claquettes motifs noir', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs noir"}', 0), + (41801, 2, 26, 'Claquettes motifs blanc', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs blanc"}', 0), + (41802, 2, 26, 'Claquettes motifs rose', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs rose"}', 0), + (41803, 2, 26, 'Claquettes motifs beige', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs beige"}', 0), + (41804, 2, 26, 'Claquettes motifs corail', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"motifs corail"}', 0), + (41805, 2, 26, 'Claquettes D6 bleu', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"D6 bleu"}', 0), + (41806, 2, 26, 'Claquettes america', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"america"}', 0), + (41807, 2, 26, 'Claquettes Guffy tropical', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Guffy tropical"}', 0), + (41808, 2, 26, 'Claquettes Guffy turquoise', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Guffy turquoise"}', 0), + (41809, 2, 26, 'Claquettes Guffy blanc', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"Guffy blanc"}', 0), + (41810, 2, 26, 'Claquettes bleu', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"bleu"}', 0), + (41811, 2, 26, 'Claquettes rouge', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Claquettes","colorLabel":"rouge"}', 0), + (41812, 3, 30, 'Oxford brun', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"brun"}', 0), + (41813, 3, 30, 'Oxford anthracite', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"anthracite"}', 0), + (41814, 3, 30, 'Oxford gris', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"gris"}', 0), + (41815, 3, 30, 'Oxford blanc', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"blanc"}', 0), + (41816, 3, 30, 'Oxford marron', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"marron"}', 0), + (41817, 3, 30, 'Oxford feu', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"feu"}', 0), + (41818, 3, 30, 'Oxford sable', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"sable"}', 0), + (41819, 3, 30, 'Oxford crème', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"crème"}', 0), + (41820, 3, 30, 'Oxford bleu', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"bleu"}', 0), + (41821, 3, 30, 'Oxford vert', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"vert"}', 0), + (41822, 3, 30, 'Oxford pêche', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"pêche"}', 0), + (41823, 3, 30, 'Oxford rouge', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Oxford","colorLabel":"rouge"}', 0), + (41824, 3, 28, 'Dr. Martin noir', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"noir"}', 0), + (41825, 3, 28, 'Dr. Martin gris', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"gris"}', 0), + (41826, 3, 28, 'Dr. Martin ivoire', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"ivoire"}', 0), + (41827, 3, 28, 'Dr. Martin blanc', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"blanc"}', 0), + (41828, 3, 28, 'Dr. Martin marron', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"marron"}', 0), + (41829, 3, 28, 'Dr. Martin feu', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"feu"}', 0), + (41830, 3, 28, 'Dr. Martin vert', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"vert"}', 0), + (41831, 3, 28, 'Dr. Martin corail', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"corail"}', 0), + (41832, 3, 28, 'Dr. Martin orange', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"orange"}', 0), + (41833, 3, 28, 'Dr. Martin jaune', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"jaune"}', 0), + (41834, 3, 28, 'Dr. Martin ocre', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"ocre"}', 0), + (41835, 3, 28, 'Dr. Martin beige', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"beige"}', 0), + (41836, 3, 28, 'Dr. Martin bleu', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"bleu"}', 0), + (41837, 3, 28, 'Dr. Martin ciel', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Dr. Martin","colorLabel":"ciel"}', 0), + (41838, 3, 28, 'Dr. Martin (basses) noir', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"noir"}', 0), + (41839, 3, 28, 'Dr. Martin (basses) gris', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"gris"}', 0), + (41840, 3, 28, 'Dr. Martin (basses) ivoire', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"ivoire"}', 0), + (41841, 3, 28, 'Dr. Martin (basses) blanc', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"blanc"}', 0), + (41842, 3, 28, 'Dr. Martin (basses) marron', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"marron"}', 0), + (41843, 3, 28, 'Dr. Martin (basses) feu', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"feu"}', 0), + (41844, 3, 28, 'Dr. Martin (basses) vert', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"vert"}', 0), + (41845, 3, 28, 'Dr. Martin (basses) corail', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"corail"}', 0), + (41846, 3, 28, 'Dr. Martin (basses) orange', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"orange"}', 0), + (41847, 3, 28, 'Dr. Martin (basses) jaune', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"jaune"}', 0), + (41848, 3, 28, 'Dr. Martin (basses) ocre', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"ocre"}', 0), + (41849, 3, 28, 'Dr. Martin (basses) beige', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"beige"}', 0), + (41850, 3, 28, 'Dr. Martin (basses) bleu', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"bleu"}', 0), + (41851, 3, 28, 'Dr. Martin (basses) ciel', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Dr. Martin (basses)","colorLabel":"ciel"}', 0), + (41852, 1, 26, 'Crocs avec chaussettes noir', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"noir"}', 0), + (41853, 1, 26, 'Crocs avec chaussettes gris', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"gris"}', 0), + (41854, 1, 26, 'Crocs avec chaussettes ivoire', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"ivoire"}', 0), + (41855, 1, 26, 'Crocs avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"blanc"}', 0), + (41856, 1, 26, 'Crocs avec chaussettes crème', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"crème"}', 0), + (41857, 1, 26, 'Crocs avec chaussettes marron', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"marron"}', 0), + (41858, 1, 26, 'Crocs avec chaussettes framboise', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"framboise"}', 0), + (41859, 1, 26, 'Crocs avec chaussettes fuchsia', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"fuchsia"}', 0), + (41860, 1, 26, 'Crocs avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"rouge"}', 0), + (41861, 1, 26, 'Crocs avec chaussettes orange', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"orange"}', 0), + (41862, 1, 26, 'Crocs avec chaussettes jaune', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune"}', 0), + (41863, 1, 26, 'Crocs avec chaussettes jaune pâle', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune pâle"}', 0), + (41864, 1, 26, 'Crocs avec chaussettes marine', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"marine"}', 0), + (41865, 1, 26, 'Crocs avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu"}', 0), + (41866, 1, 26, 'Crocs avec chaussettes bleu clair', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu clair"}', 0), + (41867, 1, 26, 'Crocs avec chaussettes turquoise', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"turquoise"}', 0), + (41868, 1, 26, 'Crocs avec chaussettes ciel', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"ciel"}', 0), + (41869, 1, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (41870, 1, 26, 'Crocs avec chaussettes vert', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"vert"}', 0), + (41871, 1, 26, 'Crocs avec chaussettes menthe', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"menthe"}', 0), + (41872, 1, 26, 'Crocs avec chaussettes kaki', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"kaki"}', 0), + (41873, 1, 26, 'Crocs avec chaussettes lime', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"lime"}', 0), + (41874, 1, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (41875, 1, 26, 'Crocs avec chaussettes lilas', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"lilas"}', 0), + (41876, 1, 26, 'Crocs avec chaussettes violet', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"violet"}', 0), + (41877, 2, 26, 'Crocs avec chaussettes noir', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"noir"}', 0), + (41878, 2, 26, 'Crocs avec chaussettes gris', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"gris"}', 0), + (41879, 2, 26, 'Crocs avec chaussettes ivoire', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"ivoire"}', 0), + (41880, 2, 26, 'Crocs avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"blanc"}', 0), + (41881, 2, 26, 'Crocs avec chaussettes crème', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"crème"}', 0), + (41882, 2, 26, 'Crocs avec chaussettes marron', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"marron"}', 0), + (41883, 2, 26, 'Crocs avec chaussettes framboise', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"framboise"}', 0), + (41884, 2, 26, 'Crocs avec chaussettes fuchsia', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"fuchsia"}', 0), + (41885, 2, 26, 'Crocs avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"rouge"}', 0), + (41886, 2, 26, 'Crocs avec chaussettes orange', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"orange"}', 0), + (41887, 2, 26, 'Crocs avec chaussettes jaune', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune"}', 0), + (41888, 2, 26, 'Crocs avec chaussettes jaune pâle', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune pâle"}', 0), + (41889, 2, 26, 'Crocs avec chaussettes marine', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"marine"}', 0), + (41890, 2, 26, 'Crocs avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu"}', 0), + (41891, 2, 26, 'Crocs avec chaussettes bleu clair', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu clair"}', 0), + (41892, 2, 26, 'Crocs avec chaussettes turquoise', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"turquoise"}', 0), + (41893, 2, 26, 'Crocs avec chaussettes ciel', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"ciel"}', 0), + (41894, 2, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (41895, 2, 26, 'Crocs avec chaussettes vert', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"vert"}', 0), + (41896, 2, 26, 'Crocs avec chaussettes menthe', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"menthe"}', 0), + (41897, 2, 26, 'Crocs avec chaussettes kaki', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"kaki"}', 0), + (41898, 2, 26, 'Crocs avec chaussettes lime', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"lime"}', 0), + (41899, 2, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (41900, 2, 26, 'Crocs avec chaussettes lilas', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"lilas"}', 0), + (41901, 2, 26, 'Crocs avec chaussettes violet', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"violet"}', 0), + (41902, 1, 26, 'Crocs noir', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"noir"}', 0), + (41903, 1, 26, 'Crocs gris', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"gris"}', 0), + (41904, 1, 26, 'Crocs ivoire', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"ivoire"}', 0), + (41905, 1, 26, 'Crocs blanc', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"blanc"}', 0), + (41906, 1, 26, 'Crocs crème', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"crème"}', 0), + (41907, 1, 26, 'Crocs marron', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"marron"}', 0), + (41908, 1, 26, 'Crocs framboise', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"framboise"}', 0), + (41909, 1, 26, 'Crocs fuchsia', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"fuchsia"}', 0), + (41910, 1, 26, 'Crocs rouge', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"rouge"}', 0), + (41911, 1, 26, 'Crocs orange', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"orange"}', 0), + (41912, 1, 26, 'Crocs jaune', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"jaune"}', 0), + (41913, 1, 26, 'Crocs jaune pâle', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"jaune pâle"}', 0), + (41914, 1, 26, 'Crocs marine', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"marine"}', 0), + (41915, 1, 26, 'Crocs bleu', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"bleu"}', 0), + (41916, 1, 26, 'Crocs bleu clair', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"bleu clair"}', 0), + (41917, 1, 26, 'Crocs turquoise', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"turquoise"}', 0), + (41918, 1, 26, 'Crocs ciel', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"ciel"}', 0), + (41919, 1, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (41920, 1, 26, 'Crocs vert', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"vert"}', 0), + (41921, 1, 26, 'Crocs menthe', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"menthe"}', 0), + (41922, 1, 26, 'Crocs kaki', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"kaki"}', 0), + (41923, 1, 26, 'Crocs lime', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"lime"}', 0), + (41924, 1, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (41925, 1, 26, 'Crocs lilas', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"lilas"}', 0), + (41926, 1, 26, 'Crocs violet', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"violet"}', 0), + (41927, 2, 26, 'Crocs noir', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"noir"}', 0), + (41928, 2, 26, 'Crocs gris', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"gris"}', 0), + (41929, 2, 26, 'Crocs ivoire', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"ivoire"}', 0), + (41930, 2, 26, 'Crocs blanc', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"blanc"}', 0), + (41931, 2, 26, 'Crocs crème', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"crème"}', 0), + (41932, 2, 26, 'Crocs marron', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"marron"}', 0), + (41933, 2, 26, 'Crocs framboise', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"framboise"}', 0), + (41934, 2, 26, 'Crocs fuchsia', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"fuchsia"}', 0), + (41935, 2, 26, 'Crocs rouge', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"rouge"}', 0), + (41936, 2, 26, 'Crocs orange', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"orange"}', 0), + (41937, 2, 26, 'Crocs jaune', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"jaune"}', 0), + (41938, 2, 26, 'Crocs jaune pâle', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"jaune pâle"}', 10); +INSERT INTO `shop_content` (`id`, `shop_id`, `category_id`, `label`, `price`, `data`, `stock`) VALUES + (41939, 2, 26, 'Crocs marine', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"marine"}', 0), + (41940, 2, 26, 'Crocs bleu', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"bleu"}', 0), + (41941, 2, 26, 'Crocs bleu clair', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"bleu clair"}', 0), + (41942, 2, 26, 'Crocs turquoise', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"turquoise"}', 0), + (41943, 2, 26, 'Crocs ciel', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"ciel"}', 0), + (41944, 2, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (41945, 2, 26, 'Crocs vert', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"vert"}', 0), + (41946, 2, 26, 'Crocs menthe', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"menthe"}', 0), + (41947, 2, 26, 'Crocs kaki', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"kaki"}', 0), + (41948, 2, 26, 'Crocs lime', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"lime"}', 0), + (41949, 2, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (41950, 2, 26, 'Crocs lilas', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"lilas"}', 0), + (41951, 2, 26, 'Crocs violet', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"violet"}', 0), + (41952, 1, 30, 'Gumshooes basse noir', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"noir"}', 0), + (41953, 1, 30, 'Gumshooes basse gris', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"gris"}', 0), + (41954, 1, 30, 'Gumshooes basse ivoire', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"ivoire"}', 0), + (41955, 1, 30, 'Gumshooes basse blanc', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"blanc"}', 0), + (41956, 1, 30, 'Gumshooes basse crème', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"crème"}', 0), + (41957, 1, 30, 'Gumshooes basse marron', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"marron"}', 0), + (41958, 1, 30, 'Gumshooes basse framboise', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"framboise"}', 0), + (41959, 1, 30, 'Gumshooes basse fuchsia', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"fuchsia"}', 0), + (41960, 1, 30, 'Gumshooes basse rouge', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"rouge"}', 0), + (41961, 1, 30, 'Gumshooes basse orange', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"orange"}', 0), + (41962, 1, 30, 'Gumshooes basse jaune', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"jaune"}', 0), + (41963, 1, 30, 'Gumshooes basse jaune pâle', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"jaune pâle"}', 0), + (41964, 1, 30, 'Gumshooes basse marine', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"marine"}', 0), + (41965, 1, 30, 'Gumshooes basse bleu', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"bleu"}', 0), + (41966, 1, 30, 'Gumshooes basse bleu clair', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"bleu clair"}', 0), + (41967, 1, 30, 'Gumshooes basse turquoise', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"turquoise"}', 0), + (41968, 1, 30, 'Gumshooes basse ciel', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"ciel"}', 0), + (41969, 1, 30, 'Gumshooes basse pêche', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"pêche"}', 0), + (41970, 1, 30, 'Gumshooes basse vert', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"vert"}', 0), + (41971, 1, 30, 'Gumshooes basse menthe', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"menthe"}', 0), + (41972, 1, 30, 'Gumshooes basse kaki', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"kaki"}', 0), + (41973, 1, 30, 'Gumshooes basse lime', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"lime"}', 0), + (41974, 1, 30, 'Gumshooes basse pêche', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"pêche"}', 0), + (41975, 1, 30, 'Gumshooes basse lilas', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"lilas"}', 0), + (41976, 1, 30, 'Gumshooes basse violet', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"violet"}', 0), + (41977, 2, 30, 'Gumshooes basse noir', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"noir"}', 0), + (41978, 2, 30, 'Gumshooes basse gris', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"gris"}', 0), + (41979, 2, 30, 'Gumshooes basse ivoire', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"ivoire"}', 0), + (41980, 2, 30, 'Gumshooes basse blanc', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"blanc"}', 0), + (41981, 2, 30, 'Gumshooes basse crème', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"crème"}', 0), + (41982, 2, 30, 'Gumshooes basse marron', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"marron"}', 0), + (41983, 2, 30, 'Gumshooes basse framboise', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"framboise"}', 0), + (41984, 2, 30, 'Gumshooes basse fuchsia', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"fuchsia"}', 0), + (41985, 2, 30, 'Gumshooes basse rouge', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"rouge"}', 0), + (41986, 2, 30, 'Gumshooes basse orange', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"orange"}', 0), + (41987, 2, 30, 'Gumshooes basse jaune', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"jaune"}', 0), + (41988, 2, 30, 'Gumshooes basse jaune pâle', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"jaune pâle"}', 0), + (41989, 2, 30, 'Gumshooes basse marine', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"marine"}', 0), + (41990, 2, 30, 'Gumshooes basse bleu', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"bleu"}', 0), + (41991, 2, 30, 'Gumshooes basse bleu clair', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"bleu clair"}', 0), + (41992, 2, 30, 'Gumshooes basse turquoise', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"turquoise"}', 0), + (41993, 2, 30, 'Gumshooes basse ciel', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"ciel"}', 0), + (41994, 2, 30, 'Gumshooes basse pêche', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"pêche"}', 0), + (41995, 2, 30, 'Gumshooes basse vert', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"vert"}', 0), + (41996, 2, 30, 'Gumshooes basse menthe', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"menthe"}', 0), + (41997, 2, 30, 'Gumshooes basse kaki', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"kaki"}', 0), + (41998, 2, 30, 'Gumshooes basse lime', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"lime"}', 0), + (41999, 2, 30, 'Gumshooes basse pêche', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"pêche"}', 0), + (42000, 2, 30, 'Gumshooes basse lilas', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"lilas"}', 0), + (42001, 2, 30, 'Gumshooes basse violet', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"violet"}', 0), + (42002, 1, 30, 'Gumshooes basse zèbre blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"zèbre blanc"}', 0), + (42003, 1, 30, 'Gumshooes basse zèbre rose', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"zèbre rose"}', 0), + (42004, 1, 30, 'Gumshooes basse léopard rose', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"léopard rose"}', 0), + (42005, 1, 30, 'Gumshooes basse léopard turquoise', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"léopard turquoise"}', 0), + (42006, 1, 30, 'Gumshooes basse léopard kaki', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"léopard kaki"}', 0), + (42007, 1, 30, 'Gumshooes basse motifs orchidée', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs orchidée"}', 0), + (42008, 1, 30, 'Gumshooes basse motifs turquoise', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs turquoise"}', 0), + (42009, 1, 30, 'Gumshooes basse motifs kaki', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs kaki"}', 0), + (42010, 1, 30, 'Gumshooes basse motifs fuchsia', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs fuchsia"}', 0), + (42011, 1, 30, 'Gumshooes basse motifs pêche', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs pêche"}', 0), + (42012, 1, 30, 'Gumshooes basse motifs rose', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs rose"}', 0), + (42013, 1, 30, 'Gumshooes basse panthère blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"panthère blanc"}', 0), + (42014, 1, 30, 'Gumshooes basse panthère bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"panthère bleu"}', 0), + (42015, 1, 30, 'Gumshooes basse panthère jaune', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"panthère jaune"}', 0), + (42016, 1, 30, 'Gumshooes basse SOZures noir', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures noir"}', 0), + (42017, 1, 30, 'Gumshooes basse SOZures bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures bleu"}', 0), + (42018, 1, 30, 'Gumshooes basse SOZures lime', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures lime"}', 0), + (42019, 1, 30, 'Gumshooes basse SOZures ciel', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures ciel"}', 0), + (42020, 1, 30, 'Gumshooes basse SOZures pêche', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures pêche"}', 0), + (42021, 1, 30, 'Gumshooes basse SOZures rouge', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures rouge"}', 0), + (42022, 1, 30, 'Gumshooes basse SOZures blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures blanc"}', 0), + (42023, 1, 30, 'Gumshooes basse médaillons noir', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons noir"}', 0), + (42024, 1, 30, 'Gumshooes basse médaillons bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons bleu"}', 0), + (42025, 1, 30, 'Gumshooes basse médaillons rouge', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons rouge"}', 0), + (42026, 1, 30, 'Gumshooes basse médaillons crème', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons crème"}', 0), + (42027, 2, 30, 'Gumshooes basse zèbre blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"zèbre blanc"}', 0), + (42028, 2, 30, 'Gumshooes basse zèbre rose', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"zèbre rose"}', 0), + (42029, 2, 30, 'Gumshooes basse léopard rose', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"léopard rose"}', 0), + (42030, 2, 30, 'Gumshooes basse léopard turquoise', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"léopard turquoise"}', 0), + (42031, 2, 30, 'Gumshooes basse léopard kaki', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"léopard kaki"}', 0), + (42032, 2, 30, 'Gumshooes basse motifs orchidée', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs orchidée"}', 0), + (42033, 2, 30, 'Gumshooes basse motifs turquoise', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs turquoise"}', 0), + (42034, 2, 30, 'Gumshooes basse motifs kaki', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs kaki"}', 0), + (42035, 2, 30, 'Gumshooes basse motifs fuchsia', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs fuchsia"}', 0), + (42036, 2, 30, 'Gumshooes basse motifs pêche', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs pêche"}', 0), + (42037, 2, 30, 'Gumshooes basse motifs rose', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"motifs rose"}', 0), + (42038, 2, 30, 'Gumshooes basse panthère blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"panthère blanc"}', 0), + (42039, 2, 30, 'Gumshooes basse panthère bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"panthère bleu"}', 0), + (42040, 2, 30, 'Gumshooes basse panthère jaune', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"panthère jaune"}', 0), + (42041, 2, 30, 'Gumshooes basse SOZures noir', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures noir"}', 0), + (42042, 2, 30, 'Gumshooes basse SOZures bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures bleu"}', 0), + (42043, 2, 30, 'Gumshooes basse SOZures lime', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures lime"}', 0), + (42044, 2, 30, 'Gumshooes basse SOZures ciel', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures ciel"}', 0), + (42045, 2, 30, 'Gumshooes basse SOZures pêche', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures pêche"}', 0), + (42046, 2, 30, 'Gumshooes basse SOZures rouge', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures rouge"}', 0), + (42047, 2, 30, 'Gumshooes basse SOZures blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"SOZures blanc"}', 0), + (42048, 2, 30, 'Gumshooes basse médaillons noir', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons noir"}', 0), + (42049, 2, 30, 'Gumshooes basse médaillons bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons bleu"}', 0), + (42050, 2, 30, 'Gumshooes basse médaillons rouge', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons rouge"}', 0), + (42051, 2, 30, 'Gumshooes basse médaillons crème', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"médaillons crème"}', 0), + (42052, 1, 30, 'Gumshooes basse car. turquoise', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"car. turquoise"}', 0), + (42053, 1, 30, 'Gumshooes basse car. violet', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"car. violet"}', 0), + (42054, 1, 30, 'Gumshooes basse fleurs bleu', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"fleurs bleu"}', 0), + (42055, 1, 30, 'Gumshooes basse fleurs crème', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"fleurs crème"}', 0), + (42056, 2, 30, 'Gumshooes basse car. turquoise', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"car. turquoise"}', 0), + (42057, 2, 30, 'Gumshooes basse car. violet', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"car. violet"}', 0), + (42058, 2, 30, 'Gumshooes basse fleurs bleu', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"fleurs bleu"}', 0), + (42059, 2, 30, 'Gumshooes basse fleurs crème', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Gumshooes basse","colorLabel":"fleurs crème"}', 0), + (42060, 3, 28, 'Bottes à lacets losange', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Bottes à lacets","colorLabel":"losange"}', 0), + (42061, 1, 26, 'Crocs avec chaussettes dorures noir', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures noir"}', 0), + (42062, 1, 26, 'Crocs avec chaussettes dorures turquoise', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures turquoise"}', 0), + (42063, 1, 26, 'Crocs avec chaussettes dorures fuchsia', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures fuchsia"}', 0), + (42064, 1, 26, 'Crocs avec chaussettes flammèches vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches vert"}', 0), + (42065, 1, 26, 'Crocs avec chaussettes flammèches orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches orange"}', 0), + (42066, 1, 26, 'Crocs avec chaussettes flammèches rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rose"}', 0), + (42067, 1, 26, 'Crocs avec chaussettes flammèches violet', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches violet"}', 0), + (42068, 1, 26, 'Crocs avec chaussettes flammèches rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rouge"}', 0), + (42069, 1, 26, 'Crocs avec chaussettes flammes vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammes vert"}', 0), + (42070, 1, 26, 'Crocs avec chaussettes flamme orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme orange"}', 0), + (42071, 1, 26, 'Crocs avec chaussettes flamme rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rose"}', 0), + (42072, 1, 26, 'Crocs avec chaussettes flamme rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rouge"}', 0), + (42073, 1, 26, 'Crocs avec chaussettes foudre bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre bleu"}', 0), + (42074, 1, 26, 'Crocs avec chaussettes foudre vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre vert"}', 0), + (42075, 1, 26, 'Crocs avec chaussettes foudre orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre orange"}', 0), + (42076, 1, 26, 'Crocs avec chaussettes foudre rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rose"}', 0), + (42077, 1, 26, 'Crocs avec chaussettes foudre rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rouge"}', 0), + (42078, 1, 26, 'Crocs avec chaussettes éclairs bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs bleu"}', 0), + (42079, 1, 26, 'Crocs avec chaussettes éclairs vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs vert"}', 0), + (42080, 1, 26, 'Crocs avec chaussettes éclairs orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs orange"}', 0), + (42081, 1, 26, 'Crocs avec chaussettes éclairs rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs rose"}', 0), + (42082, 1, 26, 'Crocs avec chaussettes classique blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique blanc"}', 0), + (42083, 1, 26, 'Crocs avec chaussettes classique ivoire', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique ivoire"}', 0), + (42084, 1, 26, 'Crocs avec chaussettes pierre', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"pierre"}', 0), + (42085, 1, 26, 'Crocs avec chaussettes brun', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"brun"}', 0), + (42086, 2, 26, 'Crocs avec chaussettes dorures noir', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures noir"}', 0), + (42087, 2, 26, 'Crocs avec chaussettes dorures turquoise', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures turquoise"}', 0), + (42088, 2, 26, 'Crocs avec chaussettes dorures fuchsia', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures fuchsia"}', 0), + (42089, 2, 26, 'Crocs avec chaussettes flammèches vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches vert"}', 0), + (42090, 2, 26, 'Crocs avec chaussettes flammèches orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches orange"}', 0), + (42091, 2, 26, 'Crocs avec chaussettes flammèches rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rose"}', 0), + (42092, 2, 26, 'Crocs avec chaussettes flammèches violet', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches violet"}', 0), + (42093, 2, 26, 'Crocs avec chaussettes flammèches rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rouge"}', 0), + (42094, 2, 26, 'Crocs avec chaussettes flammes vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammes vert"}', 0), + (42095, 2, 26, 'Crocs avec chaussettes flamme orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme orange"}', 0), + (42096, 2, 26, 'Crocs avec chaussettes flamme rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rose"}', 0), + (42097, 2, 26, 'Crocs avec chaussettes flamme rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rouge"}', 0), + (42098, 2, 26, 'Crocs avec chaussettes foudre bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre bleu"}', 0), + (42099, 2, 26, 'Crocs avec chaussettes foudre vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre vert"}', 0), + (42100, 2, 26, 'Crocs avec chaussettes foudre orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre orange"}', 0), + (42101, 2, 26, 'Crocs avec chaussettes foudre rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rose"}', 0), + (42102, 2, 26, 'Crocs avec chaussettes foudre rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rouge"}', 0), + (42103, 2, 26, 'Crocs avec chaussettes éclairs bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs bleu"}', 0), + (42104, 2, 26, 'Crocs avec chaussettes éclairs vert', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs vert"}', 0), + (42105, 2, 26, 'Crocs avec chaussettes éclairs orange', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs orange"}', 0), + (42106, 2, 26, 'Crocs avec chaussettes éclairs rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs rose"}', 0), + (42107, 2, 26, 'Crocs avec chaussettes classique blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique blanc"}', 0), + (42108, 2, 26, 'Crocs avec chaussettes classique ivoire', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique ivoire"}', 0), + (42109, 2, 26, 'Crocs avec chaussettes pierre', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"pierre"}', 0), + (42110, 2, 26, 'Crocs avec chaussettes brun', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"brun"}', 0), + (42111, 1, 26, 'Crocs avec chaussettes nuage bleu', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage bleu"}', 0), + (42112, 1, 26, 'Crocs avec chaussettes nuage jaune', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage jaune"}', 0), + (42113, 2, 26, 'Crocs avec chaussettes nuage bleu', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage bleu"}', 0), + (42114, 2, 26, 'Crocs avec chaussettes nuage jaune', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage jaune"}', 0), + (42115, 1, 26, 'Crocs dorures noir', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"dorures noir"}', 0), + (42116, 1, 26, 'Crocs dorures turquoise', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"dorures turquoise"}', 0), + (42117, 1, 26, 'Crocs dorures fuchsia', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"dorures fuchsia"}', 0), + (42118, 1, 26, 'Crocs flammèches vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches vert"}', 0), + (42119, 1, 26, 'Crocs flammèches orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches orange"}', 0), + (42120, 1, 26, 'Crocs flammèches rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches rose"}', 0), + (42121, 1, 26, 'Crocs flammèches violet', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches violet"}', 0), + (42122, 1, 26, 'Crocs flammèches rouge', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches rouge"}', 0), + (42123, 1, 26, 'Crocs flammes vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammes vert"}', 0), + (42124, 1, 26, 'Crocs flamme orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flamme orange"}', 0), + (42125, 1, 26, 'Crocs flamme rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flamme rose"}', 0), + (42126, 1, 26, 'Crocs flamme rouge', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flamme rouge"}', 0), + (42127, 1, 26, 'Crocs foudre bleu', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre bleu"}', 0), + (42128, 1, 26, 'Crocs foudre vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre vert"}', 0), + (42129, 1, 26, 'Crocs foudre orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre orange"}', 0), + (42130, 1, 26, 'Crocs foudre rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre rose"}', 0), + (42131, 1, 26, 'Crocs foudre rouge', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre rouge"}', 0), + (42132, 1, 26, 'Crocs éclairs bleu', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs bleu"}', 0), + (42133, 1, 26, 'Crocs éclairs vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs vert"}', 0), + (42134, 1, 26, 'Crocs éclairs orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs orange"}', 0), + (42135, 1, 26, 'Crocs éclairs rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs rose"}', 0), + (42136, 1, 26, 'Crocs classique blanc', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"classique blanc"}', 0), + (42137, 1, 26, 'Crocs classique ivoire', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"classique ivoire"}', 0), + (42138, 1, 26, 'Crocs pierre', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"pierre"}', 0), + (42139, 1, 26, 'Crocs brun', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"brun"}', 0), + (42140, 2, 26, 'Crocs dorures noir', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"dorures noir"}', 0), + (42141, 2, 26, 'Crocs dorures turquoise', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"dorures turquoise"}', 0), + (42142, 2, 26, 'Crocs dorures fuchsia', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"dorures fuchsia"}', 0), + (42143, 2, 26, 'Crocs flammèches vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches vert"}', 0), + (42144, 2, 26, 'Crocs flammèches orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches orange"}', 0), + (42145, 2, 26, 'Crocs flammèches rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches rose"}', 0), + (42146, 2, 26, 'Crocs flammèches violet', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches violet"}', 0), + (42147, 2, 26, 'Crocs flammèches rouge', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammèches rouge"}', 0), + (42148, 2, 26, 'Crocs flammes vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":8}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flammes vert"}', 0), + (42149, 2, 26, 'Crocs flamme orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":9}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flamme orange"}', 0), + (42150, 2, 26, 'Crocs flamme rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":10}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flamme rose"}', 0), + (42151, 2, 26, 'Crocs flamme rouge', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":11}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"flamme rouge"}', 0), + (42152, 2, 26, 'Crocs foudre bleu', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":12}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre bleu"}', 0), + (42153, 2, 26, 'Crocs foudre vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":13}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre vert"}', 0), + (42154, 2, 26, 'Crocs foudre orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":14}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre orange"}', 0), + (42155, 2, 26, 'Crocs foudre rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":15}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre rose"}', 0), + (42156, 2, 26, 'Crocs foudre rouge', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":16}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"foudre rouge"}', 0), + (42157, 2, 26, 'Crocs éclairs bleu', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":17}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs bleu"}', 0), + (42158, 2, 26, 'Crocs éclairs vert', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":18}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs vert"}', 0), + (42159, 2, 26, 'Crocs éclairs orange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":19}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs orange"}', 0), + (42160, 2, 26, 'Crocs éclairs rose', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":20}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"éclairs rose"}', 0), + (42161, 2, 26, 'Crocs classique blanc', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":21}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"classique blanc"}', 0), + (42162, 2, 26, 'Crocs classique ivoire', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":22}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"classique ivoire"}', 0), + (42163, 2, 26, 'Crocs pierre', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":23}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"pierre"}', 0), + (42164, 2, 26, 'Crocs brun', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":24}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"brun"}', 0), + (42165, 1, 26, 'Crocs nuage bleu', 50, '{"components":{"6":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"nuage bleu"}', 0), + (42166, 1, 26, 'Crocs nuage jaune', 50, '{"components":{"6":{"Drawable":122,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"nuage jaune"}', 0), + (42167, 2, 26, 'Crocs nuage bleu', 50, '{"components":{"6":{"Drawable":122,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"nuage bleu"}', 0), + (42168, 2, 26, 'Crocs nuage jaune', 50, '{"components":{"6":{"Drawable":122,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"nuage jaune"}', 0), + (42169, 1, 26, 'Crocs avec chaussettes traits gris', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits gris"}', 0), + (42170, 1, 26, 'Crocs avec chaussettes traits bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits bleu"}', 0), + (42171, 1, 26, 'Crocs avec chaussettes traits rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits rouge"}', 0), + (42172, 1, 26, 'Crocs avec chaussettes traits blanc', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits blanc"}', 0), + (42173, 1, 26, 'Crocs avec chaussettes D6 bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"D6 bleu"}', 0), + (42174, 1, 26, 'Crocs avec chaussettes america', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"america"}', 0), + (42175, 1, 26, 'Crocs avec chaussettes papillon', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"papillon"}', 0), + (42176, 1, 26, 'Crocs avec chaussettes citron', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"citron"}', 0), + (42177, 2, 26, 'Crocs avec chaussettes traits gris', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits gris"}', 0), + (42178, 2, 26, 'Crocs avec chaussettes traits bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits bleu"}', 0), + (42179, 2, 26, 'Crocs avec chaussettes traits rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits rouge"}', 0), + (42180, 2, 26, 'Crocs avec chaussettes traits blanc', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits blanc"}', 0), + (42181, 2, 26, 'Crocs avec chaussettes D6 bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"D6 bleu"}', 0), + (42182, 2, 26, 'Crocs avec chaussettes america', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"america"}', 0), + (42183, 2, 26, 'Crocs avec chaussettes papillon', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"papillon"}', 0), + (42184, 2, 26, 'Crocs avec chaussettes citron', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs avec chaussettes","colorLabel":"citron"}', 0), + (42185, 1, 26, 'Crocs traits gris', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits gris"}', 0), + (42186, 1, 26, 'Crocs traits bleu', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits bleu"}', 0), + (42187, 1, 26, 'Crocs traits rouge', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits rouge"}', 0), + (42188, 1, 26, 'Crocs traits blanc', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits blanc"}', 0), + (42189, 1, 26, 'Crocs D6 bleu', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"D6 bleu"}', 0), + (42190, 1, 26, 'Crocs america', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"america"}', 0), + (42191, 1, 26, 'Crocs papillon', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"papillon"}', 0), + (42192, 1, 26, 'Crocs citron', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"citron"}', 0), + (42193, 2, 26, 'Crocs traits gris', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits gris"}', 0), + (42194, 2, 26, 'Crocs traits bleu', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits bleu"}', 0), + (42195, 2, 26, 'Crocs traits rouge', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":2}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits rouge"}', 0), + (42196, 2, 26, 'Crocs traits blanc', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":3}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"traits blanc"}', 0), + (42197, 2, 26, 'Crocs D6 bleu', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":4}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"D6 bleu"}', 0), + (42198, 2, 26, 'Crocs america', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":5}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"america"}', 0), + (42199, 2, 26, 'Crocs papillon', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":6}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"papillon"}', 0), + (42200, 2, 26, 'Crocs citron', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":7}},"modelHash":1885233650,"modelLabel":"Crocs","colorLabel":"citron"}', 0), + (42201, 3, 27, 'Escarpins à plateforme noir', 50, '{"components":{"6":{"Drawable":0,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"noir"}', 0), + (42202, 3, 27, 'Escarpins à plateforme gris', 50, '{"components":{"6":{"Drawable":0,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"gris"}', 0), + (42203, 3, 27, 'Escarpins à plateforme crème', 50, '{"components":{"6":{"Drawable":0,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"crème"}', 0), + (42204, 3, 27, 'Escarpins à plateforme ardoise', 50, '{"components":{"6":{"Drawable":0,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"ardoise"}', 0), + (42205, 1, 29, 'Baskets de ville blanc', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"blanc"}', 0), + (42206, 1, 29, 'Baskets de ville anthracite', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"anthracite"}', 0), + (42207, 1, 29, 'Baskets de ville gris', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"gris"}', 0), + (42208, 1, 29, 'Baskets de ville ciel', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"ciel"}', 0), + (42209, 1, 29, 'Baskets de ville bleu', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"bleu"}', 0), + (42210, 1, 29, 'Baskets de ville lie-de-vin', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"lie-de-vin"}', 0), + (42211, 1, 29, 'Baskets de ville crème', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"crème"}', 0), + (42212, 1, 29, 'Baskets de ville bleu clair', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"bleu clair"}', 0), + (42213, 1, 29, 'Baskets de ville vert', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"vert"}', 0), + (42214, 1, 29, 'Baskets de ville léopard violet', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"léopard violet"}', 0), + (42215, 1, 29, 'Baskets de ville écru', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"écru"}', 0), + (42216, 1, 29, 'Baskets de ville léopard beige', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"léopard beige"}', 0), + (42217, 1, 29, 'Baskets de ville rayures', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"rayures"}', 0), + (42218, 1, 29, 'Baskets de ville blanc-rose', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"blanc-rose"}', 0), + (42219, 1, 29, 'Baskets de ville gris-vert', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"gris-vert"}', 0), + (42220, 1, 29, 'Baskets de ville noir-rose', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"noir-rose"}', 0), + (42221, 2, 29, 'Baskets de ville blanc', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"blanc"}', 0), + (42222, 2, 29, 'Baskets de ville anthracite', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"anthracite"}', 0), + (42223, 2, 29, 'Baskets de ville gris', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"gris"}', 0), + (42224, 2, 29, 'Baskets de ville ciel', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"ciel"}', 0), + (42225, 2, 29, 'Baskets de ville bleu', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"bleu"}', 0), + (42226, 2, 29, 'Baskets de ville lie-de-vin', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"lie-de-vin"}', 0), + (42227, 2, 29, 'Baskets de ville crème', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"crème"}', 0), + (42228, 2, 29, 'Baskets de ville bleu clair', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"bleu clair"}', 0), + (42229, 2, 29, 'Baskets de ville vert', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"vert"}', 0), + (42230, 2, 29, 'Baskets de ville léopard violet', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"léopard violet"}', 0), + (42231, 2, 29, 'Baskets de ville écru', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"écru"}', 0), + (42232, 2, 29, 'Baskets de ville léopard beige', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"léopard beige"}', 0), + (42233, 2, 29, 'Baskets de ville rayures', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"rayures"}', 0), + (42234, 2, 29, 'Baskets de ville blanc-rose', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"blanc-rose"}', 0), + (42235, 2, 29, 'Baskets de ville gris-vert', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"gris-vert"}', 0), + (42236, 2, 29, 'Baskets de ville noir-rose', 50, '{"components":{"6":{"Drawable":1,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"noir-rose"}', 0), + (42237, 3, 32, 'Bottines à fourrure fauve', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"fauve"}', 0), + (42238, 3, 32, 'Bottines à fourrure noir', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"noir"}', 0), + (42239, 3, 32, 'Bottines à fourrure perle', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"perle"}', 0), + (42240, 3, 32, 'Bottines à fourrure crème', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"crème"}', 0), + (42241, 3, 32, 'Bottines à fourrure gris', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"gris"}', 0), + (42242, 3, 32, 'Bottines à fourrure anthracite', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"anthracite"}', 0), + (42243, 3, 32, 'Bottines à fourrure léopard', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"léopard"}', 0), + (42244, 3, 32, 'Bottines à fourrure serpent', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"serpent"}', 0), + (42245, 3, 32, 'Bottines à fourrure points rose', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"points rose"}', 0), + (42246, 3, 32, 'Bottines à fourrure rose pâle', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"rose pâle"}', 0), + (42247, 3, 32, 'Bottines à fourrure turquoise', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"turquoise"}', 0), + (42248, 3, 32, 'Bottines à fourrure rose', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"rose"}', 0), + (42249, 3, 32, 'Bottines à fourrure bleu clair', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"bleu clair"}', 0), + (42250, 3, 32, 'Bottines à fourrure rouge', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"rouge"}', 0), + (42251, 3, 32, 'Bottines à fourrure ocre', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"ocre"}', 0), + (42252, 3, 32, 'Bottines à fourrure indigo', 50, '{"components":{"6":{"Drawable":2,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottines à fourrure","colorLabel":"indigo"}', 0), + (42253, 1, 30, 'Gumshoes basses noir', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"noir"}', 0), + (42254, 1, 30, 'Gumshoes basses blanc-rouge', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"blanc-rouge"}', 0), + (42255, 1, 30, 'Gumshoes basses corail', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"corail"}', 0), + (42256, 1, 30, 'Gumshoes basses ardoise', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"ardoise"}', 0), + (42257, 1, 30, 'Gumshoes basses violet', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"violet"}', 0), + (42258, 1, 30, 'Gumshoes basses vert', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"vert"}', 0), + (42259, 1, 30, 'Gumshoes basses prune', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"prune"}', 0), + (42260, 1, 30, 'Gumshoes basses écossais rouge', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"écossais rouge"}', 0), + (42261, 1, 30, 'Gumshoes basses camo beige', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"camo beige"}', 0), + (42262, 1, 30, 'Gumshoes basses jaune', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"jaune"}', 0), + (42263, 1, 30, 'Gumshoes basses camo kaki', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"camo kaki"}', 0), + (42264, 1, 30, 'Gumshoes basses lavande', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"lavande"}', 0), + (42265, 1, 30, 'Gumshoes basses léopard rose', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"léopard rose"}', 0), + (42266, 1, 30, 'Gumshoes basses comics', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"comics"}', 0), + (42267, 1, 30, 'Gumshoes basses écossais bleu', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"écossais bleu"}', 0), + (42268, 1, 30, 'Gumshoes basses beige', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"beige"}', 0), + (42269, 2, 30, 'Gumshoes basses noir', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"noir"}', 0), + (42270, 2, 30, 'Gumshoes basses blanc-rouge', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"blanc-rouge"}', 0), + (42271, 2, 30, 'Gumshoes basses corail', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"corail"}', 0), + (42272, 2, 30, 'Gumshoes basses ardoise', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"ardoise"}', 0), + (42273, 2, 30, 'Gumshoes basses violet', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"violet"}', 0), + (42274, 2, 30, 'Gumshoes basses vert', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"vert"}', 0), + (42275, 2, 30, 'Gumshoes basses prune', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"prune"}', 0), + (42276, 2, 30, 'Gumshoes basses écossais rouge', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"écossais rouge"}', 0), + (42277, 2, 30, 'Gumshoes basses camo beige', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"camo beige"}', 0), + (42278, 2, 30, 'Gumshoes basses jaune', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"jaune"}', 0), + (42279, 2, 30, 'Gumshoes basses camo kaki', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"camo kaki"}', 0), + (42280, 2, 30, 'Gumshoes basses lavande', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"lavande"}', 0), + (42281, 2, 30, 'Gumshoes basses léopard rose', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"léopard rose"}', 0), + (42282, 2, 30, 'Gumshoes basses comics', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"comics"}', 0), + (42283, 2, 30, 'Gumshoes basses écossais bleu', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"écossais bleu"}', 0), + (42284, 2, 30, 'Gumshoes basses beige', 50, '{"components":{"6":{"Drawable":3,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses","colorLabel":"beige"}', 0), + (42285, 1, 29, 'Baskets de marque noir', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"noir"}', 0), + (42286, 1, 29, 'Baskets de marque gris', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"gris"}', 0), + (42287, 1, 29, 'Baskets de marque blanc', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"blanc"}', 0), + (42288, 1, 29, 'Baskets de marque bleu', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"bleu"}', 0), + (42289, 2, 29, 'Baskets de marque noir', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"noir"}', 0), + (42290, 2, 29, 'Baskets de marque gris', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"gris"}', 0), + (42291, 2, 29, 'Baskets de marque blanc', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"blanc"}', 0), + (42292, 2, 29, 'Baskets de marque bleu', 50, '{"components":{"6":{"Drawable":4,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"bleu"}', 0), + (42293, 3, 26, 'Tongs fines noir', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"noir"}', 0), + (42294, 3, 26, 'Tongs fines blanc', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"blanc"}', 0), + (42295, 3, 26, 'Tongs fines corail', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"corail"}', 0), + (42296, 3, 26, 'Tongs fines turquoise', 50, '{"components":{"6":{"Drawable":5,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"turquoise"}', 0), + (42297, 3, 27, 'Escarpins pointus noir', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"noir"}', 0), + (42298, 3, 27, 'Escarpins pointus panthère', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"panthère"}', 0), + (42299, 3, 27, 'Escarpins pointus crème', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"crème"}', 0), + (42300, 3, 27, 'Escarpins pointus serpent', 50, '{"components":{"6":{"Drawable":6,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"serpent"}', 0), + (42301, 3, 28, 'Bottines tactiques noir', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"noir"}', 0), + (42302, 3, 28, 'Bottines tactiques gris', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"gris"}', 0), + (42303, 3, 28, 'Bottines tactiques rouge', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"rouge"}', 0), + (42304, 3, 28, 'Bottines tactiques blanc', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"blanc"}', 0), + (42305, 3, 28, 'Bottines tactiques sable', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"sable"}', 0), + (42306, 3, 28, 'Bottines tactiques crème', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"crème"}', 0), + (42307, 3, 28, 'Bottines tactiques brun', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"brun"}', 0), + (42308, 3, 28, 'Bottines tactiques camo kaki', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"camo kaki"}', 0), + (42309, 3, 28, 'Bottines tactiques rose', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"rose"}', 0), + (42310, 3, 28, 'Bottines tactiques kaki', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"kaki"}', 0), + (42311, 3, 28, 'Bottines tactiques marron', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"marron"}', 0), + (42312, 3, 28, 'Bottines tactiques beige-rose', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"beige-rose"}', 0), + (42313, 3, 28, 'Bottines tactiques turquoise', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"turquoise"}', 0), + (42314, 3, 28, 'Bottines tactiques beige', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"beige"}', 0), + (42315, 3, 28, 'Bottines tactiques lime', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"lime"}', 0), + (42316, 3, 28, 'Bottines tactiques orange', 50, '{"components":{"6":{"Drawable":7,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques","colorLabel":"orange"}', 0), + (42317, 3, 28, 'Bottines trouées noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"noir"}', 0), + (42318, 3, 28, 'Bottines trouées taupe', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"taupe"}', 0), + (42319, 3, 28, 'Bottines trouées brun', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"brun"}', 0), + (42320, 3, 28, 'Bottines trouées blanc-noir', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"blanc-noir"}', 0), + (42321, 3, 28, 'Bottines trouées gris', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"gris"}', 0), + (42322, 3, 28, 'Bottines trouées crème', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"crème"}', 0), + (42323, 3, 28, 'Bottines trouées brun', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"brun"}', 0), + (42324, 3, 28, 'Bottines trouées serpent brun', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"serpent brun"}', 0), + (42325, 3, 28, 'Bottines trouées léopard vert', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"léopard vert"}', 0), + (42326, 3, 28, 'Bottines trouées léopard beige', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"léopard beige"}', 0), + (42327, 3, 28, 'Bottines trouées rouge', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"rouge"}', 0), + (42328, 3, 28, 'Bottines trouées lavande', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"lavande"}', 0), + (42329, 3, 28, 'Bottines trouées géométrique brun', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"géométrique brun"}', 0), + (42330, 3, 28, 'Bottines trouées fuchsia', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"fuchsia"}', 0), + (42331, 3, 28, 'Bottines trouées lime', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"lime"}', 0), + (42332, 3, 28, 'Bottines trouées bleu', 50, '{"components":{"6":{"Drawable":8,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottines trouées","colorLabel":"bleu"}', 0), + (42333, 3, 28, 'Bottes montantes noir', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"noir"}', 0), + (42334, 3, 28, 'Bottes montantes crème', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"crème"}', 0), + (42335, 3, 28, 'Bottes montantes brun', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"brun"}', 0), + (42336, 3, 28, 'Bottes montantes gris', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"gris"}', 0), + (42337, 3, 28, 'Bottes montantes blanc', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"blanc"}', 0), + (42338, 3, 28, 'Bottes montantes camo vert', 50, '{"components":{"6":{"Drawable":9,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"camo vert"}', 0), + (42339, 1, 29, 'Baskets à bulles noir', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"noir"}', 0), + (42340, 1, 29, 'Baskets à bulles perle', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"perle"}', 0), + (42341, 1, 29, 'Baskets à bulles acier', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"acier"}', 0), + (42342, 1, 29, 'Baskets à bulles gris', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"gris"}', 0), + (42343, 2, 29, 'Baskets à bulles noir', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"noir"}', 0), + (42344, 2, 29, 'Baskets à bulles perle', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"perle"}', 0), + (42345, 2, 29, 'Baskets à bulles acier', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"acier"}', 0), + (42346, 2, 29, 'Baskets à bulles gris', 50, '{"components":{"6":{"Drawable":10,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à bulles","colorLabel":"gris"}', 0), + (42347, 1, 29, 'Baskets montantes violet', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"violet"}', 0), + (42348, 1, 29, 'Baskets montantes noir-rose', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"noir-rose"}', 0), + (42349, 1, 29, 'Baskets montantes blanc-noir', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"blanc-noir"}', 0), + (42350, 1, 29, 'Baskets montantes rouge-noir', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"rouge-noir"}', 0), + (42351, 2, 29, 'Baskets montantes violet', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"violet"}', 0), + (42352, 2, 29, 'Baskets montantes noir-rose', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"noir-rose"}', 0), + (42353, 2, 29, 'Baskets montantes blanc-noir', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"blanc-noir"}', 0), + (42354, 2, 29, 'Baskets montantes rouge-noir', 50, '{"components":{"6":{"Drawable":11,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"rouge-noir"}', 0), + (42355, 3, 30, 'Ballerines noir', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"noir"}', 0), + (42356, 3, 30, 'Ballerines noir-doré', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"noir-doré"}', 0), + (42357, 3, 30, 'Ballerines brun', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"brun"}', 0), + (42358, 3, 30, 'Ballerines rose pâle', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"rose pâle"}', 0), + (42359, 3, 30, 'Ballerines jaune pâle', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"jaune pâle"}', 0), + (42360, 3, 30, 'Ballerines blanc-noir', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"blanc-noir"}', 0), + (42361, 3, 30, 'Ballerines blanc-orange', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"blanc-orange"}', 0), + (42362, 3, 30, 'Ballerines rose', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"rose"}', 0), + (42363, 3, 30, 'Ballerines rouge-doré', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"rouge-doré"}', 0), + (42364, 3, 30, 'Ballerines léopard', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"léopard"}', 0), + (42365, 3, 30, 'Ballerines menthe', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"menthe"}', 0), + (42366, 3, 30, 'Ballerines bleu', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"bleu"}', 0), + (42367, 3, 30, 'Ballerines gris', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"gris"}', 0), + (42368, 3, 30, 'Ballerines violet', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"violet"}', 0), + (42369, 3, 30, 'Ballerines marron', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"marron"}', 0), + (42370, 3, 30, 'Ballerines citron', 50, '{"components":{"6":{"Drawable":13,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Ballerines","colorLabel":"citron"}', 0), + (42371, 3, 26, 'Sandales à talon noir', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"noir"}', 0), + (42372, 3, 26, 'Sandales à talon noir-doré', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"noir-doré"}', 0), + (42373, 3, 26, 'Sandales à talon brun', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"brun"}', 0), + (42374, 3, 26, 'Sandales à talon gris', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"gris"}', 0), + (42375, 3, 26, 'Sandales à talon jaune', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"jaune"}', 0), + (42376, 3, 26, 'Sandales à talon bleu', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"bleu"}', 0), + (42377, 3, 26, 'Sandales à talon violet', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"violet"}', 0), + (42378, 3, 26, 'Sandales à talon marine', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"marine"}', 0), + (42379, 3, 26, 'Sandales à talon léopard beige', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"léopard beige"}', 0), + (42380, 3, 26, 'Sandales à talon zèbre', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"zèbre"}', 0), + (42381, 3, 26, 'Sandales à talon turquoise', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"turquoise"}', 0), + (42382, 3, 26, 'Sandales à talon ciel', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"ciel"}', 0), + (42383, 3, 26, 'Sandales à talon fuchsia', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"fuchsia"}', 0), + (42384, 3, 26, 'Sandales à talon vert', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"vert"}', 0), + (42385, 3, 26, 'Sandales à talon rose', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"rose"}', 0), + (42386, 3, 26, 'Sandales à talon rouge', 50, '{"components":{"6":{"Drawable":14,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Sandales à talon","colorLabel":"rouge"}', 0), + (42387, 1, 26, 'Sandales plates anthracite', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"anthracite"}', 0), + (42388, 1, 26, 'Sandales plates beige', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"beige"}', 0), + (42389, 1, 26, 'Sandales plates turquoise', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"turquoise"}', 0), + (42390, 1, 26, 'Sandales plates jaune', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"jaune"}', 0), + (42391, 1, 26, 'Sandales plates crème', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"crème"}', 0), + (42392, 1, 26, 'Sandales plates rose', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"rose"}', 0), + (42393, 1, 26, 'Sandales plates rouge', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"rouge"}', 0), + (42394, 1, 26, 'Sandales plates ciel', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"ciel"}', 0), + (42395, 1, 26, 'Sandales plates bleu', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"bleu"}', 0), + (42396, 1, 26, 'Sandales plates ocre', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"ocre"}', 0), + (42397, 1, 26, 'Sandales plates gris', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"gris"}', 0), + (42398, 1, 26, 'Sandales plates violet', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"violet"}', 0), + (42399, 1, 26, 'Sandales plates noir', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"noir"}', 0), + (42400, 1, 26, 'Sandales plates prune', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"prune"}', 0), + (42401, 1, 26, 'Sandales plates blanc', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"blanc"}', 0), + (42402, 1, 26, 'Sandales plates sable', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"sable"}', 0), + (42403, 2, 26, 'Sandales plates anthracite', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"anthracite"}', 0), + (42404, 2, 26, 'Sandales plates beige', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"beige"}', 0), + (42405, 2, 26, 'Sandales plates turquoise', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"turquoise"}', 0), + (42406, 2, 26, 'Sandales plates jaune', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"jaune"}', 0), + (42407, 2, 26, 'Sandales plates crème', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"crème"}', 0), + (42408, 2, 26, 'Sandales plates rose', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"rose"}', 0), + (42409, 2, 26, 'Sandales plates rouge', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"rouge"}', 0), + (42410, 2, 26, 'Sandales plates ciel', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"ciel"}', 0), + (42411, 2, 26, 'Sandales plates bleu', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"bleu"}', 0), + (42412, 2, 26, 'Sandales plates ocre', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"ocre"}', 0), + (42413, 2, 26, 'Sandales plates gris', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"gris"}', 0), + (42414, 2, 26, 'Sandales plates violet', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"violet"}', 0), + (42415, 2, 26, 'Sandales plates noir', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"noir"}', 0), + (42416, 2, 26, 'Sandales plates prune', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"prune"}', 0), + (42417, 2, 26, 'Sandales plates blanc', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"blanc"}', 0), + (42418, 2, 26, 'Sandales plates sable', 50, '{"components":{"6":{"Drawable":15,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Sandales plates","colorLabel":"sable"}', 0), + (42419, 3, 26, 'Tongs fines anthracite', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"anthracite"}', 0), + (42420, 3, 26, 'Tongs fines beige', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"beige"}', 0), + (42421, 3, 26, 'Tongs fines bleu', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"bleu"}', 0), + (42422, 3, 26, 'Tongs fines marron', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"marron"}', 0), + (42423, 3, 26, 'Tongs fines rouge', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"rouge"}', 0), + (42424, 3, 26, 'Tongs fines vert', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"vert"}', 0), + (42425, 3, 26, 'Tongs fines camo kaki', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"camo kaki"}', 0), + (42426, 3, 26, 'Tongs fines jaune', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"jaune"}', 0), + (42427, 3, 26, 'Tongs fines prune', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"prune"}', 0), + (42428, 3, 26, 'Tongs fines rose', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"rose"}', 0), + (42429, 3, 26, 'Tongs fines marine', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"marine"}', 0), + (42430, 3, 26, 'Tongs fines orange', 50, '{"components":{"6":{"Drawable":16,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Tongs fines","colorLabel":"orange"}', 0), + (42431, 1, 31, 'Chaussures de lutin vert', 50, '{"components":{"6":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de lutin","colorLabel":"vert"}', 0), + (42432, 2, 31, 'Chaussures de lutin vert', 50, '{"components":{"6":{"Drawable":17,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de lutin","colorLabel":"vert"}', 0), + (42433, 3, 27, 'Escarpins avec collant anthracite-blanc', 50, '{"components":{"6":{"Drawable":18,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"anthracite-blanc"}', 0), + (42434, 3, 27, 'Escarpins avec collant noir-rouge', 50, '{"components":{"6":{"Drawable":18,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"noir-rouge"}', 0), + (42435, 3, 27, 'Escarpins avec collant framboise-noir', 50, '{"components":{"6":{"Drawable":18,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"framboise-noir"}', 0), + (42436, 3, 27, 'Escarpins à plateforme beige', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"beige"}', 0), + (42437, 3, 27, 'Escarpins à plateforme turquoise', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"turquoise"}', 0), + (42438, 3, 27, 'Escarpins à plateforme marron', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"marron"}', 0), + (42439, 3, 27, 'Escarpins à plateforme noir-rouge', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"noir-rouge"}', 0), + (42440, 3, 27, 'Escarpins à plateforme noir-rose', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"noir-rose"}', 0), + (42441, 3, 27, 'Escarpins à plateforme léopard', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"léopard"}', 0), + (42442, 3, 27, 'Escarpins à plateforme rouge', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"rouge"}', 0), + (42443, 3, 27, 'Escarpins à plateforme pêche', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"pêche"}', 0), + (42444, 3, 27, 'Escarpins à plateforme corail', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"corail"}', 0), + (42445, 3, 27, 'Escarpins à plateforme blanc-noir', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"blanc-noir"}', 0), + (42446, 3, 27, 'Escarpins à plateforme rose pâle', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"rose pâle"}', 0), + (42447, 3, 27, 'Escarpins à plateforme bleu', 50, '{"components":{"6":{"Drawable":19,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Escarpins à plateforme","colorLabel":"bleu"}', 0), + (42448, 3, 27, 'Escarpins pointus léopard fauve', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"léopard fauve"}', 0), + (42449, 3, 27, 'Escarpins pointus taupe', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"taupe"}', 0), + (42450, 3, 27, 'Escarpins pointus carmin', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"carmin"}', 0), + (42451, 3, 27, 'Escarpins pointus gris', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"gris"}', 0), + (42452, 3, 27, 'Escarpins pointus rouge', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"rouge"}', 0), + (42453, 3, 27, 'Escarpins pointus léopard rose', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"léopard rose"}', 0), + (42454, 3, 27, 'Escarpins pointus bleu', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"bleu"}', 0), + (42455, 3, 27, 'Escarpins pointus bleu clair', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"bleu clair"}', 0), + (42456, 3, 27, 'Escarpins pointus rose', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"rose"}', 0), + (42457, 3, 27, 'Escarpins pointus jaune', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"jaune"}', 0), + (42458, 3, 27, 'Escarpins pointus blanc-rouge', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"blanc-rouge"}', 0), + (42459, 3, 27, 'Escarpins pointus zèbre', 50, '{"components":{"6":{"Drawable":20,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Escarpins pointus","colorLabel":"zèbre"}', 0), + (42460, 3, 28, 'Bottes montantes ocre', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"ocre"}', 0), + (42461, 3, 28, 'Bottes montantes marron', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"marron"}', 0), + (42462, 3, 28, 'Bottes montantes violet', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"violet"}', 0), + (42463, 3, 28, 'Bottes montantes bordeaux', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"bordeaux"}', 0), + (42464, 3, 28, 'Bottes montantes bleu', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"bleu"}', 0), + (42465, 3, 28, 'Bottes montantes marine', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"marine"}', 0), + (42466, 3, 28, 'Bottes montantes chocolat', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"chocolat"}', 0), + (42467, 3, 28, 'Bottes montantes noir-brun', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"noir-brun"}', 0), + (42468, 3, 28, 'Bottes montantes noir-violet', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"noir-violet"}', 0), + (42469, 3, 28, 'Bottes montantes noir-gris', 50, '{"components":{"6":{"Drawable":21,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes montantes","colorLabel":"noir-gris"}', 0), + (42470, 3, 28, 'Bottines à talon taupe', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"taupe"}', 0), + (42471, 3, 28, 'Bottines à talon noir', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"noir"}', 0), + (42472, 3, 28, 'Bottines à talon marron', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"marron"}', 0), + (42473, 3, 28, 'Bottines à talon blanc', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"blanc"}', 0), + (42474, 3, 28, 'Bottines à talon gris', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"gris"}', 0), + (42475, 3, 28, 'Bottines à talon anthracite', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"anthracite"}', 0), + (42476, 3, 28, 'Bottines à talon vert', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"vert"}', 0), + (42477, 3, 28, 'Bottines à talon bleu', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"bleu"}', 0), + (42478, 3, 28, 'Bottines à talon brun', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"brun"}', 0), + (42479, 3, 28, 'Bottines à talon noir-rouge', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"noir-rouge"}', 0), + (42480, 3, 28, 'Bottines à talon noir-brun', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"noir-brun"}', 0), + (42481, 3, 28, 'Bottines à talon gris-rose', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"gris-rose"}', 0), + (42482, 3, 28, 'Bottines à talon violet', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"violet"}', 0), + (42483, 3, 28, 'Bottines à talon cuir', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"cuir"}', 0), + (42484, 3, 28, 'Bottines à talon noir-léopard', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"noir-léopard"}', 0), + (42485, 3, 28, 'Bottines à talon points dorés', 50, '{"components":{"6":{"Drawable":22,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottines à talon","colorLabel":"points dorés"}', 0), + (42486, 3, 27, 'Talons à boucle bleu', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Talons à boucle","colorLabel":"bleu"}', 0), + (42487, 3, 27, 'Talons à boucle rouge', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Talons à boucle","colorLabel":"rouge"}', 0), + (42488, 3, 27, 'Talons à boucle blanc', 50, '{"components":{"6":{"Drawable":23,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Talons à boucle","colorLabel":"blanc"}', 0), + (42489, 1, 28, 'Rangers noir', 50, '{"components":{"6":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Rangers","colorLabel":"noir"}', 0), + (42490, 2, 28, 'Rangers noir', 50, '{"components":{"6":{"Drawable":24,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Rangers","colorLabel":"noir"}', 0), + (42491, 1, 28, 'Boots militaires noir', 50, '{"components":{"6":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots militaires","colorLabel":"noir"}', 0), + (42492, 2, 28, 'Boots militaires noir', 50, '{"components":{"6":{"Drawable":25,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots militaires","colorLabel":"noir"}', 0), + (42493, 1, 28, 'Rangers usé', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Rangers","colorLabel":"usé"}', 0), + (42494, 2, 28, 'Rangers usé', 50, '{"components":{"6":{"Drawable":26,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Rangers","colorLabel":"usé"}', 0), + (42495, 1, 29, 'Baskets de ville noir', 50, '{"components":{"6":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"noir"}', 0), + (42496, 2, 29, 'Baskets de ville noir', 50, '{"components":{"6":{"Drawable":27,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de ville","colorLabel":"noir"}', 0), + (42497, 1, 29, 'Baskets de marque noir intégral', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"noir intégral"}', 0), + (42498, 2, 29, 'Baskets de marque noir intégral', 50, '{"components":{"6":{"Drawable":28,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de marque","colorLabel":"noir intégral"}', 0), + (42499, 3, 30, 'Derby noir', 50, '{"components":{"6":{"Drawable":29,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Derby","colorLabel":"noir"}', 0), + (42500, 3, 30, 'Derby blanc', 50, '{"components":{"6":{"Drawable":29,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Derby","colorLabel":"blanc"}', 0), + (42501, 3, 30, 'Derby marron', 50, '{"components":{"6":{"Drawable":29,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Derby","colorLabel":"marron"}', 0), + (42502, 3, 28, 'Bottines à boucle anthracite', 50, '{"components":{"6":{"Drawable":30,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines à boucle","colorLabel":"anthracite"}', 0), + (42503, 1, 29, 'Baskets montantes doré', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"doré"}', 0), + (42504, 2, 29, 'Baskets montantes doré', 50, '{"components":{"6":{"Drawable":31,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"doré"}', 0), + (42505, 1, 29, 'Baskets de course blanc-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"blanc-jaune"}', 0), + (42506, 1, 29, 'Baskets de course noir-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"noir-jaune"}', 0), + (42507, 1, 29, 'Baskets de course gris', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"gris"}', 0), + (42508, 1, 29, 'Baskets de course jaune-noir', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"jaune-noir"}', 0), + (42509, 1, 29, 'Baskets de course jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"jaune"}', 0), + (42510, 2, 29, 'Baskets de course blanc-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"blanc-jaune"}', 0), + (42511, 2, 29, 'Baskets de course noir-jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"noir-jaune"}', 0), + (42512, 2, 29, 'Baskets de course gris', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"gris"}', 0), + (42513, 2, 29, 'Baskets de course jaune-noir', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"jaune-noir"}', 0), + (42514, 2, 29, 'Baskets de course jaune', 50, '{"components":{"6":{"Drawable":32,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de course","colorLabel":"jaune"}', 0), + (42515, 1, 30, 'Gumshoes basses avec guêtres jaune', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"jaune"}', 0), + (42516, 1, 30, 'Gumshoes basses avec guêtres anthracite', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"anthracite"}', 0), + (42517, 1, 30, 'Gumshoes basses avec guêtres gris', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"gris"}', 0), + (42518, 1, 30, 'Gumshoes basses avec guêtres blanc', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"blanc"}', 0), + (42519, 1, 30, 'Gumshoes basses avec guêtres rouge', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"rouge"}', 0), + (42520, 1, 30, 'Gumshoes basses avec guêtres bleu', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"bleu"}', 0), + (42521, 1, 30, 'Gumshoes basses avec guêtres vert', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"vert"}', 0), + (42522, 1, 30, 'Gumshoes basses avec guêtres taupe', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"taupe"}', 0), + (42523, 2, 30, 'Gumshoes basses avec guêtres jaune', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"jaune"}', 0), + (42524, 2, 30, 'Gumshoes basses avec guêtres anthracite', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"anthracite"}', 0), + (42525, 2, 30, 'Gumshoes basses avec guêtres gris', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"gris"}', 0), + (42526, 2, 30, 'Gumshoes basses avec guêtres blanc', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"blanc"}', 0), + (42527, 2, 30, 'Gumshoes basses avec guêtres rouge', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"rouge"}', 0), + (42528, 2, 30, 'Gumshoes basses avec guêtres bleu', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"bleu"}', 0), + (42529, 2, 30, 'Gumshoes basses avec guêtres vert', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"vert"}', 0), + (42530, 2, 30, 'Gumshoes basses avec guêtres taupe', 50, '{"components":{"6":{"Drawable":33,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Gumshoes basses avec guêtres","colorLabel":"taupe"}', 0), + (42531, 1, 28, 'Boots militaires beige', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots militaires","colorLabel":"beige"}', 0), + (42532, 1, 28, 'Boots militaires vert', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots militaires","colorLabel":"vert"}', 0), + (42533, 2, 28, 'Boots militaires beige', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots militaires","colorLabel":"beige"}', 0), + (42534, 2, 28, 'Boots militaires vert', 50, '{"components":{"6":{"Drawable":36,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots militaires","colorLabel":"vert"}', 0), + (42535, 3, 30, 'Mocassins marron', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mocassins","colorLabel":"marron"}', 0), + (42536, 3, 30, 'Mocassins fauve', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mocassins","colorLabel":"fauve"}', 0), + (42537, 3, 30, 'Mocassins chocolat', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mocassins","colorLabel":"chocolat"}', 0), + (42538, 3, 30, 'Mocassins noir', 50, '{"components":{"6":{"Drawable":37,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mocassins","colorLabel":"noir"}', 0), + (42539, 1, 31, 'Santiags noir', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"noir"}', 0), + (42540, 1, 31, 'Santiags brun', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"brun"}', 0), + (42541, 1, 31, 'Santiags crème', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"crème"}', 0), + (42542, 1, 31, 'Santiags marron', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"marron"}', 0), + (42543, 1, 31, 'Santiags noir-rouge', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"noir-rouge"}', 0), + (42544, 2, 31, 'Santiags noir', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"noir"}', 0), + (42545, 2, 31, 'Santiags brun', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"brun"}', 0), + (42546, 2, 31, 'Santiags crème', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"crème"}', 0), + (42547, 2, 31, 'Santiags marron', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"marron"}', 0), + (42548, 2, 31, 'Santiags noir-rouge', 50, '{"components":{"6":{"Drawable":38,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"noir-rouge"}', 0), + (42549, 1, 31, 'Santiags (basses) noir', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"noir"}', 0), + (42550, 1, 31, 'Santiags (basses) brun', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"brun"}', 0), + (42551, 1, 31, 'Santiags (basses) crème', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"crème"}', 0), + (42552, 1, 31, 'Santiags (basses) marron', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"marron"}', 0), + (42553, 1, 31, 'Santiags (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"noir-rouge"}', 0), + (42554, 2, 31, 'Santiags (basses) noir', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"noir"}', 0), + (42555, 2, 31, 'Santiags (basses) brun', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"brun"}', 0), + (42556, 2, 31, 'Santiags (basses) crème', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"crème"}', 0), + (42557, 2, 31, 'Santiags (basses) marron', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"marron"}', 0), + (42558, 2, 31, 'Santiags (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":39,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"noir-rouge"}', 0), + (42559, 3, 27, 'Escarpins avec collant crème-noir', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"crème-noir"}', 0), + (42560, 3, 27, 'Escarpins avec collant violet-blanc', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"violet-blanc"}', 0), + (42561, 3, 27, 'Escarpins avec collant noir-noir', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"noir-noir"}', 0), + (42562, 3, 27, 'Escarpins avec collant bleu-noir', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"bleu-noir"}', 0), + (42563, 3, 27, 'Escarpins avec collant rouge-noir', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"rouge-noir"}', 0), + (42564, 3, 27, 'Escarpins avec collant rose-coeurs', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"rose-coeurs"}', 0), + (42565, 3, 27, 'Escarpins avec collant pêche-noir', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"pêche-noir"}', 0), + (42566, 3, 27, 'Escarpins avec collant bordeaux-rouge', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"bordeaux-rouge"}', 0), + (42567, 3, 27, 'Escarpins avec collant lavande-rayures', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"lavande-rayures"}', 0), + (42568, 3, 27, 'Escarpins avec collant beige-rayures', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"beige-rayures"}', 0), + (42569, 3, 27, 'Escarpins avec collant léopard-noir', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"léopard-noir"}', 0), + (42570, 3, 27, 'Escarpins avec collant fraise-rayures', 50, '{"components":{"6":{"Drawable":41,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Escarpins avec collant","colorLabel":"fraise-rayures"}', 0), + (42571, 3, 27, 'Escarpins crème', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"crème"}', 0), + (42572, 3, 27, 'Escarpins violet', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"violet"}', 0), + (42573, 3, 27, 'Escarpins noir', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"noir"}', 0), + (42574, 3, 27, 'Escarpins bleu', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"bleu"}', 0), + (42575, 3, 27, 'Escarpins rouge', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"rouge"}', 0), + (42576, 3, 27, 'Escarpins rose', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"rose"}', 0), + (42577, 3, 27, 'Escarpins pêche-noir', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"pêche-noir"}', 0), + (42578, 3, 27, 'Escarpins bordeaux', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"bordeaux"}', 0), + (42579, 3, 27, 'Escarpins lavande', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"lavande"}', 0), + (42580, 3, 27, 'Escarpins beige', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"beige"}', 0), + (42581, 3, 27, 'Escarpins léopard', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"léopard"}', 0), + (42582, 3, 27, 'Escarpins fraise', 50, '{"components":{"6":{"Drawable":42,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Escarpins","colorLabel":"fraise"}', 0), + (42583, 3, 27, 'Chassures compensées jaune', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"jaune"}', 0), + (42584, 3, 27, 'Chassures compensées noir', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"noir"}', 0), + (42585, 3, 27, 'Chassures compensées gris', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"gris"}', 0), + (42586, 3, 27, 'Chassures compensées perle', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"perle"}', 0), + (42587, 3, 27, 'Chassures compensées rouge', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"rouge"}', 0), + (42588, 3, 27, 'Chassures compensées bleu', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"bleu"}', 0), + (42589, 3, 27, 'Chassures compensées vert', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"vert"}', 0), + (42590, 3, 27, 'Chassures compensées taupe', 50, '{"components":{"6":{"Drawable":43,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chassures compensées","colorLabel":"taupe"}', 0), + (42591, 3, 27, 'Chaussures lolita jaune', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"jaune"}', 0), + (42592, 3, 27, 'Chaussures lolita noir', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"noir"}', 0), + (42593, 3, 27, 'Chaussures lolita gris', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"gris"}', 0), + (42594, 3, 27, 'Chaussures lolita perle', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"perle"}', 0), + (42595, 3, 27, 'Chaussures lolita rouge', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"rouge"}', 0), + (42596, 3, 27, 'Chaussures lolita bleu', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"bleu"}', 0), + (42597, 3, 27, 'Chaussures lolita vert', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"vert"}', 0), + (42598, 3, 27, 'Chaussures lolita taupe', 50, '{"components":{"6":{"Drawable":44,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures lolita","colorLabel":"taupe"}', 0), + (42599, 1, 31, 'Santiags bleu clair', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"bleu clair"}', 0), + (42600, 1, 31, 'Santiags rose', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"rose"}', 0), + (42601, 1, 31, 'Santiags blanc-rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"blanc-rouge"}', 0), + (42602, 1, 31, 'Santiags rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"rouge"}', 0), + (42603, 1, 31, 'Santiags bordeaux', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"bordeaux"}', 0), + (42604, 1, 31, 'Santiags carmin', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"carmin"}', 0), + (42605, 1, 31, 'Santiags vert', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"vert"}', 0), + (42606, 1, 31, 'Santiags violet', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"violet"}', 0), + (42607, 1, 31, 'Santiags ocre', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"ocre"}', 0), + (42608, 1, 31, 'Santiags marine', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"marine"}', 0), + (42609, 1, 31, 'Santiags pêche', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"pêche"}', 0), + (42610, 2, 31, 'Santiags bleu clair', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"bleu clair"}', 0), + (42611, 2, 31, 'Santiags rose', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"rose"}', 0), + (42612, 2, 31, 'Santiags blanc-rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"blanc-rouge"}', 0), + (42613, 2, 31, 'Santiags rouge', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"rouge"}', 0), + (42614, 2, 31, 'Santiags bordeaux', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"bordeaux"}', 0), + (42615, 2, 31, 'Santiags carmin', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"carmin"}', 0), + (42616, 2, 31, 'Santiags vert', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"vert"}', 0), + (42617, 2, 31, 'Santiags violet', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"violet"}', 0), + (42618, 2, 31, 'Santiags ocre', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"ocre"}', 0), + (42619, 2, 31, 'Santiags marine', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"marine"}', 0), + (42620, 2, 31, 'Santiags pêche', 50, '{"components":{"6":{"Drawable":45,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Santiags","colorLabel":"pêche"}', 0), + (42621, 1, 31, 'Santiags (basses) bleu clair', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"bleu clair"}', 0), + (42622, 1, 31, 'Santiags (basses) rose', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"rose"}', 0), + (42623, 1, 31, 'Santiags (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"blanc-rouge"}', 0), + (42624, 1, 31, 'Santiags (basses) rouge', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"rouge"}', 0), + (42625, 1, 31, 'Santiags (basses) bordeaux', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"bordeaux"}', 0), + (42626, 1, 31, 'Santiags (basses) carmin', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"carmin"}', 0), + (42627, 1, 31, 'Santiags (basses) vert', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"vert"}', 0), + (42628, 1, 31, 'Santiags (basses) violet', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"violet"}', 0), + (42629, 1, 31, 'Santiags (basses) ocre', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"ocre"}', 0), + (42630, 1, 31, 'Santiags (basses) marine', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"marine"}', 0), + (42631, 1, 31, 'Santiags (basses) pêche', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"pêche"}', 0), + (42632, 2, 31, 'Santiags (basses) bleu clair', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"bleu clair"}', 0), + (42633, 2, 31, 'Santiags (basses) rose', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"rose"}', 0), + (42634, 2, 31, 'Santiags (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"blanc-rouge"}', 0), + (42635, 2, 31, 'Santiags (basses) rouge', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"rouge"}', 0), + (42636, 2, 31, 'Santiags (basses) bordeaux', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"bordeaux"}', 0), + (42637, 2, 31, 'Santiags (basses) carmin', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"carmin"}', 0), + (42638, 2, 31, 'Santiags (basses) vert', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"vert"}', 0), + (42639, 2, 31, 'Santiags (basses) violet', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"violet"}', 0), + (42640, 2, 31, 'Santiags (basses) ocre', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"ocre"}', 0), + (42641, 2, 31, 'Santiags (basses) marine', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"marine"}', 0), + (42642, 2, 31, 'Santiags (basses) pêche', 50, '{"components":{"6":{"Drawable":46,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Santiags (basses)","colorLabel":"pêche"}', 0), + (42643, 1, 29, 'Baskets de sport montantes marine', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"marine"}', 0), + (42644, 1, 29, 'Baskets de sport montantes gris', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"gris"}', 0), + (42645, 1, 29, 'Baskets de sport montantes rouge', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"rouge"}', 0), + (42646, 1, 29, 'Baskets de sport montantes noir', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir"}', 0), + (42647, 1, 29, 'Baskets de sport montantes vert', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"vert"}', 0), + (42648, 1, 29, 'Baskets de sport montantes acier', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"acier"}', 0), + (42649, 1, 29, 'Baskets de sport montantes prairie', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"prairie"}', 0), + (42650, 1, 29, 'Baskets de sport montantes abricot', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"abricot"}', 0), + (42651, 1, 29, 'Baskets de sport montantes violet', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"violet"}', 0), + (42652, 1, 29, 'Baskets de sport montantes rose', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"rose"}', 0), + (42653, 2, 29, 'Baskets de sport montantes marine', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"marine"}', 0), + (42654, 2, 29, 'Baskets de sport montantes gris', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"gris"}', 0), + (42655, 2, 29, 'Baskets de sport montantes rouge', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"rouge"}', 0), + (42656, 2, 29, 'Baskets de sport montantes noir', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir"}', 0), + (42657, 2, 29, 'Baskets de sport montantes vert', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"vert"}', 0), + (42658, 2, 29, 'Baskets de sport montantes acier', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"acier"}', 0), + (42659, 2, 29, 'Baskets de sport montantes prairie', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"prairie"}', 0), + (42660, 2, 29, 'Baskets de sport montantes abricot', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"abricot"}', 0), + (42661, 2, 29, 'Baskets de sport montantes violet', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"violet"}', 0), + (42662, 2, 29, 'Baskets de sport montantes rose', 50, '{"components":{"6":{"Drawable":47,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"rose"}', 0), + (42663, 1, 32, 'Chaussures de ski vert', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"vert"}', 0), + (42664, 1, 32, 'Chaussures de ski rouge', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"rouge"}', 0), + (42665, 1, 32, 'Chaussures de ski blanc', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"blanc"}', 0), + (42666, 1, 32, 'Chaussures de ski noir', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"noir"}', 0), + (42667, 1, 32, 'Chaussures de ski bleu', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"bleu"}', 0), + (42668, 1, 32, 'Chaussures de ski jaune', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"jaune"}', 0), + (42669, 1, 32, 'Chaussures de ski pêche', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"pêche"}', 0), + (42670, 1, 32, 'Chaussures de ski gris', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"gris"}', 0), + (42671, 1, 32, 'Chaussures de ski prairie', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"prairie"}', 0), + (42672, 1, 32, 'Chaussures de ski abricot', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"abricot"}', 0), + (42673, 1, 32, 'Chaussures de ski violet', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"violet"}', 0), + (42674, 1, 32, 'Chaussures de ski rose', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"rose"}', 0), + (42675, 2, 32, 'Chaussures de ski vert', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"vert"}', 0), + (42676, 2, 32, 'Chaussures de ski rouge', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"rouge"}', 0), + (42677, 2, 32, 'Chaussures de ski blanc', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"blanc"}', 0), + (42678, 2, 32, 'Chaussures de ski noir', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"noir"}', 0), + (42679, 2, 32, 'Chaussures de ski bleu', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"bleu"}', 0), + (42680, 2, 32, 'Chaussures de ski jaune', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"jaune"}', 0), + (42681, 2, 32, 'Chaussures de ski pêche', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"pêche"}', 0), + (42682, 2, 32, 'Chaussures de ski gris', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"gris"}', 0), + (42683, 2, 32, 'Chaussures de ski prairie', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"prairie"}', 0), + (42684, 2, 32, 'Chaussures de ski abricot', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"abricot"}', 0), + (42685, 2, 32, 'Chaussures de ski violet', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"violet"}', 0), + (42686, 2, 32, 'Chaussures de ski rose', 50, '{"components":{"6":{"Drawable":48,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures de ski","colorLabel":"rose"}', 0), + (42687, 1, 30, 'Gumshoes montantes noir', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"noir"}', 0), + (42688, 1, 30, 'Gumshoes montantes rose', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"rose"}', 0), + (42689, 2, 30, 'Gumshoes montantes noir', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"noir"}', 0), + (42690, 2, 30, 'Gumshoes montantes rose', 50, '{"components":{"6":{"Drawable":49,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"rose"}', 0), + (42691, 1, 30, 'Gumshoes montantes jaune', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"jaune"}', 0), + (42692, 1, 30, 'Gumshoes montantes gris', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"gris"}', 0), + (42693, 2, 30, 'Gumshoes montantes jaune', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"jaune"}', 0), + (42694, 2, 30, 'Gumshoes montantes gris', 50, '{"components":{"6":{"Drawable":50,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Gumshoes montantes","colorLabel":"gris"}', 0), + (42695, 1, 28, 'Boots en cuir fermées noir', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"noir"}', 0), + (42696, 1, 28, 'Boots en cuir fermées rouge', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge"}', 0), + (42697, 1, 28, 'Boots en cuir fermées café', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"café"}', 0), + (42698, 1, 28, 'Boots en cuir fermées noir usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"noir usé"}', 0), + (42699, 1, 28, 'Boots en cuir fermées rouge usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge usé"}', 0), + (42700, 1, 28, 'Boots en cuir fermées café usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"café usé"}', 0), + (42701, 2, 28, 'Boots en cuir fermées noir', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"noir"}', 0), + (42702, 2, 28, 'Boots en cuir fermées rouge', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge"}', 0), + (42703, 2, 28, 'Boots en cuir fermées café', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"café"}', 0), + (42704, 2, 28, 'Boots en cuir fermées noir usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"noir usé"}', 0), + (42705, 2, 28, 'Boots en cuir fermées rouge usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"rouge usé"}', 0), + (42706, 2, 28, 'Boots en cuir fermées café usé', 50, '{"components":{"6":{"Drawable":51,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"café usé"}', 0), + (42707, 1, 28, 'Boots en cuir fermées (basses) noir', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"noir"}', 0), + (42708, 1, 28, 'Boots en cuir fermées (basses) rouge', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge"}', 0), + (42709, 1, 28, 'Boots en cuir fermées (basses) café', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café"}', 0), + (42710, 1, 28, 'Boots en cuir fermées (basses) noir usé', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"noir usé"}', 0), + (42711, 1, 28, 'Boots en cuir fermées (basses) rouge usé', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge usé"}', 0), + (42712, 1, 28, 'Boots en cuir fermées (basses) café usé', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café usé"}', 0), + (42713, 2, 28, 'Boots en cuir fermées (basses) noir', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"noir"}', 0), + (42714, 2, 28, 'Boots en cuir fermées (basses) rouge', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge"}', 0), + (42715, 2, 28, 'Boots en cuir fermées (basses) café', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café"}', 0), + (42716, 2, 28, 'Boots en cuir fermées (basses) noir usé', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"noir usé"}', 0), + (42717, 2, 28, 'Boots en cuir fermées (basses) rouge usé', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"rouge usé"}', 0), + (42718, 2, 28, 'Boots en cuir fermées (basses) café usé', 50, '{"components":{"6":{"Drawable":52,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"café usé"}', 0), + (42719, 3, 28, 'Boots à sangle brun', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots à sangle","colorLabel":"brun"}', 0), + (42720, 3, 28, 'Boots à sangle noir', 50, '{"components":{"6":{"Drawable":53,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots à sangle","colorLabel":"noir"}', 0), + (42721, 1, 28, 'Boots en cuir ouvertes noir', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"noir"}', 0), + (42722, 1, 28, 'Boots en cuir ouvertes rouge', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge"}', 0), + (42723, 1, 28, 'Boots en cuir ouvertes café', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café"}', 0), + (42724, 1, 28, 'Boots en cuir ouvertes anthracite usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"anthracite usé"}', 0), + (42725, 1, 28, 'Boots en cuir ouvertes rouge usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge usé"}', 0), + (42726, 1, 28, 'Boots en cuir ouvertes café usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café usé"}', 0), + (42727, 2, 28, 'Boots en cuir ouvertes noir', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"noir"}', 0), + (42728, 2, 28, 'Boots en cuir ouvertes rouge', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge"}', 0), + (42729, 2, 28, 'Boots en cuir ouvertes café', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café"}', 0), + (42730, 2, 28, 'Boots en cuir ouvertes anthracite usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"anthracite usé"}', 0), + (42731, 2, 28, 'Boots en cuir ouvertes rouge usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"rouge usé"}', 0), + (42732, 2, 28, 'Boots en cuir ouvertes café usé', 50, '{"components":{"6":{"Drawable":54,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes","colorLabel":"café usé"}', 0), + (42733, 1, 28, 'Boots en cuir ouvertes (basses) noir', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"noir"}', 0), + (42734, 1, 28, 'Boots en cuir ouvertes (basses) rouge', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge"}', 0), + (42735, 1, 28, 'Boots en cuir ouvertes (basses) café', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café"}', 0), + (42736, 1, 28, 'Boots en cuir ouvertes (basses) anthracite usé', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"anthracite usé"}', 0), + (42737, 1, 28, 'Boots en cuir ouvertes (basses) rouge usé', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge usé"}', 0), + (42738, 1, 28, 'Boots en cuir ouvertes (basses) café usé', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café usé"}', 0), + (42739, 2, 28, 'Boots en cuir ouvertes (basses) noir', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"noir"}', 0), + (42740, 2, 28, 'Boots en cuir ouvertes (basses) rouge', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge"}', 0), + (42741, 2, 28, 'Boots en cuir ouvertes (basses) café', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café"}', 0), + (42742, 2, 28, 'Boots en cuir ouvertes (basses) anthracite usé', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"anthracite usé"}', 0), + (42743, 2, 28, 'Boots en cuir ouvertes (basses) rouge usé', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"rouge usé"}', 0), + (42744, 2, 28, 'Boots en cuir ouvertes (basses) café usé', 50, '{"components":{"6":{"Drawable":55,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots en cuir ouvertes (basses)","colorLabel":"café usé"}', 0), + (42745, 3, 28, 'Bottes genou à sangle noir', 50, '{"components":{"6":{"Drawable":56,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes genou à sangle","colorLabel":"noir"}', 0), + (42746, 3, 28, 'Bottes genou à sangle brun', 50, '{"components":{"6":{"Drawable":56,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes genou à sangle","colorLabel":"brun"}', 0), + (42747, 3, 28, 'Bottes genou à sangle beige', 50, '{"components":{"6":{"Drawable":56,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes genou à sangle","colorLabel":"beige"}', 0), + (42748, 1, 29, 'Baskets de sport montantes néon néon jaune', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon jaune"}', 0), + (42749, 1, 29, 'Baskets de sport montantes néon néon vert', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon vert"}', 0), + (42750, 1, 29, 'Baskets de sport montantes néon néon orange', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon orange"}', 0), + (42751, 1, 29, 'Baskets de sport montantes néon néon indigo', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon indigo"}', 0), + (42752, 1, 29, 'Baskets de sport montantes néon néon rose', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rose"}', 0), + (42753, 1, 29, 'Baskets de sport montantes néon néon rouge', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rouge"}', 0), + (42754, 1, 29, 'Baskets de sport montantes néon néon bleu', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon bleu"}', 0), + (42755, 1, 29, 'Baskets de sport montantes néon néon gris', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon gris"}', 0), + (42756, 1, 29, 'Baskets de sport montantes néon néon crème', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon crème"}', 0), + (42757, 1, 29, 'Baskets de sport montantes néon néon blanc', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon blanc"}', 0), + (42758, 1, 29, 'Baskets de sport montantes néon néon noir', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon noir"}', 0), + (42759, 2, 29, 'Baskets de sport montantes néon néon jaune', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon jaune"}', 0), + (42760, 2, 29, 'Baskets de sport montantes néon néon vert', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon vert"}', 0), + (42761, 2, 29, 'Baskets de sport montantes néon néon orange', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon orange"}', 0), + (42762, 2, 29, 'Baskets de sport montantes néon néon indigo', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon indigo"}', 0), + (42763, 2, 29, 'Baskets de sport montantes néon néon rose', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rose"}', 0), + (42764, 2, 29, 'Baskets de sport montantes néon néon rouge', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon rouge"}', 0), + (42765, 2, 29, 'Baskets de sport montantes néon néon bleu', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon bleu"}', 0), + (42766, 2, 29, 'Baskets de sport montantes néon néon gris', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon gris"}', 0), + (42767, 2, 29, 'Baskets de sport montantes néon néon crème', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon crème"}', 0), + (42768, 2, 29, 'Baskets de sport montantes néon néon blanc', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon blanc"}', 0), + (42769, 2, 29, 'Baskets de sport montantes néon néon noir', 50, '{"components":{"6":{"Drawable":58,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes néon","colorLabel":"néon noir"}', 0), + (42770, 3, 28, 'Boots à sangle (basses) brun', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots à sangle (basses)","colorLabel":"brun"}', 0), + (42771, 3, 28, 'Boots à sangle (basses) noir', 50, '{"components":{"6":{"Drawable":59,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots à sangle (basses)","colorLabel":"noir"}', 0), + (42772, 1, 29, 'Baskets montantes beige', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"beige"}', 0), + (42773, 1, 29, 'Baskets montantes violet', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"violet"}', 0), + (42774, 1, 29, 'Baskets montantes bleu clair', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"bleu clair"}', 0), + (42775, 1, 29, 'Baskets montantes orange', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"orange"}', 0), + (42776, 1, 29, 'Baskets montantes crème', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"crème"}', 0), + (42777, 1, 29, 'Baskets montantes brun', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"brun"}', 0), + (42778, 1, 29, 'Baskets montantes gris', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"gris"}', 0), + (42779, 1, 29, 'Baskets montantes vert', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"vert"}', 0), + (42780, 1, 29, 'Baskets montantes rouge', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"rouge"}', 0), + (42781, 1, 29, 'Baskets montantes blanc', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"blanc"}', 0), + (42782, 1, 29, 'Baskets montantes noir', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"noir"}', 0), + (42783, 1, 29, 'Baskets montantes rose pâle', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"rose pâle"}', 0), + (42784, 2, 29, 'Baskets montantes beige', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"beige"}', 0), + (42785, 2, 29, 'Baskets montantes violet', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"violet"}', 0), + (42786, 2, 29, 'Baskets montantes bleu clair', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"bleu clair"}', 0), + (42787, 2, 29, 'Baskets montantes orange', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"orange"}', 0), + (42788, 2, 29, 'Baskets montantes crème', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"crème"}', 0), + (42789, 2, 29, 'Baskets montantes brun', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"brun"}', 0), + (42790, 2, 29, 'Baskets montantes gris', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"gris"}', 0), + (42791, 2, 29, 'Baskets montantes vert', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"vert"}', 0), + (42792, 2, 29, 'Baskets montantes rouge', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"rouge"}', 0), + (42793, 2, 29, 'Baskets montantes blanc', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"blanc"}', 0), + (42794, 2, 29, 'Baskets montantes noir', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"noir"}', 0), + (42795, 2, 29, 'Baskets montantes rose pâle', 50, '{"components":{"6":{"Drawable":60,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets montantes","colorLabel":"rose pâle"}', 0), + (42796, 1, 31, 'Espadrilles couvrantes indigène bleu', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène bleu"}', 0), + (42797, 1, 31, 'Espadrilles couvrantes indigène rose', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène rose"}', 0), + (42798, 1, 31, 'Espadrilles couvrantes indigène jaune', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène jaune"}', 0), + (42799, 2, 31, 'Espadrilles couvrantes indigène bleu', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène bleu"}', 0), + (42800, 2, 31, 'Espadrilles couvrantes indigène rose', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène rose"}', 0), + (42801, 2, 31, 'Espadrilles couvrantes indigène jaune', 50, '{"components":{"6":{"Drawable":61,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"indigène jaune"}', 0), + (42802, 1, 30, 'Chaussures basses de marche pixel bleu', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel bleu"}', 0), + (42803, 1, 30, 'Chaussures basses de marche pixel crème', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel crème"}', 0), + (42804, 1, 30, 'Chaussures basses de marche pixel vert', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel vert"}', 0), + (42805, 1, 30, 'Chaussures basses de marche pixel gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel gris"}', 0), + (42806, 1, 30, 'Chaussures basses de marche crème', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"crème"}', 0), + (42807, 1, 30, 'Chaussures basses de marche camo beige', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo beige"}', 0), + (42808, 1, 30, 'Chaussures basses de marche camo brun', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo brun"}', 0), + (42809, 1, 30, 'Chaussures basses de marche grille', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"grille"}', 0), + (42810, 1, 30, 'Chaussures basses de marche camo vert', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo vert"}', 0), + (42811, 1, 30, 'Chaussures basses de marche camo gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo gris"}', 0), + (42812, 1, 30, 'Chaussures basses de marche camo bleu', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo bleu"}', 0), + (42813, 1, 30, 'Chaussures basses de marche camo anthracite', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo anthracite"}', 0), + (42814, 1, 30, 'Chaussures basses de marche camo acier', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo acier"}', 0), + (42815, 1, 30, 'Chaussures basses de marche camo kaki', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo kaki"}', 0), + (42816, 1, 30, 'Chaussures basses de marche camo pêche', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo pêche"}', 0), + (42817, 1, 30, 'Chaussures basses de marche camo forêt', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo forêt"}', 0), + (42818, 1, 30, 'Chaussures basses de marche camo ardoise', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo ardoise"}', 0), + (42819, 1, 30, 'Chaussures basses de marche camo marais', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo marais"}', 0), + (42820, 1, 30, 'Chaussures basses de marche kaki', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"kaki"}', 0), + (42821, 1, 30, 'Chaussures basses de marche ocre', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"ocre"}', 0), + (42822, 1, 30, 'Chaussures basses de marche noir', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"noir"}', 0), + (42823, 1, 30, 'Chaussures basses de marche ardoise', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"ardoise"}', 0), + (42824, 1, 30, 'Chaussures basses de marche gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"gris"}', 0), + (42825, 1, 30, 'Chaussures basses de marche brun', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"brun"}', 0), + (42826, 1, 30, 'Chaussures basses de marche lime', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"lime"}', 0), + (42827, 2, 30, 'Chaussures basses de marche pixel bleu', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel bleu"}', 0), + (42828, 2, 30, 'Chaussures basses de marche pixel crème', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel crème"}', 0), + (42829, 2, 30, 'Chaussures basses de marche pixel vert', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel vert"}', 0), + (42830, 2, 30, 'Chaussures basses de marche pixel gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"pixel gris"}', 0), + (42831, 2, 30, 'Chaussures basses de marche crème', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"crème"}', 0), + (42832, 2, 30, 'Chaussures basses de marche camo beige', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo beige"}', 0), + (42833, 2, 30, 'Chaussures basses de marche camo brun', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo brun"}', 0), + (42834, 2, 30, 'Chaussures basses de marche grille', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"grille"}', 0), + (42835, 2, 30, 'Chaussures basses de marche camo vert', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo vert"}', 0), + (42836, 2, 30, 'Chaussures basses de marche camo gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo gris"}', 0), + (42837, 2, 30, 'Chaussures basses de marche camo bleu', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo bleu"}', 0), + (42838, 2, 30, 'Chaussures basses de marche camo anthracite', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo anthracite"}', 0), + (42839, 2, 30, 'Chaussures basses de marche camo acier', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo acier"}', 0), + (42840, 2, 30, 'Chaussures basses de marche camo kaki', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo kaki"}', 0), + (42841, 2, 30, 'Chaussures basses de marche camo pêche', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo pêche"}', 0), + (42842, 2, 30, 'Chaussures basses de marche camo forêt', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo forêt"}', 0), + (42843, 2, 30, 'Chaussures basses de marche camo ardoise', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo ardoise"}', 0), + (42844, 2, 30, 'Chaussures basses de marche camo marais', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"camo marais"}', 0), + (42845, 2, 30, 'Chaussures basses de marche kaki', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"kaki"}', 0), + (42846, 2, 30, 'Chaussures basses de marche ocre', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"ocre"}', 0), + (42847, 2, 30, 'Chaussures basses de marche noir', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"noir"}', 0), + (42848, 2, 30, 'Chaussures basses de marche ardoise', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"ardoise"}', 0), + (42849, 2, 30, 'Chaussures basses de marche gris', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"gris"}', 0), + (42850, 2, 30, 'Chaussures basses de marche brun', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"brun"}', 0), + (42851, 2, 30, 'Chaussures basses de marche lime', 50, '{"components":{"6":{"Drawable":62,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures basses de marche","colorLabel":"lime"}', 0), + (42852, 1, 32, 'Chaussures de snowboard noir', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"noir"}', 0), + (42853, 1, 32, 'Chaussures de snowboard crème', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"crème"}', 0), + (42854, 1, 32, 'Chaussures de snowboard beige', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"beige"}', 0), + (42855, 1, 32, 'Chaussures de snowboard vert', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"vert"}', 0), + (42856, 1, 32, 'Chaussures de snowboard orange', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"orange"}', 0), + (42857, 1, 32, 'Chaussures de snowboard noir-rouge', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"noir-rouge"}', 0), + (42858, 1, 32, 'Chaussures de snowboard ocre', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"ocre"}', 0), + (42859, 1, 32, 'Chaussures de snowboard marron', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"marron"}', 0), + (42860, 2, 32, 'Chaussures de snowboard noir', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"noir"}', 0), + (42861, 2, 32, 'Chaussures de snowboard crème', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"crème"}', 0), + (42862, 2, 32, 'Chaussures de snowboard beige', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"beige"}', 0), + (42863, 2, 32, 'Chaussures de snowboard vert', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"vert"}', 0), + (42864, 2, 32, 'Chaussures de snowboard orange', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"orange"}', 0), + (42865, 2, 32, 'Chaussures de snowboard noir-rouge', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"noir-rouge"}', 0), + (42866, 2, 32, 'Chaussures de snowboard ocre', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"ocre"}', 0), + (42867, 2, 32, 'Chaussures de snowboard marron', 50, '{"components":{"6":{"Drawable":63,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard","colorLabel":"marron"}', 0), + (42868, 1, 32, 'Chaussures de snowboard (basses) noir', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir"}', 0), + (42869, 1, 32, 'Chaussures de snowboard (basses) crème', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"crème"}', 0), + (42870, 1, 32, 'Chaussures de snowboard (basses) beige', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"beige"}', 0), + (42871, 1, 32, 'Chaussures de snowboard (basses) vert', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"vert"}', 0), + (42872, 1, 32, 'Chaussures de snowboard (basses) orange', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"orange"}', 0), + (42873, 1, 32, 'Chaussures de snowboard (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir-rouge"}', 0), + (42874, 1, 32, 'Chaussures de snowboard (basses) ocre', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"ocre"}', 0), + (42875, 1, 32, 'Chaussures de snowboard (basses) marron', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"marron"}', 0), + (42876, 2, 32, 'Chaussures de snowboard (basses) noir', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir"}', 0), + (42877, 2, 32, 'Chaussures de snowboard (basses) crème', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"crème"}', 0), + (42878, 2, 32, 'Chaussures de snowboard (basses) beige', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"beige"}', 0), + (42879, 2, 32, 'Chaussures de snowboard (basses) vert', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"vert"}', 0), + (42880, 2, 32, 'Chaussures de snowboard (basses) orange', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"orange"}', 0), + (42881, 2, 32, 'Chaussures de snowboard (basses) noir-rouge', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"noir-rouge"}', 0), + (42882, 2, 32, 'Chaussures de snowboard (basses) ocre', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"ocre"}', 0), + (42883, 2, 32, 'Chaussures de snowboard (basses) marron', 50, '{"components":{"6":{"Drawable":64,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de snowboard (basses)","colorLabel":"marron"}', 0), + (42884, 1, 28, 'Chaussures de randonnée crème', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"crème"}', 0), + (42885, 1, 28, 'Chaussures de randonnée vert', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"vert"}', 0), + (42886, 1, 28, 'Chaussures de randonnée bleu', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"bleu"}', 0), + (42887, 1, 28, 'Chaussures de randonnée taupe', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"taupe"}', 0), + (42888, 1, 28, 'Chaussures de randonnée anthracite', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"anthracite"}', 0), + (42889, 1, 28, 'Chaussures de randonnée beige', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"beige"}', 0), + (42890, 1, 28, 'Chaussures de randonnée gris', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"gris"}', 0), + (42891, 1, 28, 'Chaussures de randonnée brun', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"brun"}', 0), + (42892, 2, 28, 'Chaussures de randonnée crème', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"crème"}', 0), + (42893, 2, 28, 'Chaussures de randonnée vert', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"vert"}', 0), + (42894, 2, 28, 'Chaussures de randonnée bleu', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"bleu"}', 0), + (42895, 2, 28, 'Chaussures de randonnée taupe', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"taupe"}', 0), + (42896, 2, 28, 'Chaussures de randonnée anthracite', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"anthracite"}', 0), + (42897, 2, 28, 'Chaussures de randonnée beige', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"beige"}', 0), + (42898, 2, 28, 'Chaussures de randonnée gris', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"gris"}', 0), + (42899, 2, 28, 'Chaussures de randonnée brun', 50, '{"components":{"6":{"Drawable":65,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée","colorLabel":"brun"}', 0), + (42900, 1, 28, 'Chaussures de randonnée (basses) crème', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"crème"}', 0), + (42901, 1, 28, 'Chaussures de randonnée (basses) vert', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"vert"}', 0), + (42902, 1, 28, 'Chaussures de randonnée (basses) bleu', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"bleu"}', 0), + (42903, 1, 28, 'Chaussures de randonnée (basses) taupe', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"taupe"}', 0), + (42904, 1, 28, 'Chaussures de randonnée (basses) anthracite', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"anthracite"}', 0), + (42905, 1, 28, 'Chaussures de randonnée (basses) beige', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"beige"}', 0), + (42906, 1, 28, 'Chaussures de randonnée (basses) gris', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"gris"}', 0), + (42907, 1, 28, 'Chaussures de randonnée (basses) brun', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"brun"}', 0), + (42908, 2, 28, 'Chaussures de randonnée (basses) crème', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"crème"}', 0), + (42909, 2, 28, 'Chaussures de randonnée (basses) vert', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"vert"}', 0), + (42910, 2, 28, 'Chaussures de randonnée (basses) bleu', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"bleu"}', 0), + (42911, 2, 28, 'Chaussures de randonnée (basses) taupe', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"taupe"}', 0), + (42912, 2, 28, 'Chaussures de randonnée (basses) anthracite', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"anthracite"}', 0), + (42913, 2, 28, 'Chaussures de randonnée (basses) beige', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"beige"}', 0), + (42914, 2, 28, 'Chaussures de randonnée (basses) gris', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"gris"}', 0), + (42915, 2, 28, 'Chaussures de randonnée (basses) brun', 50, '{"components":{"6":{"Drawable":66,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de randonnée (basses)","colorLabel":"brun"}', 0), + (42916, 1, 29, 'Baskets de sport montantes forêt', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"forêt"}', 0), + (42917, 1, 29, 'Baskets de sport montantes turquoise', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"turquoise"}', 0), + (42918, 1, 29, 'Baskets de sport montantes america', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"america"}', 0), + (42919, 1, 29, 'Baskets de sport montantes satan', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"satan"}', 0), + (42920, 1, 29, 'Baskets de sport montantes ocre', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"ocre"}', 0), + (42921, 1, 29, 'Baskets de sport montantes noir-jaune', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-jaune"}', 0), + (42922, 1, 29, 'Baskets de sport montantes japon', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"japon"}', 0), + (42923, 1, 29, 'Baskets de sport montantes vanille', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"vanille"}', 0), + (42924, 1, 29, 'Baskets de sport montantes lilith', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"lilith"}', 0), + (42925, 1, 29, 'Baskets de sport montantes kill bill', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"kill bill"}', 0), + (42926, 1, 29, 'Baskets de sport montantes bleu-blanc', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"bleu-blanc"}', 0), + (42927, 1, 29, 'Baskets de sport montantes perle', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"perle"}', 0), + (42928, 1, 29, 'Baskets de sport montantes emeraude', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"emeraude"}', 0), + (42929, 1, 29, 'Baskets de sport montantes taupe', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"taupe"}', 0), + (42930, 2, 29, 'Baskets de sport montantes forêt', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"forêt"}', 0), + (42931, 2, 29, 'Baskets de sport montantes turquoise', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"turquoise"}', 0), + (42932, 2, 29, 'Baskets de sport montantes america', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"america"}', 0), + (42933, 2, 29, 'Baskets de sport montantes satan', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"satan"}', 0), + (42934, 2, 29, 'Baskets de sport montantes ocre', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"ocre"}', 0), + (42935, 2, 29, 'Baskets de sport montantes noir-jaune', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-jaune"}', 0), + (42936, 2, 29, 'Baskets de sport montantes japon', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"japon"}', 0), + (42937, 2, 29, 'Baskets de sport montantes vanille', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"vanille"}', 0), + (42938, 2, 29, 'Baskets de sport montantes lilith', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"lilith"}', 0), + (42939, 2, 29, 'Baskets de sport montantes kill bill', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"kill bill"}', 0), + (42940, 2, 29, 'Baskets de sport montantes bleu-blanc', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"bleu-blanc"}', 0), + (42941, 2, 29, 'Baskets de sport montantes perle', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"perle"}', 0), + (42942, 2, 29, 'Baskets de sport montantes emeraude', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"emeraude"}', 0), + (42943, 2, 29, 'Baskets de sport montantes taupe', 50, '{"components":{"6":{"Drawable":67,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"taupe"}', 0), + (42944, 3, 30, 'Chaussures montantes en cuir brun', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"brun"}', 0), + (42945, 3, 30, 'Chaussures montantes en cuir noir', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"noir"}', 0), + (42946, 3, 30, 'Chaussures montantes en cuir anthracite', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"anthracite"}', 0), + (42947, 3, 30, 'Chaussures montantes en cuir marron', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"marron"}', 0), + (42948, 3, 30, 'Chaussures montantes en cuir ocre', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"ocre"}', 0), + (42949, 3, 30, 'Chaussures montantes en cuir feu', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"feu"}', 0), + (42950, 3, 30, 'Chaussures montantes en cuir rouge', 50, '{"components":{"6":{"Drawable":68,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir","colorLabel":"rouge"}', 0), + (42951, 3, 30, 'Chaussures montantes en cuir (basses) brun', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"brun"}', 0), + (42952, 3, 30, 'Chaussures montantes en cuir (basses) noir', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"noir"}', 0), + (42953, 3, 30, 'Chaussures montantes en cuir (basses) anthracite', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"anthracite"}', 0), + (42954, 3, 30, 'Chaussures montantes en cuir (basses) marron', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"marron"}', 0), + (42955, 3, 30, 'Chaussures montantes en cuir (basses) ocre', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"ocre"}', 0), + (42956, 3, 30, 'Chaussures montantes en cuir (basses) feu', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"feu"}', 0), + (42957, 3, 30, 'Chaussures montantes en cuir (basses) rouge', 50, '{"components":{"6":{"Drawable":69,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures montantes en cuir (basses)","colorLabel":"rouge"}', 0), + (42958, 1, 31, 'Palmes noir', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir"}', 0), + (42959, 1, 31, 'Palmes blanc', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"blanc"}', 0), + (42960, 1, 31, 'Palmes bleu', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"bleu"}', 0), + (42961, 1, 31, 'Palmes rouge', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"rouge"}', 0), + (42962, 1, 31, 'Palmes turquoise', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"turquoise"}', 0), + (42963, 1, 31, 'Palmes citron', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"citron"}', 0), + (42964, 1, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (42965, 1, 31, 'Palmes jaune', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"jaune"}', 0), + (42966, 1, 31, 'Palmes noir-rouge', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-rouge"}', 0), + (42967, 1, 31, 'Palmes noir-rose', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-rose"}', 0), + (42968, 1, 31, 'Palmes menthe', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"menthe"}', 0), + (42969, 1, 31, 'Palmes pétrole', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"pétrole"}', 0), + (42970, 1, 31, 'Palmes aqua', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"aqua"}', 0), + (42971, 1, 31, 'Palmes anthracite', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"anthracite"}', 0), + (42972, 1, 31, 'Palmes crème', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"crème"}', 0), + (42973, 1, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (42974, 1, 31, 'Palmes tigre', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"tigre"}', 0), + (42975, 1, 31, 'Palmes camo gris', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"camo gris"}', 0), + (42976, 1, 31, 'Palmes kaki', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"kaki"}', 0), + (42977, 1, 31, 'Palmes noir-framboise', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-framboise"}', 0), + (42978, 1, 31, 'Palmes noir-ciel', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-ciel"}', 0), + (42979, 1, 31, 'Palmes multicolore', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"multicolore"}', 0), + (42980, 1, 31, 'Palmes vert', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"vert"}', 0), + (42981, 1, 31, 'Palmes abricot', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"abricot"}', 0), + (42982, 1, 31, 'Palmes violet', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"violet"}', 0), + (42983, 2, 31, 'Palmes noir', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir"}', 0), + (42984, 2, 31, 'Palmes blanc', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"blanc"}', 0), + (42985, 2, 31, 'Palmes bleu', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"bleu"}', 0), + (42986, 2, 31, 'Palmes rouge', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"rouge"}', 0), + (42987, 2, 31, 'Palmes turquoise', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"turquoise"}', 0), + (42988, 2, 31, 'Palmes citron', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"citron"}', 0), + (42989, 2, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (42990, 2, 31, 'Palmes jaune', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"jaune"}', 0), + (42991, 2, 31, 'Palmes noir-rouge', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-rouge"}', 0), + (42992, 2, 31, 'Palmes noir-rose', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-rose"}', 0), + (42993, 2, 31, 'Palmes menthe', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"menthe"}', 0), + (42994, 2, 31, 'Palmes pétrole', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"pétrole"}', 0), + (42995, 2, 31, 'Palmes aqua', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"aqua"}', 0), + (42996, 2, 31, 'Palmes anthracite', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"anthracite"}', 0), + (42997, 2, 31, 'Palmes crème', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"crème"}', 0), + (42998, 2, 31, 'Palmes orange', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"orange"}', 0), + (42999, 2, 31, 'Palmes tigre', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"tigre"}', 0), + (43000, 2, 31, 'Palmes camo gris', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"camo gris"}', 0), + (43001, 2, 31, 'Palmes kaki', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"kaki"}', 0), + (43002, 2, 31, 'Palmes noir-framboise', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-framboise"}', 0), + (43003, 2, 31, 'Palmes noir-ciel', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"noir-ciel"}', 0), + (43004, 2, 31, 'Palmes multicolore', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"multicolore"}', 0), + (43005, 2, 31, 'Palmes vert', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"vert"}', 0), + (43006, 2, 31, 'Palmes abricot', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"abricot"}', 0), + (43007, 2, 31, 'Palmes violet', 50, '{"components":{"6":{"Drawable":70,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Palmes","colorLabel":"violet"}', 0), + (43008, 1, 31, 'Espadrilles couvrantes noir-vert', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-vert"}', 0), + (43009, 1, 31, 'Espadrilles couvrantes noir-orange', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-orange"}', 0), + (43010, 1, 31, 'Espadrilles couvrantes noir-bleu', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-bleu"}', 0), + (43011, 1, 31, 'Espadrilles couvrantes noir-rose', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-rose"}', 0), + (43012, 1, 31, 'Espadrilles couvrantes noir-jaune', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-jaune"}', 0), + (43013, 1, 31, 'Espadrilles couvrantes noir', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir"}', 0), + (43014, 1, 31, 'Espadrilles couvrantes pain d\'épice clair', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice clair"}', 0), + (43015, 1, 31, 'Espadrilles couvrantes pain d\'épice foncé', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice foncé"}', 0), + (43016, 1, 31, 'Espadrilles couvrantes jaune', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"jaune"}', 0), + (43017, 2, 31, 'Espadrilles couvrantes noir-vert', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-vert"}', 0), + (43018, 2, 31, 'Espadrilles couvrantes noir-orange', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-orange"}', 0), + (43019, 2, 31, 'Espadrilles couvrantes noir-bleu', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-bleu"}', 0), + (43020, 2, 31, 'Espadrilles couvrantes noir-rose', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-rose"}', 0), + (43021, 2, 31, 'Espadrilles couvrantes noir-jaune', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir-jaune"}', 0), + (43022, 2, 31, 'Espadrilles couvrantes noir', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"noir"}', 0), + (43023, 2, 31, 'Espadrilles couvrantes pain d\'épice clair', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice clair"}', 0), + (43024, 2, 31, 'Espadrilles couvrantes pain d\'épice foncé', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"pain d\'épice foncé"}', 0), + (43025, 2, 31, 'Espadrilles couvrantes jaune', 50, '{"components":{"6":{"Drawable":71,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"jaune"}', 0), + (43026, 1, 28, 'Chaussures de moto noir', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir"}', 0), + (43027, 1, 28, 'Chaussures de moto gris', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"gris"}', 0), + (43028, 1, 28, 'Chaussures de moto noir-bleu', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu"}', 0), + (43029, 1, 28, 'Chaussures de moto noir-rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-rouge"}', 0), + (43030, 1, 28, 'Chaussures de moto noir-bleu clair', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu clair"}', 0), + (43031, 1, 28, 'Chaussures de moto noir-vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-vert"}', 0), + (43032, 1, 28, 'Chaussures de moto noir-orange', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-orange"}', 0), + (43033, 1, 28, 'Chaussures de moto jaune', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"jaune"}', 0), + (43034, 1, 28, 'Chaussures de moto rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"rouge"}', 0), + (43035, 1, 28, 'Chaussures de moto noir-rose', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-rose"}', 0), + (43036, 1, 28, 'Chaussures de moto noir-pétrole', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-pétrole"}', 0), + (43037, 1, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (43038, 1, 28, 'Chaussures de moto aqua', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"aqua"}', 0), + (43039, 1, 28, 'Chaussures de moto anthracite', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"anthracite"}', 0), + (43040, 1, 28, 'Chaussures de moto anthracite-rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"anthracite-rouge"}', 0), + (43041, 1, 28, 'Chaussures de moto crème', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"crème"}', 0), + (43042, 1, 28, 'Chaussures de moto orange', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"orange"}', 0), + (43043, 1, 28, 'Chaussures de moto camo gris', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"camo gris"}', 0), + (43044, 1, 28, 'Chaussures de moto kaki', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"kaki"}', 0), + (43045, 1, 28, 'Chaussures de moto noir-framboise', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-framboise"}', 0), + (43046, 1, 28, 'Chaussures de moto noir-ciel', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-ciel"}', 0), + (43047, 1, 28, 'Chaussures de moto multicolore', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"multicolore"}', 0), + (43048, 1, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (43049, 1, 28, 'Chaussures de moto abricot', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"abricot"}', 0), + (43050, 1, 28, 'Chaussures de moto violet', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"violet"}', 0), + (43051, 2, 28, 'Chaussures de moto noir', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir"}', 0), + (43052, 2, 28, 'Chaussures de moto gris', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"gris"}', 0), + (43053, 2, 28, 'Chaussures de moto noir-bleu', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu"}', 0), + (43054, 2, 28, 'Chaussures de moto noir-rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-rouge"}', 0), + (43055, 2, 28, 'Chaussures de moto noir-bleu clair', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-bleu clair"}', 0), + (43056, 2, 28, 'Chaussures de moto noir-vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-vert"}', 0), + (43057, 2, 28, 'Chaussures de moto noir-orange', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-orange"}', 0), + (43058, 2, 28, 'Chaussures de moto jaune', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"jaune"}', 0), + (43059, 2, 28, 'Chaussures de moto rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"rouge"}', 0), + (43060, 2, 28, 'Chaussures de moto noir-rose', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-rose"}', 0), + (43061, 2, 28, 'Chaussures de moto noir-pétrole', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-pétrole"}', 0), + (43062, 2, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (43063, 2, 28, 'Chaussures de moto aqua', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"aqua"}', 0), + (43064, 2, 28, 'Chaussures de moto anthracite', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"anthracite"}', 0), + (43065, 2, 28, 'Chaussures de moto anthracite-rouge', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"anthracite-rouge"}', 0), + (43066, 2, 28, 'Chaussures de moto crème', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"crème"}', 0), + (43067, 2, 28, 'Chaussures de moto orange', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"orange"}', 0), + (43068, 2, 28, 'Chaussures de moto camo gris', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"camo gris"}', 0), + (43069, 2, 28, 'Chaussures de moto kaki', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"kaki"}', 0), + (43070, 2, 28, 'Chaussures de moto noir-framboise', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-framboise"}', 0), + (43071, 2, 28, 'Chaussures de moto noir-ciel', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"noir-ciel"}', 0), + (43072, 2, 28, 'Chaussures de moto multicolore', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"multicolore"}', 0), + (43073, 2, 28, 'Chaussures de moto vert', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"vert"}', 0), + (43074, 2, 28, 'Chaussures de moto abricot', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"abricot"}', 0), + (43075, 2, 28, 'Chaussures de moto violet', 50, '{"components":{"6":{"Drawable":72,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures de moto","colorLabel":"violet"}', 0), + (43076, 1, 28, 'Bottes de travail beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"beige"}', 0), + (43077, 1, 28, 'Bottes de travail anthracite', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"anthracite"}', 0), + (43078, 1, 28, 'Bottes de travail blanc', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"blanc"}', 0), + (43079, 1, 28, 'Bottes de travail gris', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"gris"}', 0), + (43080, 1, 28, 'Bottes de travail taupe', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"taupe"}', 0), + (43081, 1, 28, 'Bottes de travail crème', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"crème"}', 0), + (43082, 1, 28, 'Bottes de travail ocre', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"ocre"}', 0), + (43083, 1, 28, 'Bottes de travail camo vanille', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo vanille"}', 0), + (43084, 1, 28, 'Bottes de travail camo bleu', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo bleu"}', 0), + (43085, 1, 28, 'Bottes de travail camo ciel', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo ciel"}', 0), + (43086, 1, 28, 'Bottes de travail camo rose', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo rose"}', 0), + (43087, 1, 28, 'Bottes de travail camo gris', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo gris"}', 0), + (43088, 1, 28, 'Bottes de travail bleu', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"bleu"}', 0), + (43089, 1, 28, 'Bottes de travail ardoise', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"ardoise"}', 0), + (43090, 1, 28, 'Bottes de travail acier', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"acier"}', 0), + (43091, 1, 28, 'Bottes de travail ciel', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"ciel"}', 0), + (43092, 1, 28, 'Bottes de travail MTP', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"MTP"}', 0), + (43093, 1, 28, 'Bottes de travail rouge', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"rouge"}', 0), + (43094, 1, 28, 'Bottes de travail vert', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"vert"}', 0), + (43095, 1, 28, 'Bottes de travail marine', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"marine"}', 0), + (43096, 1, 28, 'Bottes de travail camo beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo beige"}', 0), + (43097, 1, 28, 'Bottes de travail géométrique kaki', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"géométrique kaki"}', 0), + (43098, 1, 28, 'Bottes de travail perle', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"perle"}', 0), + (43099, 1, 28, 'Bottes de travail orage', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"orage"}', 0), + (43100, 1, 28, 'Bottes de travail bitume', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"bitume"}', 0), + (43101, 2, 28, 'Bottes de travail beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"beige"}', 0), + (43102, 2, 28, 'Bottes de travail anthracite', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"anthracite"}', 0), + (43103, 2, 28, 'Bottes de travail blanc', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"blanc"}', 0), + (43104, 2, 28, 'Bottes de travail gris', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"gris"}', 0), + (43105, 2, 28, 'Bottes de travail taupe', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"taupe"}', 0), + (43106, 2, 28, 'Bottes de travail crème', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"crème"}', 0), + (43107, 2, 28, 'Bottes de travail ocre', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"ocre"}', 0), + (43108, 2, 28, 'Bottes de travail camo vanille', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo vanille"}', 0), + (43109, 2, 28, 'Bottes de travail camo bleu', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo bleu"}', 0), + (43110, 2, 28, 'Bottes de travail camo ciel', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo ciel"}', 0), + (43111, 2, 28, 'Bottes de travail camo rose', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo rose"}', 0), + (43112, 2, 28, 'Bottes de travail camo gris', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo gris"}', 0), + (43113, 2, 28, 'Bottes de travail bleu', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"bleu"}', 0), + (43114, 2, 28, 'Bottes de travail ardoise', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"ardoise"}', 0), + (43115, 2, 28, 'Bottes de travail acier', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"acier"}', 0), + (43116, 2, 28, 'Bottes de travail ciel', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"ciel"}', 0), + (43117, 2, 28, 'Bottes de travail MTP', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"MTP"}', 0), + (43118, 2, 28, 'Bottes de travail rouge', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"rouge"}', 0), + (43119, 2, 28, 'Bottes de travail vert', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"vert"}', 0), + (43120, 2, 28, 'Bottes de travail marine', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"marine"}', 0), + (43121, 2, 28, 'Bottes de travail camo beige', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"camo beige"}', 0), + (43122, 2, 28, 'Bottes de travail géométrique kaki', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"géométrique kaki"}', 0), + (43123, 2, 28, 'Bottes de travail perle', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"perle"}', 0), + (43124, 2, 28, 'Bottes de travail orage', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"orage"}', 0), + (43125, 2, 28, 'Bottes de travail bitume', 50, '{"components":{"6":{"Drawable":73,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Bottes de travail","colorLabel":"bitume"}', 0), + (43126, 1, 28, 'Bottes de travail (basses) beige', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"beige"}', 0), + (43127, 1, 28, 'Bottes de travail (basses) anthracite', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"anthracite"}', 0), + (43128, 1, 28, 'Bottes de travail (basses) blanc', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"blanc"}', 0), + (43129, 1, 28, 'Bottes de travail (basses) gris', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"gris"}', 0), + (43130, 1, 28, 'Bottes de travail (basses) taupe', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"taupe"}', 0), + (43131, 1, 28, 'Bottes de travail (basses) crème', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"crème"}', 0), + (43132, 1, 28, 'Bottes de travail (basses) ocre', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"ocre"}', 0), + (43133, 1, 28, 'Bottes de travail (basses) camo vanille', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo vanille"}', 0), + (43134, 1, 28, 'Bottes de travail (basses) camo bleu', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo bleu"}', 0), + (43135, 1, 28, 'Bottes de travail (basses) camo ciel', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo ciel"}', 0), + (43136, 1, 28, 'Bottes de travail (basses) camo rose', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo rose"}', 0), + (43137, 1, 28, 'Bottes de travail (basses) camo gris', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo gris"}', 0), + (43138, 1, 28, 'Bottes de travail (basses) bleu', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"bleu"}', 0), + (43139, 1, 28, 'Bottes de travail (basses) ardoise', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"ardoise"}', 0), + (43140, 1, 28, 'Bottes de travail (basses) acier', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"acier"}', 0), + (43141, 1, 28, 'Bottes de travail (basses) ciel', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"ciel"}', 0), + (43142, 1, 28, 'Bottes de travail (basses) MTP', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"MTP"}', 0), + (43143, 1, 28, 'Bottes de travail (basses) rouge', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"rouge"}', 0), + (43144, 1, 28, 'Bottes de travail (basses) vert', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"vert"}', 0), + (43145, 1, 28, 'Bottes de travail (basses) marine', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"marine"}', 0), + (43146, 1, 28, 'Bottes de travail (basses) camo beige', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo beige"}', 0), + (43147, 1, 28, 'Bottes de travail (basses) géométrique kaki', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"géométrique kaki"}', 0), + (43148, 1, 28, 'Bottes de travail (basses) perle', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"perle"}', 0), + (43149, 1, 28, 'Bottes de travail (basses) orage', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"orage"}', 0), + (43150, 1, 28, 'Bottes de travail (basses) bitume', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"bitume"}', 0), + (43151, 2, 28, 'Bottes de travail (basses) beige', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"beige"}', 0), + (43152, 2, 28, 'Bottes de travail (basses) anthracite', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"anthracite"}', 0), + (43153, 2, 28, 'Bottes de travail (basses) blanc', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"blanc"}', 0), + (43154, 2, 28, 'Bottes de travail (basses) gris', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"gris"}', 0), + (43155, 2, 28, 'Bottes de travail (basses) taupe', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"taupe"}', 0), + (43156, 2, 28, 'Bottes de travail (basses) crème', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"crème"}', 0), + (43157, 2, 28, 'Bottes de travail (basses) ocre', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"ocre"}', 0), + (43158, 2, 28, 'Bottes de travail (basses) camo vanille', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo vanille"}', 0), + (43159, 2, 28, 'Bottes de travail (basses) camo bleu', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo bleu"}', 0), + (43160, 2, 28, 'Bottes de travail (basses) camo ciel', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo ciel"}', 0), + (43161, 2, 28, 'Bottes de travail (basses) camo rose', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo rose"}', 0), + (43162, 2, 28, 'Bottes de travail (basses) camo gris', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo gris"}', 0), + (43163, 2, 28, 'Bottes de travail (basses) bleu', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"bleu"}', 0), + (43164, 2, 28, 'Bottes de travail (basses) ardoise', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"ardoise"}', 0), + (43165, 2, 28, 'Bottes de travail (basses) acier', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"acier"}', 0), + (43166, 2, 28, 'Bottes de travail (basses) ciel', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"ciel"}', 0), + (43167, 2, 28, 'Bottes de travail (basses) MTP', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"MTP"}', 0), + (43168, 2, 28, 'Bottes de travail (basses) rouge', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"rouge"}', 0), + (43169, 2, 28, 'Bottes de travail (basses) vert', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"vert"}', 0), + (43170, 2, 28, 'Bottes de travail (basses) marine', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"marine"}', 0), + (43171, 2, 28, 'Bottes de travail (basses) camo beige', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"camo beige"}', 0), + (43172, 2, 28, 'Bottes de travail (basses) géométrique kaki', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"géométrique kaki"}', 0), + (43173, 2, 28, 'Bottes de travail (basses) perle', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"perle"}', 0), + (43174, 2, 28, 'Bottes de travail (basses) orage', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"orage"}', 0), + (43175, 2, 28, 'Bottes de travail (basses) bitume', 50, '{"components":{"6":{"Drawable":74,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Bottes de travail (basses)","colorLabel":"bitume"}', 0), + (43176, 1, 28, 'Boots tactiques anthracite', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"anthracite"}', 0), + (43177, 1, 28, 'Boots tactiques crème', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"crème"}', 0), + (43178, 1, 28, 'Boots tactiques bleu', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"bleu"}', 0), + (43179, 1, 28, 'Boots tactiques beige', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"beige"}', 0), + (43180, 1, 28, 'Boots tactiques orage', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"orage"}', 0), + (43181, 1, 28, 'Boots tactiques camo beige', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"camo beige"}', 0), + (43182, 1, 28, 'Boots tactiques brun', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"brun"}', 0), + (43183, 1, 28, 'Boots tactiques sable', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"sable"}', 0), + (43184, 1, 28, 'Boots tactiques taupe', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"taupe"}', 0), + (43185, 1, 28, 'Boots tactiques perle', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"perle"}', 0), + (43186, 1, 28, 'Boots tactiques camo vanille', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"camo vanille"}', 0), + (43187, 1, 28, 'Boots tactiques café', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"café"}', 0), + (43188, 1, 28, 'Boots tactiques jaune pâle', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"jaune pâle"}', 0), + (43189, 1, 28, 'Boots tactiques vert', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"vert"}', 0), + (43190, 1, 28, 'Boots tactiques marron', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"marron"}', 0), + (43191, 1, 28, 'Boots tactiques gris', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"gris"}', 0), + (43192, 1, 28, 'Boots tactiques bitume', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"bitume"}', 0), + (43193, 1, 28, 'Boots tactiques rouge', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"rouge"}', 0), + (43194, 1, 28, 'Boots tactiques orange', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"orange"}', 0), + (43195, 1, 28, 'Boots tactiques indigo', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"indigo"}', 0), + (43196, 1, 28, 'Boots tactiques bleu foncé', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"bleu foncé"}', 0), + (43197, 1, 28, 'Boots tactiques marais', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"marais"}', 0), + (43198, 1, 28, 'Boots tactiques ciel', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"ciel"}', 0), + (43199, 1, 28, 'Boots tactiques ardoise', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"ardoise"}', 0), + (43200, 1, 28, 'Boots tactiques camo blanc', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"camo blanc"}', 0), + (43201, 2, 28, 'Boots tactiques anthracite', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"anthracite"}', 0), + (43202, 2, 28, 'Boots tactiques crème', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"crème"}', 0), + (43203, 2, 28, 'Boots tactiques bleu', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"bleu"}', 0), + (43204, 2, 28, 'Boots tactiques beige', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"beige"}', 0), + (43205, 2, 28, 'Boots tactiques orage', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"orage"}', 0), + (43206, 2, 28, 'Boots tactiques camo beige', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"camo beige"}', 0), + (43207, 2, 28, 'Boots tactiques brun', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"brun"}', 0), + (43208, 2, 28, 'Boots tactiques sable', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"sable"}', 0), + (43209, 2, 28, 'Boots tactiques taupe', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"taupe"}', 0), + (43210, 2, 28, 'Boots tactiques perle', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"perle"}', 0), + (43211, 2, 28, 'Boots tactiques camo vanille', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"camo vanille"}', 0), + (43212, 2, 28, 'Boots tactiques café', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"café"}', 0), + (43213, 2, 28, 'Boots tactiques jaune pâle', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"jaune pâle"}', 0), + (43214, 2, 28, 'Boots tactiques vert', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"vert"}', 0), + (43215, 2, 28, 'Boots tactiques marron', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"marron"}', 0), + (43216, 2, 28, 'Boots tactiques gris', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"gris"}', 0), + (43217, 2, 28, 'Boots tactiques bitume', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"bitume"}', 0), + (43218, 2, 28, 'Boots tactiques rouge', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"rouge"}', 0), + (43219, 2, 28, 'Boots tactiques orange', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"orange"}', 0), + (43220, 2, 28, 'Boots tactiques indigo', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"indigo"}', 0), + (43221, 2, 28, 'Boots tactiques bleu foncé', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"bleu foncé"}', 0), + (43222, 2, 28, 'Boots tactiques marais', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"marais"}', 0), + (43223, 2, 28, 'Boots tactiques ciel', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"ciel"}', 0), + (43224, 2, 28, 'Boots tactiques ardoise', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"ardoise"}', 0), + (43225, 2, 28, 'Boots tactiques camo blanc', 50, '{"components":{"6":{"Drawable":75,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Boots tactiques","colorLabel":"camo blanc"}', 0), + (43226, 1, 28, 'Boots tactiques (basses) anthracite', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"anthracite"}', 0), + (43227, 1, 28, 'Boots tactiques (basses) crème', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"crème"}', 0), + (43228, 1, 28, 'Boots tactiques (basses) bleu', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu"}', 0), + (43229, 1, 28, 'Boots tactiques (basses) beige', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"beige"}', 0), + (43230, 1, 28, 'Boots tactiques (basses) orage', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"orage"}', 0), + (43231, 1, 28, 'Boots tactiques (basses) camo beige', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo beige"}', 0), + (43232, 1, 28, 'Boots tactiques (basses) brun', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"brun"}', 0), + (43233, 1, 28, 'Boots tactiques (basses) sable', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"sable"}', 0), + (43234, 1, 28, 'Boots tactiques (basses) taupe', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"taupe"}', 0), + (43235, 1, 28, 'Boots tactiques (basses) perle', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"perle"}', 0), + (43236, 1, 28, 'Boots tactiques (basses) camo vanille', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo vanille"}', 0), + (43237, 1, 28, 'Boots tactiques (basses) café', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"café"}', 0), + (43238, 1, 28, 'Boots tactiques (basses) jaune pâle', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"jaune pâle"}', 0), + (43239, 1, 28, 'Boots tactiques (basses) vert', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"vert"}', 0), + (43240, 1, 28, 'Boots tactiques (basses) marron', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"marron"}', 0), + (43241, 1, 28, 'Boots tactiques (basses) gris', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"gris"}', 0), + (43242, 1, 28, 'Boots tactiques (basses) bitume', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"bitume"}', 0), + (43243, 1, 28, 'Boots tactiques (basses) rouge', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"rouge"}', 0), + (43244, 1, 28, 'Boots tactiques (basses) orange', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"orange"}', 0), + (43245, 1, 28, 'Boots tactiques (basses) indigo', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"indigo"}', 0), + (43246, 1, 28, 'Boots tactiques (basses) bleu foncé', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu foncé"}', 0), + (43247, 1, 28, 'Boots tactiques (basses) marais', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"marais"}', 0), + (43248, 1, 28, 'Boots tactiques (basses) ciel', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"ciel"}', 0), + (43249, 1, 28, 'Boots tactiques (basses) ardoise', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"ardoise"}', 0), + (43250, 1, 28, 'Boots tactiques (basses) camo blanc', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo blanc"}', 0), + (43251, 2, 28, 'Boots tactiques (basses) anthracite', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"anthracite"}', 0), + (43252, 2, 28, 'Boots tactiques (basses) crème', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"crème"}', 0), + (43253, 2, 28, 'Boots tactiques (basses) bleu', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu"}', 0), + (43254, 2, 28, 'Boots tactiques (basses) beige', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"beige"}', 0), + (43255, 2, 28, 'Boots tactiques (basses) orage', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"orage"}', 0), + (43256, 2, 28, 'Boots tactiques (basses) camo beige', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo beige"}', 0), + (43257, 2, 28, 'Boots tactiques (basses) brun', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"brun"}', 0), + (43258, 2, 28, 'Boots tactiques (basses) sable', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"sable"}', 0), + (43259, 2, 28, 'Boots tactiques (basses) taupe', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"taupe"}', 0), + (43260, 2, 28, 'Boots tactiques (basses) perle', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"perle"}', 0), + (43261, 2, 28, 'Boots tactiques (basses) camo vanille', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo vanille"}', 0), + (43262, 2, 28, 'Boots tactiques (basses) café', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"café"}', 0), + (43263, 2, 28, 'Boots tactiques (basses) jaune pâle', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"jaune pâle"}', 0), + (43264, 2, 28, 'Boots tactiques (basses) vert', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"vert"}', 0), + (43265, 2, 28, 'Boots tactiques (basses) marron', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"marron"}', 0), + (43266, 2, 28, 'Boots tactiques (basses) gris', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"gris"}', 0), + (43267, 2, 28, 'Boots tactiques (basses) bitume', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"bitume"}', 0), + (43268, 2, 28, 'Boots tactiques (basses) rouge', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"rouge"}', 0), + (43269, 2, 28, 'Boots tactiques (basses) orange', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"orange"}', 0), + (43270, 2, 28, 'Boots tactiques (basses) indigo', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"indigo"}', 0), + (43271, 2, 28, 'Boots tactiques (basses) bleu foncé', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"bleu foncé"}', 0), + (43272, 2, 28, 'Boots tactiques (basses) marais', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"marais"}', 0), + (43273, 2, 28, 'Boots tactiques (basses) ciel', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"ciel"}', 0), + (43274, 2, 28, 'Boots tactiques (basses) ardoise', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"ardoise"}', 0), + (43275, 2, 28, 'Boots tactiques (basses) camo blanc', 50, '{"components":{"6":{"Drawable":76,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Boots tactiques (basses)","colorLabel":"camo blanc"}', 0), + (43276, 3, 28, 'Bottines tactiques compensées noir', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"noir"}', 0), + (43277, 3, 28, 'Bottines tactiques compensées gris', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"gris"}', 0), + (43278, 3, 28, 'Bottines tactiques compensées taupe', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"taupe"}', 0), + (43279, 3, 28, 'Bottines tactiques compensées beige', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"beige"}', 0), + (43280, 3, 28, 'Bottines tactiques compensées jaune', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"jaune"}', 0), + (43281, 3, 28, 'Bottines tactiques compensées noir-vert', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"noir-vert"}', 0), + (43282, 3, 28, 'Bottines tactiques compensées noir-abricot', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"noir-abricot"}', 0), + (43283, 3, 28, 'Bottines tactiques compensées noir-violet', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"noir-violet"}', 0), + (43284, 3, 28, 'Bottines tactiques compensées noir-rose', 50, '{"components":{"6":{"Drawable":77,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottines tactiques compensées","colorLabel":"noir-rose"}', 0), + (43285, 1, 29, 'Baskets de sport montantes menthe', 50, '{"components":{"6":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"menthe"}', 0), + (43286, 1, 29, 'Baskets de sport montantes electrique', 50, '{"components":{"6":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"electrique"}', 0), + (43287, 2, 29, 'Baskets de sport montantes menthe', 50, '{"components":{"6":{"Drawable":78,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"menthe"}', 0), + (43288, 2, 29, 'Baskets de sport montantes electrique', 50, '{"components":{"6":{"Drawable":78,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"electrique"}', 0), + (43289, 1, 29, 'Baskets à rebords beige', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"beige"}', 0), + (43290, 1, 29, 'Baskets à rebords ardoise', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"ardoise"}', 0), + (43291, 1, 29, 'Baskets à rebords orage', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"orage"}', 0), + (43292, 1, 29, 'Baskets à rebords vert', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"vert"}', 0), + (43293, 1, 29, 'Baskets à rebords écru', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"écru"}', 0), + (43294, 1, 29, 'Baskets à rebords marron', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"marron"}', 0), + (43295, 1, 29, 'Baskets à rebords abricot', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"abricot"}', 0), + (43296, 1, 29, 'Baskets à rebords forêt', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"forêt"}', 0), + (43297, 1, 29, 'Baskets à rebords orange', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"orange"}', 0), + (43298, 1, 29, 'Baskets à rebords violet', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"violet"}', 0), + (43299, 1, 29, 'Baskets à rebords rose', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"rose"}', 0), + (43300, 1, 29, 'Baskets à rebords lilas', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"lilas"}', 0), + (43301, 1, 29, 'Baskets à rebords anthracite', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"anthracite"}', 0), + (43302, 1, 29, 'Baskets à rebords blanc-noir', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc-noir"}', 0), + (43303, 1, 29, 'Baskets à rebords blanc-rouge', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc-rouge"}', 0), + (43304, 1, 29, 'Baskets à rebords crème', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"crème"}', 0), + (43305, 1, 29, 'Baskets à rebords kaki', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"kaki"}', 0), + (43306, 1, 29, 'Baskets à rebords perle', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"perle"}', 0), + (43307, 1, 29, 'Baskets à rebords bleu', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"bleu"}', 0), + (43308, 1, 29, 'Baskets à rebords feu', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"feu"}', 0), + (43309, 1, 29, 'Baskets à rebords gris', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"gris"}', 0), + (43310, 1, 29, 'Baskets à rebords taupe', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"taupe"}', 0), + (43311, 1, 29, 'Baskets à rebords blanc', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc"}', 0), + (43312, 1, 29, 'Baskets à rebords charbon', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"charbon"}', 0), + (43313, 1, 29, 'Baskets à rebords brun', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"brun"}', 0), + (43314, 2, 29, 'Baskets à rebords beige', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"beige"}', 0), + (43315, 2, 29, 'Baskets à rebords ardoise', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"ardoise"}', 0), + (43316, 2, 29, 'Baskets à rebords orage', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"orage"}', 0), + (43317, 2, 29, 'Baskets à rebords vert', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"vert"}', 0), + (43318, 2, 29, 'Baskets à rebords écru', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"écru"}', 0), + (43319, 2, 29, 'Baskets à rebords marron', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"marron"}', 0), + (43320, 2, 29, 'Baskets à rebords abricot', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"abricot"}', 0), + (43321, 2, 29, 'Baskets à rebords forêt', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"forêt"}', 0), + (43322, 2, 29, 'Baskets à rebords orange', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"orange"}', 0), + (43323, 2, 29, 'Baskets à rebords violet', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"violet"}', 0), + (43324, 2, 29, 'Baskets à rebords rose', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"rose"}', 0), + (43325, 2, 29, 'Baskets à rebords lilas', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"lilas"}', 0), + (43326, 2, 29, 'Baskets à rebords anthracite', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"anthracite"}', 0), + (43327, 2, 29, 'Baskets à rebords blanc-noir', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc-noir"}', 0), + (43328, 2, 29, 'Baskets à rebords blanc-rouge', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc-rouge"}', 0), + (43329, 2, 29, 'Baskets à rebords crème', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"crème"}', 0), + (43330, 2, 29, 'Baskets à rebords kaki', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"kaki"}', 0), + (43331, 2, 29, 'Baskets à rebords perle', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"perle"}', 0), + (43332, 2, 29, 'Baskets à rebords bleu', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"bleu"}', 0), + (43333, 2, 29, 'Baskets à rebords feu', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"feu"}', 0), + (43334, 2, 29, 'Baskets à rebords gris', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"gris"}', 0), + (43335, 2, 29, 'Baskets à rebords taupe', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"taupe"}', 0), + (43336, 2, 29, 'Baskets à rebords blanc', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc"}', 0), + (43337, 2, 29, 'Baskets à rebords charbon', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"charbon"}', 0), + (43338, 2, 29, 'Baskets à rebords brun', 50, '{"components":{"6":{"Drawable":79,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"brun"}', 0), + (43339, 1, 29, 'Baskets à rebords (basses) beige', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"beige"}', 0), + (43340, 1, 29, 'Baskets à rebords (basses) ardoise', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ardoise"}', 0), + (43341, 1, 29, 'Baskets à rebords (basses) orage', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orage"}', 0), + (43342, 1, 29, 'Baskets à rebords (basses) vert', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vert"}', 0), + (43343, 1, 29, 'Baskets à rebords (basses) écru', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"écru"}', 0), + (43344, 1, 29, 'Baskets à rebords (basses) marron', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"marron"}', 0), + (43345, 1, 29, 'Baskets à rebords (basses) abricot', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"abricot"}', 0), + (43346, 1, 29, 'Baskets à rebords (basses) forêt', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"forêt"}', 0), + (43347, 1, 29, 'Baskets à rebords (basses) orange', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orange"}', 0), + (43348, 1, 29, 'Baskets à rebords (basses) violet', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"violet"}', 0), + (43349, 1, 29, 'Baskets à rebords (basses) rose', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"rose"}', 0), + (43350, 1, 29, 'Baskets à rebords (basses) lilas', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"lilas"}', 0), + (43351, 1, 29, 'Baskets à rebords (basses) anthracite', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"anthracite"}', 0), + (43352, 1, 29, 'Baskets à rebords (basses) blanc-noir', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-noir"}', 0), + (43353, 1, 29, 'Baskets à rebords (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-rouge"}', 0), + (43354, 1, 29, 'Baskets à rebords (basses) crème', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"crème"}', 0), + (43355, 1, 29, 'Baskets à rebords (basses) kaki', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"kaki"}', 0), + (43356, 1, 29, 'Baskets à rebords (basses) perle', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"perle"}', 0), + (43357, 1, 29, 'Baskets à rebords (basses) bleu', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"bleu"}', 0), + (43358, 1, 29, 'Baskets à rebords (basses) feu', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"feu"}', 0), + (43359, 1, 29, 'Baskets à rebords (basses) gris', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris"}', 0), + (43360, 1, 29, 'Baskets à rebords (basses) taupe', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"taupe"}', 0), + (43361, 1, 29, 'Baskets à rebords (basses) blanc', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc"}', 0), + (43362, 1, 29, 'Baskets à rebords (basses) charbon', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"charbon"}', 0), + (43363, 1, 29, 'Baskets à rebords (basses) brun', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"brun"}', 0), + (43364, 2, 29, 'Baskets à rebords (basses) beige', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"beige"}', 0), + (43365, 2, 29, 'Baskets à rebords (basses) ardoise', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ardoise"}', 0), + (43366, 2, 29, 'Baskets à rebords (basses) orage', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orage"}', 0), + (43367, 2, 29, 'Baskets à rebords (basses) vert', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vert"}', 0), + (43368, 2, 29, 'Baskets à rebords (basses) écru', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"écru"}', 0), + (43369, 2, 29, 'Baskets à rebords (basses) marron', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"marron"}', 0), + (43370, 2, 29, 'Baskets à rebords (basses) abricot', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"abricot"}', 0), + (43371, 2, 29, 'Baskets à rebords (basses) forêt', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"forêt"}', 0), + (43372, 2, 29, 'Baskets à rebords (basses) orange', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"orange"}', 0), + (43373, 2, 29, 'Baskets à rebords (basses) violet', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"violet"}', 0), + (43374, 2, 29, 'Baskets à rebords (basses) rose', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"rose"}', 0), + (43375, 2, 29, 'Baskets à rebords (basses) lilas', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"lilas"}', 0), + (43376, 2, 29, 'Baskets à rebords (basses) anthracite', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"anthracite"}', 0), + (43377, 2, 29, 'Baskets à rebords (basses) blanc-noir', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-noir"}', 0), + (43378, 2, 29, 'Baskets à rebords (basses) blanc-rouge', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-rouge"}', 0), + (43379, 2, 29, 'Baskets à rebords (basses) crème', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"crème"}', 0), + (43380, 2, 29, 'Baskets à rebords (basses) kaki', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"kaki"}', 0), + (43381, 2, 29, 'Baskets à rebords (basses) perle', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"perle"}', 0), + (43382, 2, 29, 'Baskets à rebords (basses) bleu', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"bleu"}', 0), + (43383, 2, 29, 'Baskets à rebords (basses) feu', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"feu"}', 0), + (43384, 2, 29, 'Baskets à rebords (basses) gris', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris"}', 0), + (43385, 2, 29, 'Baskets à rebords (basses) taupe', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"taupe"}', 0), + (43386, 2, 29, 'Baskets à rebords (basses) blanc', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc"}', 0), + (43387, 2, 29, 'Baskets à rebords (basses) charbon', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"charbon"}', 0), + (43388, 2, 29, 'Baskets à rebords (basses) brun', 50, '{"components":{"6":{"Drawable":80,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"brun"}', 0), + (43389, 1, 30, 'Chaussures néons blanc-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-bleu"}', 0), + (43390, 1, 30, 'Chaussures néons blanc-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-vert"}', 0), + (43391, 1, 30, 'Chaussures néons blanc-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-violet"}', 0), + (43392, 1, 30, 'Chaussures néons blanc-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-rouge"}', 0), + (43393, 1, 30, 'Chaussures néons gris-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-bleu"}', 0), + (43394, 1, 30, 'Chaussures néons gris-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-vert"}', 0), + (43395, 1, 30, 'Chaussures néons gris-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-violet"}', 0), + (43396, 1, 30, 'Chaussures néons gris-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-rouge"}', 0), + (43397, 1, 30, 'Chaussures néons noir-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-bleu"}', 0), + (43398, 1, 30, 'Chaussures néons noir-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-vert"}', 0), + (43399, 1, 30, 'Chaussures néons noir-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-violet"}', 0), + (43400, 1, 30, 'Chaussures néons noir-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-rouge"}', 0), + (43401, 1, 30, 'Chaussures néons rose-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"rose-bleu"}', 0), + (43402, 1, 30, 'Chaussures néons rose-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"rose-vert"}', 0), + (43403, 1, 30, 'Chaussures néons anthracite-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"anthracite-violet"}', 0), + (43404, 1, 30, 'Chaussures néons anthracite-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"anthracite-rouge"}', 0), + (43405, 1, 30, 'Chaussures néons perle-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"perle-bleu"}', 0), + (43406, 1, 30, 'Chaussures néons anthracite-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"anthracite-vert"}', 0), + (43407, 1, 30, 'Chaussures néons acier-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"acier-violet"}', 0), + (43408, 1, 30, 'Chaussures néons perle-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"perle-rouge"}', 0), + (43409, 1, 30, 'Chaussures néons acier-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"acier-rouge"}', 0), + (43410, 1, 30, 'Chaussures néons noir-rose', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-rose"}', 0), + (43411, 1, 30, 'Chaussures néons vert-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"vert-vert"}', 0), + (43412, 1, 30, 'Chaussures néons orange-orange', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"orange-orange"}', 0), + (43413, 1, 30, 'Chaussures néons bleu-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"bleu-bleu"}', 0), + (43414, 2, 30, 'Chaussures néons blanc-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-bleu"}', 0), + (43415, 2, 30, 'Chaussures néons blanc-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-vert"}', 0), + (43416, 2, 30, 'Chaussures néons blanc-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-violet"}', 0), + (43417, 2, 30, 'Chaussures néons blanc-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"blanc-rouge"}', 0), + (43418, 2, 30, 'Chaussures néons gris-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-bleu"}', 0), + (43419, 2, 30, 'Chaussures néons gris-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-vert"}', 0), + (43420, 2, 30, 'Chaussures néons gris-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-violet"}', 0), + (43421, 2, 30, 'Chaussures néons gris-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"gris-rouge"}', 0), + (43422, 2, 30, 'Chaussures néons noir-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-bleu"}', 0), + (43423, 2, 30, 'Chaussures néons noir-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-vert"}', 0), + (43424, 2, 30, 'Chaussures néons noir-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-violet"}', 0), + (43425, 2, 30, 'Chaussures néons noir-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-rouge"}', 0), + (43426, 2, 30, 'Chaussures néons rose-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"rose-bleu"}', 0), + (43427, 2, 30, 'Chaussures néons rose-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"rose-vert"}', 0), + (43428, 2, 30, 'Chaussures néons anthracite-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"anthracite-violet"}', 0), + (43429, 2, 30, 'Chaussures néons anthracite-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"anthracite-rouge"}', 0), + (43430, 2, 30, 'Chaussures néons perle-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"perle-bleu"}', 0), + (43431, 2, 30, 'Chaussures néons anthracite-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"anthracite-vert"}', 0), + (43432, 2, 30, 'Chaussures néons acier-violet', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"acier-violet"}', 0), + (43433, 2, 30, 'Chaussures néons perle-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"perle-rouge"}', 0), + (43434, 2, 30, 'Chaussures néons acier-rouge', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"acier-rouge"}', 0), + (43435, 2, 30, 'Chaussures néons noir-rose', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"noir-rose"}', 0), + (43436, 2, 30, 'Chaussures néons vert-vert', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"vert-vert"}', 0), + (43437, 2, 30, 'Chaussures néons orange-orange', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"orange-orange"}', 0), + (43438, 2, 30, 'Chaussures néons bleu-bleu', 50, '{"components":{"6":{"Drawable":81,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures néons","colorLabel":"bleu-bleu"}', 0), + (43439, 1, 28, 'Boots à flammes Eliot', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots à flammes","colorLabel":"Eliot"}', 0), + (43440, 1, 28, 'Boots à flammes rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots à flammes","colorLabel":"rouge"}', 0), + (43441, 2, 28, 'Boots à flammes Eliot', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots à flammes","colorLabel":"Eliot"}', 0), + (43442, 2, 28, 'Boots à flammes rouge', 50, '{"components":{"6":{"Drawable":83,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots à flammes","colorLabel":"rouge"}', 0), + (43443, 1, 28, 'Boots à flammes (basses) orange', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots à flammes (basses)","colorLabel":"orange"}', 0), + (43444, 1, 28, 'Boots à flammes (basses) rouge', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots à flammes (basses)","colorLabel":"rouge"}', 0), + (43445, 2, 28, 'Boots à flammes (basses) orange', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots à flammes (basses)","colorLabel":"orange"}', 0), + (43446, 2, 28, 'Boots à flammes (basses) rouge', 50, '{"components":{"6":{"Drawable":84,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Boots à flammes (basses)","colorLabel":"rouge"}', 0), + (43447, 1, 28, 'Bottines plates noir', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines plates","colorLabel":"noir"}', 0), + (43448, 1, 28, 'Bottines plates marron', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines plates","colorLabel":"marron"}', 0), + (43449, 1, 28, 'Bottines plates beige', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines plates","colorLabel":"beige"}', 0), + (43450, 2, 28, 'Bottines plates noir', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines plates","colorLabel":"noir"}', 0), + (43451, 2, 28, 'Bottines plates marron', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines plates","colorLabel":"marron"}', 0), + (43452, 2, 28, 'Bottines plates beige', 50, '{"components":{"6":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines plates","colorLabel":"beige"}', 0), + (43453, 1, 28, 'Bottines plates (basses) noir', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines plates (basses)","colorLabel":"noir"}', 0), + (43454, 1, 28, 'Bottines plates (basses) marron', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines plates (basses)","colorLabel":"marron"}', 0), + (43455, 1, 28, 'Bottines plates (basses) beige', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines plates (basses)","colorLabel":"beige"}', 0), + (43456, 2, 28, 'Bottines plates (basses) noir', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottines plates (basses)","colorLabel":"noir"}', 0), + (43457, 2, 28, 'Bottines plates (basses) marron', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottines plates (basses)","colorLabel":"marron"}', 0), + (43458, 2, 28, 'Bottines plates (basses) beige', 50, '{"components":{"6":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottines plates (basses)","colorLabel":"beige"}', 0), + (43459, 1, 31, 'Espadrilles couvrantes robot jaune', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot jaune"}', 0), + (43460, 1, 31, 'Espadrilles couvrantes robot bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot bleu"}', 0), + (43461, 1, 31, 'Espadrilles couvrantes cyber bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber bleu"}', 0), + (43462, 1, 31, 'Espadrilles couvrantes cyber rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber rouge"}', 0), + (43463, 1, 31, 'Espadrilles couvrantes flèches turquoise', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches turquoise"}', 0), + (43464, 1, 31, 'Espadrilles couvrantes flèches violettes', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches violettes"}', 0), + (43465, 1, 31, 'Espadrilles couvrantes néon turquoise-rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon turquoise-rose"}', 0), + (43466, 1, 31, 'Espadrilles couvrantes néon vert-rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon vert-rouge"}', 0), + (43467, 1, 31, 'Espadrilles couvrantes fond vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond vert"}', 0), + (43468, 1, 31, 'Espadrilles couvrantes fond violet', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond violet"}', 0), + (43469, 1, 31, 'Espadrilles couvrantes naïade vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade vert"}', 0), + (43470, 1, 31, 'Espadrilles couvrantes naïade rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade rose"}', 0), + (43471, 1, 31, 'Espadrilles couvrantes galaxie bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie bleu"}', 0), + (43472, 1, 31, 'Espadrilles couvrantes galaxie rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie rose"}', 0), + (43473, 1, 31, 'Espadrilles couvrantes voie lactée bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée bleu"}', 0), + (43474, 1, 31, 'Espadrilles couvrantes voie lactée jaune', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée jaune"}', 0), + (43475, 1, 31, 'Espadrilles couvrantes guirlande dorée', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande dorée"}', 0), + (43476, 1, 31, 'Espadrilles couvrantes guirlande noël rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rouge"}', 0), + (43477, 1, 31, 'Espadrilles couvrantes guirlande turquoise', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande turquoise"}', 0), + (43478, 1, 31, 'Espadrilles couvrantes guirlande noël rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rose"}', 0), + (43479, 2, 31, 'Espadrilles couvrantes robot jaune', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot jaune"}', 0), + (43480, 2, 31, 'Espadrilles couvrantes robot bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"robot bleu"}', 0), + (43481, 2, 31, 'Espadrilles couvrantes cyber bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber bleu"}', 0), + (43482, 2, 31, 'Espadrilles couvrantes cyber rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"cyber rouge"}', 0), + (43483, 2, 31, 'Espadrilles couvrantes flèches turquoise', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches turquoise"}', 0), + (43484, 2, 31, 'Espadrilles couvrantes flèches violettes', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"flèches violettes"}', 0), + (43485, 2, 31, 'Espadrilles couvrantes néon turquoise-rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon turquoise-rose"}', 0), + (43486, 2, 31, 'Espadrilles couvrantes néon vert-rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"néon vert-rouge"}', 0), + (43487, 2, 31, 'Espadrilles couvrantes fond vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond vert"}', 0), + (43488, 2, 31, 'Espadrilles couvrantes fond violet', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"fond violet"}', 0), + (43489, 2, 31, 'Espadrilles couvrantes naïade vert', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade vert"}', 0), + (43490, 2, 31, 'Espadrilles couvrantes naïade rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"naïade rose"}', 0), + (43491, 2, 31, 'Espadrilles couvrantes galaxie bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie bleu"}', 0), + (43492, 2, 31, 'Espadrilles couvrantes galaxie rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"galaxie rose"}', 0), + (43493, 2, 31, 'Espadrilles couvrantes voie lactée bleu', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée bleu"}', 0), + (43494, 2, 31, 'Espadrilles couvrantes voie lactée jaune', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"voie lactée jaune"}', 0), + (43495, 2, 31, 'Espadrilles couvrantes guirlande dorée', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande dorée"}', 0), + (43496, 2, 31, 'Espadrilles couvrantes guirlande noël rouge', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rouge"}', 0), + (43497, 2, 31, 'Espadrilles couvrantes guirlande turquoise', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande turquoise"}', 0), + (43498, 2, 31, 'Espadrilles couvrantes guirlande noël rose', 50, '{"components":{"6":{"Drawable":87,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"guirlande noël rose"}', 0), + (43499, 1, 31, 'Bottes médiévales marron', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"marron"}', 0), + (43500, 1, 31, 'Bottes médiévales noir', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"noir"}', 0), + (43501, 1, 31, 'Bottes médiévales vert', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"vert"}', 0), + (43502, 1, 31, 'Bottes médiévales beige', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"beige"}', 0), + (43503, 1, 31, 'Bottes médiévales blanc', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"blanc"}', 0), + (43504, 1, 31, 'Bottes médiévales gris', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"gris"}', 0), + (43505, 1, 31, 'Bottes médiévales rouge', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"rouge"}', 0), + (43506, 1, 31, 'Bottes médiévales taupe', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"taupe"}', 0), + (43507, 2, 31, 'Bottes médiévales marron', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"marron"}', 0), + (43508, 2, 31, 'Bottes médiévales noir', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"noir"}', 0), + (43509, 2, 31, 'Bottes médiévales vert', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"vert"}', 0), + (43510, 2, 31, 'Bottes médiévales beige', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"beige"}', 0), + (43511, 2, 31, 'Bottes médiévales blanc', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"blanc"}', 0), + (43512, 2, 31, 'Bottes médiévales gris', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"gris"}', 0), + (43513, 2, 31, 'Bottes médiévales rouge', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"rouge"}', 0), + (43514, 2, 31, 'Bottes médiévales taupe', 50, '{"components":{"6":{"Drawable":88,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes médiévales","colorLabel":"taupe"}', 0), + (43515, 1, 28, 'Bottes renforcées marron', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"marron"}', 0), + (43516, 1, 28, 'Bottes renforcées noir', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"noir"}', 0), + (43517, 1, 28, 'Bottes renforcées vert', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"vert"}', 0), + (43518, 1, 28, 'Bottes renforcées crème', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"crème"}', 0), + (43519, 1, 28, 'Bottes renforcées bleu clair', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"bleu clair"}', 0), + (43520, 1, 28, 'Bottes renforcées prairie', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"prairie"}', 0), + (43521, 1, 28, 'Bottes renforcées perle', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"perle"}', 0), + (43522, 1, 28, 'Bottes renforcées vanille', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"vanille"}', 0), + (43523, 1, 28, 'Bottes renforcées jaune', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"jaune"}', 0), + (43524, 1, 28, 'Bottes renforcées anthracite', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"anthracite"}', 0), + (43525, 1, 28, 'Bottes renforcées rouge', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"rouge"}', 0), + (43526, 1, 28, 'Bottes renforcées bleu', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"bleu"}', 0), + (43527, 1, 28, 'Bottes renforcées kaki', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"kaki"}', 0), + (43528, 1, 28, 'Bottes renforcées abricot', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"abricot"}', 0), + (43529, 1, 28, 'Bottes renforcées violet', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"violet"}', 0), + (43530, 1, 28, 'Bottes renforcées rose', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"rose"}', 0), + (43531, 2, 28, 'Bottes renforcées marron', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"marron"}', 0), + (43532, 2, 28, 'Bottes renforcées noir', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"noir"}', 0), + (43533, 2, 28, 'Bottes renforcées vert', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"vert"}', 0), + (43534, 2, 28, 'Bottes renforcées crème', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"crème"}', 0), + (43535, 2, 28, 'Bottes renforcées bleu clair', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"bleu clair"}', 0), + (43536, 2, 28, 'Bottes renforcées prairie', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"prairie"}', 0), + (43537, 2, 28, 'Bottes renforcées perle', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"perle"}', 0), + (43538, 2, 28, 'Bottes renforcées vanille', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"vanille"}', 0), + (43539, 2, 28, 'Bottes renforcées jaune', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"jaune"}', 0), + (43540, 2, 28, 'Bottes renforcées anthracite', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"anthracite"}', 0), + (43541, 2, 28, 'Bottes renforcées rouge', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"rouge"}', 0), + (43542, 2, 28, 'Bottes renforcées bleu', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"bleu"}', 0), + (43543, 2, 28, 'Bottes renforcées kaki', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"kaki"}', 0), + (43544, 2, 28, 'Bottes renforcées abricot', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"abricot"}', 0), + (43545, 2, 28, 'Bottes renforcées violet', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"violet"}', 0), + (43546, 2, 28, 'Bottes renforcées rose', 50, '{"components":{"6":{"Drawable":89,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées","colorLabel":"rose"}', 0), + (43547, 1, 28, 'Bottes renforcées (basses) marron', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"marron"}', 0), + (43548, 1, 28, 'Bottes renforcées (basses) noir', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"noir"}', 0), + (43549, 1, 28, 'Bottes renforcées (basses) vert', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vert"}', 0), + (43550, 1, 28, 'Bottes renforcées (basses) crème', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"crème"}', 0), + (43551, 1, 28, 'Bottes renforcées (basses) bleu clair', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu clair"}', 0), + (43552, 1, 28, 'Bottes renforcées (basses) prairie', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"prairie"}', 0), + (43553, 1, 28, 'Bottes renforcées (basses) perle', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"perle"}', 0), + (43554, 1, 28, 'Bottes renforcées (basses) vanille', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vanille"}', 0), + (43555, 1, 28, 'Bottes renforcées (basses) jaune', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"jaune"}', 0), + (43556, 1, 28, 'Bottes renforcées (basses) anthracite', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"anthracite"}', 0), + (43557, 1, 28, 'Bottes renforcées (basses) rouge', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rouge"}', 0), + (43558, 1, 28, 'Bottes renforcées (basses) bleu', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu"}', 0), + (43559, 1, 28, 'Bottes renforcées (basses) kaki', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"kaki"}', 0), + (43560, 1, 28, 'Bottes renforcées (basses) abricot', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"abricot"}', 0), + (43561, 1, 28, 'Bottes renforcées (basses) violet', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"violet"}', 0), + (43562, 1, 28, 'Bottes renforcées (basses) rose', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rose"}', 0), + (43563, 2, 28, 'Bottes renforcées (basses) marron', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"marron"}', 0), + (43564, 2, 28, 'Bottes renforcées (basses) noir', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"noir"}', 0), + (43565, 2, 28, 'Bottes renforcées (basses) vert', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vert"}', 0), + (43566, 2, 28, 'Bottes renforcées (basses) crème', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"crème"}', 0), + (43567, 2, 28, 'Bottes renforcées (basses) bleu clair', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu clair"}', 0), + (43568, 2, 28, 'Bottes renforcées (basses) prairie', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"prairie"}', 0), + (43569, 2, 28, 'Bottes renforcées (basses) perle', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"perle"}', 0), + (43570, 2, 28, 'Bottes renforcées (basses) vanille', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"vanille"}', 0), + (43571, 2, 28, 'Bottes renforcées (basses) jaune', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"jaune"}', 0), + (43572, 2, 28, 'Bottes renforcées (basses) anthracite', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"anthracite"}', 0), + (43573, 2, 28, 'Bottes renforcées (basses) rouge', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rouge"}', 0), + (43574, 2, 28, 'Bottes renforcées (basses) bleu', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"bleu"}', 0), + (43575, 2, 28, 'Bottes renforcées (basses) kaki', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"kaki"}', 0), + (43576, 2, 28, 'Bottes renforcées (basses) abricot', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"abricot"}', 0), + (43577, 2, 28, 'Bottes renforcées (basses) violet', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"violet"}', 0), + (43578, 2, 28, 'Bottes renforcées (basses) rose', 50, '{"components":{"6":{"Drawable":90,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes renforcées (basses)","colorLabel":"rose"}', 0), + (43579, 1, 31, 'Bottes d\'astronaute rouge', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"rouge"}', 0), + (43580, 1, 31, 'Bottes d\'astronaute lime', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"lime"}', 0), + (43581, 1, 31, 'Bottes d\'astronaute menthe', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"menthe"}', 0), + (43582, 1, 31, 'Bottes d\'astronaute abricot', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"abricot"}', 0), + (43583, 1, 31, 'Bottes d\'astronaute bleu clair', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu clair"}', 0), + (43584, 1, 31, 'Bottes d\'astronaute bleu', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu"}', 0), + (43585, 1, 31, 'Bottes d\'astronaute gris', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"gris"}', 0), + (43586, 1, 31, 'Bottes d\'astronaute anthracite', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"anthracite"}', 0), + (43587, 1, 31, 'Bottes d\'astronaute lie-de-vin', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"lie-de-vin"}', 0), + (43588, 1, 31, 'Bottes d\'astronaute vert', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"vert"}', 0), + (43589, 1, 31, 'Bottes d\'astronaute noir-vert', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-vert"}', 0), + (43590, 1, 31, 'Bottes d\'astronaute noir-abricot', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-abricot"}', 0), + (43591, 1, 31, 'Bottes d\'astronaute noir-violet', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-violet"}', 0), + (43592, 1, 31, 'Bottes d\'astronaute noir-rose', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-rose"}', 0), + (43593, 1, 31, 'Bottes d\'astronaute brun', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"brun"}', 0), + (43594, 1, 31, 'Bottes d\'astronaute car. blanc', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"car. blanc"}', 0), + (43595, 1, 31, 'Bottes d\'astronaute noir', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir"}', 0), + (43596, 1, 31, 'Bottes d\'astronaute acier', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"acier"}', 0), + (43597, 2, 31, 'Bottes d\'astronaute rouge', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"rouge"}', 0), + (43598, 2, 31, 'Bottes d\'astronaute lime', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"lime"}', 0), + (43599, 2, 31, 'Bottes d\'astronaute menthe', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"menthe"}', 0), + (43600, 2, 31, 'Bottes d\'astronaute abricot', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"abricot"}', 0), + (43601, 2, 31, 'Bottes d\'astronaute bleu clair', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu clair"}', 0), + (43602, 2, 31, 'Bottes d\'astronaute bleu', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"bleu"}', 0), + (43603, 2, 31, 'Bottes d\'astronaute gris', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"gris"}', 0), + (43604, 2, 31, 'Bottes d\'astronaute anthracite', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"anthracite"}', 0), + (43605, 2, 31, 'Bottes d\'astronaute lie-de-vin', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"lie-de-vin"}', 0), + (43606, 2, 31, 'Bottes d\'astronaute vert', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"vert"}', 0), + (43607, 2, 31, 'Bottes d\'astronaute noir-vert', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-vert"}', 0), + (43608, 2, 31, 'Bottes d\'astronaute noir-abricot', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-abricot"}', 0), + (43609, 2, 31, 'Bottes d\'astronaute noir-violet', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-violet"}', 0), + (43610, 2, 31, 'Bottes d\'astronaute noir-rose', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir-rose"}', 0), + (43611, 2, 31, 'Bottes d\'astronaute brun', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"brun"}', 0), + (43612, 2, 31, 'Bottes d\'astronaute car. blanc', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"car. blanc"}', 0), + (43613, 2, 31, 'Bottes d\'astronaute noir', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"noir"}', 0), + (43614, 2, 31, 'Bottes d\'astronaute acier', 50, '{"components":{"6":{"Drawable":91,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Bottes d\'astronaute","colorLabel":"acier"}', 0), + (43615, 3, 32, 'Bottes à fourrure perle', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"perle"}', 0), + (43616, 3, 32, 'Bottes à fourrure noir', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"noir"}', 0), + (43617, 3, 32, 'Bottes à fourrure taupe', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"taupe"}', 0), + (43618, 3, 32, 'Bottes à fourrure café', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"café"}', 0), + (43619, 3, 32, 'Bottes à fourrure orange', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"orange"}', 0), + (43620, 3, 32, 'Bottes à fourrure jaune', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"jaune"}', 0), + (43621, 3, 32, 'Bottes à fourrure acier', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"acier"}', 0), + (43622, 3, 32, 'Bottes à fourrure blanc', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"blanc"}', 0), + (43623, 3, 32, 'Bottes à fourrure vert', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"vert"}', 0), + (43624, 3, 32, 'Bottes à fourrure brun', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"brun"}', 0), + (43625, 3, 32, 'Bottes à fourrure violet', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"violet"}', 0), + (43626, 3, 32, 'Bottes à fourrure rose', 50, '{"components":{"6":{"Drawable":92,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes à fourrure","colorLabel":"rose"}', 0), + (43627, 1, 29, 'Baskets de sport montantes café au lait', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"café au lait"}', 0), + (43628, 2, 29, 'Baskets de sport montantes café au lait', 50, '{"components":{"6":{"Drawable":93,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"café au lait"}', 0), + (43629, 1, 31, 'Costume ranger de l\'espace vert', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (43630, 2, 31, 'Costume ranger de l\'espace vert', 50, '{"components":{"6":{"Drawable":94,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume ranger de l\'espace","colorLabel":"vert"}', 0), + (43631, 1, 31, 'Costume super-héros bleu', 50, '{"components":{"6":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume super-héros","colorLabel":"bleu"}', 0), + (43632, 2, 31, 'Costume super-héros bleu', 50, '{"components":{"6":{"Drawable":95,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Costume super-héros","colorLabel":"bleu"}', 0), + (43633, 1, 29, 'Baskets à rebords océan', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"océan"}', 0), + (43634, 1, 29, 'Baskets à rebords vanille', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"vanille"}', 0), + (43635, 1, 29, 'Baskets à rebords menthe', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"menthe"}', 0), + (43636, 1, 29, 'Baskets à rebords prune', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"prune"}', 0), + (43637, 1, 29, 'Baskets à rebords framboise', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"framboise"}', 0), + (43638, 1, 29, 'Baskets à rebords aluminium', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"aluminium"}', 0), + (43639, 1, 29, 'Baskets à rebords fer', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"fer"}', 0), + (43640, 1, 29, 'Baskets à rebords aqua', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"aqua"}', 0), + (43641, 1, 29, 'Baskets à rebords fairy', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"fairy"}', 0), + (43642, 1, 29, 'Baskets à rebords papillon', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"papillon"}', 0), + (43643, 1, 29, 'Baskets à rebords sunset', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"sunset"}', 0), + (43644, 1, 29, 'Baskets à rebords ivoire', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"ivoire"}', 0), + (43645, 1, 29, 'Baskets à rebords nuage', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"nuage"}', 0), + (43646, 1, 29, 'Baskets à rebords gris clair', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"gris clair"}', 0), + (43647, 1, 29, 'Baskets à rebords blanc-gris', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc-gris"}', 0), + (43648, 2, 29, 'Baskets à rebords océan', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"océan"}', 0), + (43649, 2, 29, 'Baskets à rebords vanille', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"vanille"}', 0), + (43650, 2, 29, 'Baskets à rebords menthe', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"menthe"}', 0), + (43651, 2, 29, 'Baskets à rebords prune', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"prune"}', 0), + (43652, 2, 29, 'Baskets à rebords framboise', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"framboise"}', 0), + (43653, 2, 29, 'Baskets à rebords aluminium', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"aluminium"}', 0), + (43654, 2, 29, 'Baskets à rebords fer', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"fer"}', 0), + (43655, 2, 29, 'Baskets à rebords aqua', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"aqua"}', 0), + (43656, 2, 29, 'Baskets à rebords fairy', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"fairy"}', 0), + (43657, 2, 29, 'Baskets à rebords papillon', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"papillon"}', 0), + (43658, 2, 29, 'Baskets à rebords sunset', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"sunset"}', 0), + (43659, 2, 29, 'Baskets à rebords ivoire', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"ivoire"}', 0), + (43660, 2, 29, 'Baskets à rebords nuage', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"nuage"}', 0), + (43661, 2, 29, 'Baskets à rebords gris clair', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"gris clair"}', 0), + (43662, 2, 29, 'Baskets à rebords blanc-gris', 50, '{"components":{"6":{"Drawable":96,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords","colorLabel":"blanc-gris"}', 0), + (43663, 1, 29, 'Baskets à rebords (basses) océan', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"océan"}', 0), + (43664, 1, 29, 'Baskets à rebords (basses) vanille', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vanille"}', 0), + (43665, 1, 29, 'Baskets à rebords (basses) menthe', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"menthe"}', 0), + (43666, 1, 29, 'Baskets à rebords (basses) prune', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"prune"}', 0), + (43667, 1, 29, 'Baskets à rebords (basses) framboise', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"framboise"}', 0), + (43668, 1, 29, 'Baskets à rebords (basses) aluminium', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aluminium"}', 0), + (43669, 1, 29, 'Baskets à rebords (basses) fer', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fer"}', 0), + (43670, 1, 29, 'Baskets à rebords (basses) aqua', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aqua"}', 0), + (43671, 1, 29, 'Baskets à rebords (basses) fairy', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fairy"}', 0), + (43672, 1, 29, 'Baskets à rebords (basses) papillon', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"papillon"}', 0), + (43673, 1, 29, 'Baskets à rebords (basses) sunset', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"sunset"}', 0), + (43674, 1, 29, 'Baskets à rebords (basses) ivoire', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ivoire"}', 0), + (43675, 1, 29, 'Baskets à rebords (basses) nuage', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"nuage"}', 0), + (43676, 1, 29, 'Baskets à rebords (basses) gris clair', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris clair"}', 0), + (43677, 1, 29, 'Baskets à rebords (basses) blanc-gris', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-gris"}', 0), + (43678, 2, 29, 'Baskets à rebords (basses) océan', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"océan"}', 0), + (43679, 2, 29, 'Baskets à rebords (basses) vanille', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"vanille"}', 0), + (43680, 2, 29, 'Baskets à rebords (basses) menthe', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"menthe"}', 0), + (43681, 2, 29, 'Baskets à rebords (basses) prune', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"prune"}', 0), + (43682, 2, 29, 'Baskets à rebords (basses) framboise', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"framboise"}', 0), + (43683, 2, 29, 'Baskets à rebords (basses) aluminium', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aluminium"}', 0), + (43684, 2, 29, 'Baskets à rebords (basses) fer', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fer"}', 0), + (43685, 2, 29, 'Baskets à rebords (basses) aqua', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"aqua"}', 0), + (43686, 2, 29, 'Baskets à rebords (basses) fairy', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"fairy"}', 0), + (43687, 2, 29, 'Baskets à rebords (basses) papillon', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"papillon"}', 0), + (43688, 2, 29, 'Baskets à rebords (basses) sunset', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"sunset"}', 0), + (43689, 2, 29, 'Baskets à rebords (basses) ivoire', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"ivoire"}', 0), + (43690, 2, 29, 'Baskets à rebords (basses) nuage', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"nuage"}', 0), + (43691, 2, 29, 'Baskets à rebords (basses) gris clair', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"gris clair"}', 0), + (43692, 2, 29, 'Baskets à rebords (basses) blanc-gris', 50, '{"components":{"6":{"Drawable":97,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Baskets à rebords (basses)","colorLabel":"blanc-gris"}', 0), + (43693, 3, 30, 'Slip-on italy', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"italy"}', 0), + (43694, 3, 30, 'Slip-on bleu', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"bleu"}', 0), + (43695, 3, 30, 'Slip-on vert', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"vert"}', 0), + (43696, 3, 30, 'Slip-on rouge', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"rouge"}', 0), + (43697, 3, 30, 'Slip-on jaune', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"jaune"}', 0), + (43698, 3, 30, 'Slip-on bleu-jaune', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"bleu-jaune"}', 0), + (43699, 3, 30, 'Slip-on rouge-bleu', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"rouge-bleu"}', 0), + (43700, 3, 30, 'Slip-on jaune-bleu', 50, '{"components":{"6":{"Drawable":98,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"jaune-bleu"}', 0), + (43701, 3, 30, 'Slip-on citron', 50, '{"components":{"6":{"Drawable":99,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Slip-on","colorLabel":"citron"}', 0), + (43702, 1, 28, 'Boots en cuir fermées lisse noir', 50, '{"components":{"6":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"lisse noir"}', 0), + (43703, 2, 28, 'Boots en cuir fermées lisse noir', 50, '{"components":{"6":{"Drawable":100,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées","colorLabel":"lisse noir"}', 0), + (43704, 1, 28, 'Boots en cuir fermées (basses) lisse noir', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"lisse noir"}', 0), + (43705, 2, 28, 'Boots en cuir fermées (basses) lisse noir', 50, '{"components":{"6":{"Drawable":101,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Boots en cuir fermées (basses)","colorLabel":"lisse noir"}', 0), + (43706, 1, 29, 'Tennis blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"blanc"}', 0), + (43707, 1, 29, 'Tennis blanc-noir', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"blanc-noir"}', 0), + (43708, 1, 29, 'Tennis noir-turquoise', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"noir-turquoise"}', 0), + (43709, 1, 29, 'Tennis noir-blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"noir-blanc"}', 0), + (43710, 1, 29, 'Tennis crème', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"crème"}', 0), + (43711, 1, 29, 'Tennis encre', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"encre"}', 0), + (43712, 1, 29, 'Tennis noir-lime', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"noir-lime"}', 0), + (43713, 1, 29, 'Tennis candy', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"candy"}', 0), + (43714, 1, 29, 'Tennis rose', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"rose"}', 0), + (43715, 1, 29, 'Tennis rouge-noir', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"rouge-noir"}', 0), + (43716, 1, 29, 'Tennis aqua', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"aqua"}', 0), + (43717, 1, 29, 'Tennis violet-blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"violet-blanc"}', 0), + (43718, 1, 29, 'Tennis taupe', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"taupe"}', 0), + (43719, 1, 29, 'Tennis anthracite', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"anthracite"}', 0), + (43720, 1, 29, 'Tennis anthracite-menthe', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"anthracite-menthe"}', 0), + (43721, 1, 29, 'Tennis anthracite-turquoise', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"anthracite-turquoise"}', 0), + (43722, 1, 29, 'Tennis electrique', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"electrique"}', 0), + (43723, 1, 29, 'Tennis océan', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"océan"}', 0), + (43724, 1, 29, 'Tennis gris', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"gris"}', 0), + (43725, 1, 29, 'Tennis lavande', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"lavande"}', 0), + (43726, 1, 29, 'Tennis perle', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"perle"}', 0), + (43727, 1, 29, 'Tennis corail', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"corail"}', 0), + (43728, 1, 29, 'Tennis bunny', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"bunny"}', 0), + (43729, 1, 29, 'Tennis floral', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"floral"}', 0), + (43730, 2, 29, 'Tennis blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"blanc"}', 0), + (43731, 2, 29, 'Tennis blanc-noir', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"blanc-noir"}', 0), + (43732, 2, 29, 'Tennis noir-turquoise', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"noir-turquoise"}', 0), + (43733, 2, 29, 'Tennis noir-blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"noir-blanc"}', 0), + (43734, 2, 29, 'Tennis crème', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"crème"}', 0), + (43735, 2, 29, 'Tennis encre', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"encre"}', 0), + (43736, 2, 29, 'Tennis noir-lime', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"noir-lime"}', 0), + (43737, 2, 29, 'Tennis candy', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"candy"}', 0), + (43738, 2, 29, 'Tennis rose', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"rose"}', 0), + (43739, 2, 29, 'Tennis rouge-noir', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"rouge-noir"}', 0), + (43740, 2, 29, 'Tennis aqua', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"aqua"}', 0), + (43741, 2, 29, 'Tennis violet-blanc', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"violet-blanc"}', 0), + (43742, 2, 29, 'Tennis taupe', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"taupe"}', 0), + (43743, 2, 29, 'Tennis anthracite', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"anthracite"}', 0), + (43744, 2, 29, 'Tennis anthracite-menthe', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"anthracite-menthe"}', 0), + (43745, 2, 29, 'Tennis anthracite-turquoise', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"anthracite-turquoise"}', 0), + (43746, 2, 29, 'Tennis electrique', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"electrique"}', 0), + (43747, 2, 29, 'Tennis océan', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"océan"}', 0), + (43748, 2, 29, 'Tennis gris', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"gris"}', 0), + (43749, 2, 29, 'Tennis lavande', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"lavande"}', 0), + (43750, 2, 29, 'Tennis perle', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"perle"}', 0), + (43751, 2, 29, 'Tennis corail', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"corail"}', 0), + (43752, 2, 29, 'Tennis bunny', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"bunny"}', 0), + (43753, 2, 29, 'Tennis floral', 50, '{"components":{"6":{"Drawable":103,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Tennis","colorLabel":"floral"}', 0), + (43754, 1, 31, 'Espadrilles couvrantes rouge', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"rouge"}', 0), + (43755, 1, 31, 'Espadrilles couvrantes vert', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"vert"}', 0), + (43756, 2, 31, 'Espadrilles couvrantes rouge', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"rouge"}', 0), + (43757, 2, 31, 'Espadrilles couvrantes vert', 50, '{"components":{"6":{"Drawable":104,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Espadrilles couvrantes","colorLabel":"vert"}', 0), + (43758, 1, 29, 'Baskets de sport montantes blanc-doré', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-doré"}', 0), + (43759, 1, 29, 'Baskets de sport montantes noir-noir', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-noir"}', 0), + (43760, 1, 29, 'Baskets de sport montantes noir-doré', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-doré"}', 0), + (43761, 1, 29, 'Baskets de sport montantes blanc-rouge', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-rouge"}', 0), + (43762, 1, 29, 'Baskets de sport montantes blanc-bleu', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-bleu"}', 0), + (43763, 1, 29, 'Baskets de sport montantes noir-gris', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-gris"}', 0), + (43764, 1, 29, 'Baskets de sport montantes noir-rose', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-rose"}', 0), + (43765, 2, 29, 'Baskets de sport montantes blanc-doré', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-doré"}', 0), + (43766, 2, 29, 'Baskets de sport montantes noir-noir', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-noir"}', 0), + (43767, 2, 29, 'Baskets de sport montantes noir-doré', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-doré"}', 0), + (43768, 2, 29, 'Baskets de sport montantes blanc-rouge', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-rouge"}', 0), + (43769, 2, 29, 'Baskets de sport montantes blanc-bleu', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"blanc-bleu"}', 0), + (43770, 2, 29, 'Baskets de sport montantes noir-gris', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-gris"}', 0), + (43771, 2, 29, 'Baskets de sport montantes noir-rose', 50, '{"components":{"6":{"Drawable":105,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Baskets de sport montantes","colorLabel":"noir-rose"}', 0), + (43772, 3, 28, 'Bottes à lacets noir', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"noir"}', 0), + (43773, 3, 28, 'Bottes à lacets marron', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"marron"}', 0), + (43774, 3, 28, 'Bottes à lacets rouge', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"rouge"}', 0), + (43775, 3, 28, 'Bottes à lacets orange', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"orange"}', 0), + (43776, 3, 28, 'Bottes à lacets blanc', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"blanc"}', 0), + (43777, 3, 28, 'Bottes à lacets gris', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"gris"}', 0), + (43778, 3, 28, 'Bottes à lacets jaune', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"jaune"}', 0), + (43779, 3, 28, 'Bottes à lacets vert', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"vert"}', 0), + (43780, 3, 28, 'Bottes à lacets crème', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"crème"}', 0), + (43781, 3, 28, 'Bottes à lacets feu', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"feu"}', 0), + (43782, 3, 28, 'Bottes à lacets abricot', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"abricot"}', 0), + (43783, 3, 28, 'Bottes à lacets beige', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"beige"}', 0), + (43784, 3, 28, 'Bottes à lacets bleu', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"bleu"}', 0), + (43785, 3, 28, 'Bottes à lacets ciel', 50, '{"components":{"6":{"Drawable":106,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"ciel"}', 0), + (43786, 3, 28, 'Bottes à lacets (basses) noir', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"noir"}', 0), + (43787, 3, 28, 'Bottes à lacets (basses) marron', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"marron"}', 0), + (43788, 3, 28, 'Bottes à lacets (basses) rouge', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"rouge"}', 0), + (43789, 3, 28, 'Bottes à lacets (basses) orange', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"orange"}', 0), + (43790, 3, 28, 'Bottes à lacets (basses) blanc', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"blanc"}', 0), + (43791, 3, 28, 'Bottes à lacets (basses) gris', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"gris"}', 0), + (43792, 3, 28, 'Bottes à lacets (basses) jaune', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"jaune"}', 0), + (43793, 3, 28, 'Bottes à lacets (basses) vert', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"vert"}', 0), + (43794, 3, 28, 'Bottes à lacets (basses) crème', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"crème"}', 0), + (43795, 3, 28, 'Bottes à lacets (basses) feu', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"feu"}', 0), + (43796, 3, 28, 'Bottes à lacets (basses) abricot', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"abricot"}', 0), + (43797, 3, 28, 'Bottes à lacets (basses) beige', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"beige"}', 0), + (43798, 3, 28, 'Bottes à lacets (basses) bleu', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"bleu"}', 0), + (43799, 3, 28, 'Bottes à lacets (basses) ciel', 50, '{"components":{"6":{"Drawable":107,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets (basses)","colorLabel":"ciel"}', 0), + (43800, 3, 30, 'Oxford avec chaussettes brun', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"brun"}', 0), + (43801, 3, 30, 'Oxford avec chaussettes anthracite', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"anthracite"}', 0), + (43802, 3, 30, 'Oxford avec chaussettes gris', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"gris"}', 0), + (43803, 3, 30, 'Oxford avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"blanc"}', 0), + (43804, 3, 30, 'Oxford avec chaussettes marron', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"marron"}', 0), + (43805, 3, 30, 'Oxford avec chaussettes feu', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"feu"}', 0), + (43806, 3, 30, 'Oxford avec chaussettes sable', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"sable"}', 0), + (43807, 3, 30, 'Oxford avec chaussettes crème', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"crème"}', 0), + (43808, 3, 30, 'Oxford avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"bleu"}', 0), + (43809, 3, 30, 'Oxford avec chaussettes vert', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"vert"}', 0), + (43810, 3, 30, 'Oxford avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"pêche"}', 0), + (43811, 3, 30, 'Oxford avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":108,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Oxford avec chaussettes","colorLabel":"rouge"}', 0), + (43812, 1, 26, 'Tongs de plage aqua', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"aqua"}', 0), + (43813, 1, 26, 'Tongs de plage prairie', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"prairie"}', 0), + (43814, 1, 26, 'Tongs de plage menthe', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"menthe"}', 0), + (43815, 1, 26, 'Tongs de plage ciel', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"ciel"}', 0), + (43816, 1, 26, 'Tongs de plage palmier', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"palmier"}', 0), + (43817, 1, 26, 'Tongs de plage plongée', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"plongée"}', 0), + (43818, 1, 26, 'Tongs de plage sunrise', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"sunrise"}', 0), + (43819, 1, 26, 'Tongs de plage solaire', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"solaire"}', 0), + (43820, 1, 26, 'Tongs de plage indigo', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"indigo"}', 0), + (43821, 1, 26, 'Tongs de plage fraise', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"fraise"}', 0), + (43822, 1, 26, 'Tongs de plage arlequin', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"arlequin"}', 0), + (43823, 1, 26, 'Tongs de plage tropical', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"tropical"}', 0), + (43824, 1, 26, 'Tongs de plage océan', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"océan"}', 0), + (43825, 1, 26, 'Tongs de plage jus d\'orange', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"jus d\'orange"}', 0), + (43826, 1, 26, 'Tongs de plage ice', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"ice"}', 0), + (43827, 1, 26, 'Tongs de plage encre', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"encre"}', 0), + (43828, 1, 26, 'Tongs de plage fleurie', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"fleurie"}', 0), + (43829, 1, 26, 'Tongs de plage paille', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"paille"}', 0), + (43830, 1, 26, 'Tongs de plage paréo', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"paréo"}', 0), + (43831, 1, 26, 'Tongs de plage fougère', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"fougère"}', 0), + (43832, 1, 26, 'Tongs de plage raie manta', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"raie manta"}', 0), + (43833, 1, 26, 'Tongs de plage luna', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"luna"}', 0), + (43834, 1, 26, 'Tongs de plage cerise', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"cerise"}', 0), + (43835, 1, 26, 'Tongs de plage vagues', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"vagues"}', 0), + (43836, 2, 26, 'Tongs de plage aqua', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"aqua"}', 0), + (43837, 2, 26, 'Tongs de plage prairie', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"prairie"}', 0), + (43838, 2, 26, 'Tongs de plage menthe', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"menthe"}', 0), + (43839, 2, 26, 'Tongs de plage ciel', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"ciel"}', 0), + (43840, 2, 26, 'Tongs de plage palmier', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"palmier"}', 0), + (43841, 2, 26, 'Tongs de plage plongée', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"plongée"}', 0), + (43842, 2, 26, 'Tongs de plage sunrise', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"sunrise"}', 0), + (43843, 2, 26, 'Tongs de plage solaire', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"solaire"}', 0), + (43844, 2, 26, 'Tongs de plage indigo', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"indigo"}', 0), + (43845, 2, 26, 'Tongs de plage fraise', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"fraise"}', 0), + (43846, 2, 26, 'Tongs de plage arlequin', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"arlequin"}', 0), + (43847, 2, 26, 'Tongs de plage tropical', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"tropical"}', 0), + (43848, 2, 26, 'Tongs de plage océan', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"océan"}', 0), + (43849, 2, 26, 'Tongs de plage jus d\'orange', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"jus d\'orange"}', 0), + (43850, 2, 26, 'Tongs de plage ice', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"ice"}', 0), + (43851, 2, 26, 'Tongs de plage encre', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"encre"}', 0), + (43852, 2, 26, 'Tongs de plage fleurie', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"fleurie"}', 0), + (43853, 2, 26, 'Tongs de plage paille', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"paille"}', 0), + (43854, 2, 26, 'Tongs de plage paréo', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"paréo"}', 0), + (43855, 2, 26, 'Tongs de plage fougère', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"fougère"}', 0), + (43856, 2, 26, 'Tongs de plage raie manta', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"raie manta"}', 0), + (43857, 2, 26, 'Tongs de plage luna', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"luna"}', 0), + (43858, 2, 26, 'Tongs de plage cerise', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"cerise"}', 0), + (43859, 2, 26, 'Tongs de plage vagues', 50, '{"components":{"6":{"Drawable":109,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Tongs de plage","colorLabel":"vagues"}', 0), + (43860, 3, 30, 'Mocassins larges noir', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"noir"}', 0), + (43861, 3, 30, 'Mocassins larges gris', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"gris"}', 0), + (43862, 3, 30, 'Mocassins larges blanc', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"blanc"}', 0), + (43863, 3, 30, 'Mocassins larges marron', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"marron"}', 0), + (43864, 3, 30, 'Mocassins larges carmin', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"carmin"}', 0), + (43865, 3, 30, 'Mocassins larges orange', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"orange"}', 0), + (43866, 3, 30, 'Mocassins larges crème', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"crème"}', 0), + (43867, 3, 30, 'Mocassins larges bleu', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"bleu"}', 0), + (43868, 3, 30, 'Mocassins larges vert', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"vert"}', 0), + (43869, 3, 30, 'Mocassins larges pêche', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"pêche"}', 0), + (43870, 3, 30, 'Mocassins larges rouge', 50, '{"components":{"6":{"Drawable":110,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Mocassins larges","colorLabel":"rouge"}', 0), + (43871, 1, 26, 'Claquettes jaune pâle', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"jaune pâle"}', 0), + (43872, 1, 26, 'Claquettes rose', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"rose"}', 0), + (43873, 1, 26, 'Claquettes médaillon noir', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"médaillon noir"}', 0), + (43874, 1, 26, 'Claquettes médaillon blanc', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"médaillon blanc"}', 0), + (43875, 1, 26, 'Claquettes médaillon jaune', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"médaillon jaune"}', 0), + (43876, 1, 26, 'Claquettes pêche', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"pêche"}', 0), + (43877, 1, 26, 'Claquettes aqua', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"aqua"}', 0), + (43878, 1, 26, 'Claquettes camo vert', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"camo vert"}', 0), + (43879, 1, 26, 'Claquettes camo gris', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"camo gris"}', 0), + (43880, 2, 26, 'Claquettes jaune pâle', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"jaune pâle"}', 0), + (43881, 2, 26, 'Claquettes rose', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"rose"}', 0), + (43882, 2, 26, 'Claquettes médaillon noir', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"médaillon noir"}', 0), + (43883, 2, 26, 'Claquettes médaillon blanc', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"médaillon blanc"}', 0), + (43884, 2, 26, 'Claquettes médaillon jaune', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"médaillon jaune"}', 0), + (43885, 2, 26, 'Claquettes pêche', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"pêche"}', 0), + (43886, 2, 26, 'Claquettes aqua', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"aqua"}', 0), + (43887, 2, 26, 'Claquettes camo vert', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"camo vert"}', 0), + (43888, 2, 26, 'Claquettes camo gris', 50, '{"components":{"6":{"Drawable":111,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"camo gris"}', 0), + (43889, 1, 26, 'Claquettes Bigness noir', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Bigness noir"}', 0), + (43890, 1, 26, 'Claquettes Bigness violet', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Bigness violet"}', 0), + (43891, 1, 26, 'Claquettes Bigness beige', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Bigness beige"}', 0), + (43892, 1, 26, 'Claquettes motifs noir', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs noir"}', 0), + (43893, 1, 26, 'Claquettes motifs blanc', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs blanc"}', 0), + (43894, 1, 26, 'Claquettes motifs rose', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs rose"}', 0), + (43895, 1, 26, 'Claquettes motifs beige', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs beige"}', 0), + (43896, 1, 26, 'Claquettes motifs corail', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs corail"}', 0), + (43897, 1, 26, 'Claquettes D6 bleu', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"D6 bleu"}', 0), + (43898, 1, 26, 'Claquettes america', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"america"}', 0), + (43899, 1, 26, 'Claquettes Guffy tropical', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Guffy tropical"}', 0), + (43900, 1, 26, 'Claquettes Guffy turquoise', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Guffy turquoise"}', 0), + (43901, 1, 26, 'Claquettes Guffy blanc', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Guffy blanc"}', 0), + (43902, 1, 26, 'Claquettes bleu', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"bleu"}', 0), + (43903, 1, 26, 'Claquettes rouge', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"rouge"}', 0), + (43904, 2, 26, 'Claquettes Bigness noir', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Bigness noir"}', 0), + (43905, 2, 26, 'Claquettes Bigness violet', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Bigness violet"}', 0), + (43906, 2, 26, 'Claquettes Bigness beige', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Bigness beige"}', 0), + (43907, 2, 26, 'Claquettes motifs noir', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs noir"}', 0), + (43908, 2, 26, 'Claquettes motifs blanc', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs blanc"}', 0), + (43909, 2, 26, 'Claquettes motifs rose', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs rose"}', 0), + (43910, 2, 26, 'Claquettes motifs beige', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs beige"}', 0), + (43911, 2, 26, 'Claquettes motifs corail', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"motifs corail"}', 0), + (43912, 2, 26, 'Claquettes D6 bleu', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"D6 bleu"}', 0), + (43913, 2, 26, 'Claquettes america', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"america"}', 0), + (43914, 2, 26, 'Claquettes Guffy tropical', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Guffy tropical"}', 0), + (43915, 2, 26, 'Claquettes Guffy turquoise', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Guffy turquoise"}', 0), + (43916, 2, 26, 'Claquettes Guffy blanc', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"Guffy blanc"}', 0), + (43917, 2, 26, 'Claquettes bleu', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"bleu"}', 0), + (43918, 2, 26, 'Claquettes rouge', 50, '{"components":{"6":{"Drawable":112,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Claquettes","colorLabel":"rouge"}', 0), + (43919, 3, 30, 'Oxford brun', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"brun"}', 0), + (43920, 3, 30, 'Oxford anthracite', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"anthracite"}', 0), + (43921, 3, 30, 'Oxford gris', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"gris"}', 0), + (43922, 3, 30, 'Oxford blanc', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"blanc"}', 0), + (43923, 3, 30, 'Oxford marron', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"marron"}', 0), + (43924, 3, 30, 'Oxford feu', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"feu"}', 0), + (43925, 3, 30, 'Oxford sable', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"sable"}', 0), + (43926, 3, 30, 'Oxford crème', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"crème"}', 0), + (43927, 3, 30, 'Oxford bleu', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"bleu"}', 0), + (43928, 3, 30, 'Oxford vert', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"vert"}', 0), + (43929, 3, 30, 'Oxford pêche', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"pêche"}', 0), + (43930, 3, 30, 'Oxford rouge', 50, '{"components":{"6":{"Drawable":113,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Oxford","colorLabel":"rouge"}', 0), + (43931, 3, 28, 'Dr. Martin noir', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"noir"}', 0), + (43932, 3, 28, 'Dr. Martin gris', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"gris"}', 0), + (43933, 3, 28, 'Dr. Martin ivoire', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"ivoire"}', 0), + (43934, 3, 28, 'Dr. Martin blanc', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"blanc"}', 0), + (43935, 3, 28, 'Dr. Martin marron', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"marron"}', 0), + (43936, 3, 28, 'Dr. Martin feu', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"feu"}', 0), + (43937, 3, 28, 'Dr. Martin vert', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"vert"}', 0), + (43938, 3, 28, 'Dr. Martin corail', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"corail"}', 0), + (43939, 3, 28, 'Dr. Martin orange', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"orange"}', 0), + (43940, 3, 28, 'Dr. Martin jaune', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"jaune"}', 0), + (43941, 3, 28, 'Dr. Martin ocre', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"ocre"}', 0), + (43942, 3, 28, 'Dr. Martin beige', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"beige"}', 0), + (43943, 3, 28, 'Dr. Martin bleu', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"bleu"}', 0), + (43944, 3, 28, 'Dr. Martin ciel', 50, '{"components":{"6":{"Drawable":114,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Dr. Martin","colorLabel":"ciel"}', 0), + (43945, 3, 28, 'Dr. Martin (basses) noir', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"noir"}', 0), + (43946, 3, 28, 'Dr. Martin (basses) gris', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"gris"}', 0), + (43947, 3, 28, 'Dr. Martin (basses) ivoire', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"ivoire"}', 0), + (43948, 3, 28, 'Dr. Martin (basses) blanc', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"blanc"}', 0), + (43949, 3, 28, 'Dr. Martin (basses) marron', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"marron"}', 0), + (43950, 3, 28, 'Dr. Martin (basses) feu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"feu"}', 0), + (43951, 3, 28, 'Dr. Martin (basses) vert', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"vert"}', 0), + (43952, 3, 28, 'Dr. Martin (basses) corail', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"corail"}', 0), + (43953, 3, 28, 'Dr. Martin (basses) orange', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"orange"}', 0), + (43954, 3, 28, 'Dr. Martin (basses) jaune', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"jaune"}', 0), + (43955, 3, 28, 'Dr. Martin (basses) ocre', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"ocre"}', 0), + (43956, 3, 28, 'Dr. Martin (basses) beige', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"beige"}', 0), + (43957, 3, 28, 'Dr. Martin (basses) bleu', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"bleu"}', 0), + (43958, 3, 28, 'Dr. Martin (basses) ciel', 50, '{"components":{"6":{"Drawable":115,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Dr. Martin (basses)","colorLabel":"ciel"}', 0), + (43959, 1, 26, 'Crocs avec chaussettes noir', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"noir"}', 0), + (43960, 1, 26, 'Crocs avec chaussettes gris', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"gris"}', 0), + (43961, 1, 26, 'Crocs avec chaussettes ivoire', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"ivoire"}', 0), + (43962, 1, 26, 'Crocs avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"blanc"}', 0), + (43963, 1, 26, 'Crocs avec chaussettes crème', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"crème"}', 0), + (43964, 1, 26, 'Crocs avec chaussettes marron', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"marron"}', 0), + (43965, 1, 26, 'Crocs avec chaussettes framboise', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"framboise"}', 0), + (43966, 1, 26, 'Crocs avec chaussettes fuchsia', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"fuchsia"}', 0), + (43967, 1, 26, 'Crocs avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"rouge"}', 0), + (43968, 1, 26, 'Crocs avec chaussettes orange', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"orange"}', 0), + (43969, 1, 26, 'Crocs avec chaussettes jaune', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune"}', 0), + (43970, 1, 26, 'Crocs avec chaussettes jaune pâle', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune pâle"}', 0), + (43971, 1, 26, 'Crocs avec chaussettes marine', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"marine"}', 0), + (43972, 1, 26, 'Crocs avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu"}', 0), + (43973, 1, 26, 'Crocs avec chaussettes bleu clair', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu clair"}', 0), + (43974, 1, 26, 'Crocs avec chaussettes turquoise', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"turquoise"}', 0), + (43975, 1, 26, 'Crocs avec chaussettes ciel', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"ciel"}', 0), + (43976, 1, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (43977, 1, 26, 'Crocs avec chaussettes vert', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"vert"}', 0), + (43978, 1, 26, 'Crocs avec chaussettes menthe', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"menthe"}', 0), + (43979, 1, 26, 'Crocs avec chaussettes kaki', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"kaki"}', 0), + (43980, 1, 26, 'Crocs avec chaussettes lime', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"lime"}', 0), + (43981, 1, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (43982, 1, 26, 'Crocs avec chaussettes lilas', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"lilas"}', 0), + (43983, 1, 26, 'Crocs avec chaussettes violet', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"violet"}', 0), + (43984, 2, 26, 'Crocs avec chaussettes noir', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"noir"}', 0), + (43985, 2, 26, 'Crocs avec chaussettes gris', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"gris"}', 0), + (43986, 2, 26, 'Crocs avec chaussettes ivoire', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"ivoire"}', 0), + (43987, 2, 26, 'Crocs avec chaussettes blanc', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"blanc"}', 0), + (43988, 2, 26, 'Crocs avec chaussettes crème', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"crème"}', 0), + (43989, 2, 26, 'Crocs avec chaussettes marron', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"marron"}', 0), + (43990, 2, 26, 'Crocs avec chaussettes framboise', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"framboise"}', 0), + (43991, 2, 26, 'Crocs avec chaussettes fuchsia', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"fuchsia"}', 0), + (43992, 2, 26, 'Crocs avec chaussettes rouge', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"rouge"}', 0), + (43993, 2, 26, 'Crocs avec chaussettes orange', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"orange"}', 0), + (43994, 2, 26, 'Crocs avec chaussettes jaune', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune"}', 0), + (43995, 2, 26, 'Crocs avec chaussettes jaune pâle', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"jaune pâle"}', 0), + (43996, 2, 26, 'Crocs avec chaussettes marine', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"marine"}', 0), + (43997, 2, 26, 'Crocs avec chaussettes bleu', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu"}', 0), + (43998, 2, 26, 'Crocs avec chaussettes bleu clair', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"bleu clair"}', 0), + (43999, 2, 26, 'Crocs avec chaussettes turquoise', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"turquoise"}', 0), + (44000, 2, 26, 'Crocs avec chaussettes ciel', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"ciel"}', 0), + (44001, 2, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (44002, 2, 26, 'Crocs avec chaussettes vert', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"vert"}', 0), + (44003, 2, 26, 'Crocs avec chaussettes menthe', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"menthe"}', 0), + (44004, 2, 26, 'Crocs avec chaussettes kaki', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"kaki"}', 0), + (44005, 2, 26, 'Crocs avec chaussettes lime', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"lime"}', 0), + (44006, 2, 26, 'Crocs avec chaussettes pêche', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"pêche"}', 0), + (44007, 2, 26, 'Crocs avec chaussettes lilas', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"lilas"}', 0), + (44008, 2, 26, 'Crocs avec chaussettes violet', 50, '{"components":{"6":{"Drawable":116,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"violet"}', 0), + (44009, 1, 26, 'Crocs noir', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"noir"}', 0), + (44010, 1, 26, 'Crocs gris', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"gris"}', 0), + (44011, 1, 26, 'Crocs ivoire', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"ivoire"}', 0), + (44012, 1, 26, 'Crocs blanc', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"blanc"}', 0), + (44013, 1, 26, 'Crocs crème', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"crème"}', 0), + (44014, 1, 26, 'Crocs marron', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"marron"}', 0), + (44015, 1, 26, 'Crocs framboise', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"framboise"}', 0), + (44016, 1, 26, 'Crocs fuchsia', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"fuchsia"}', 0), + (44017, 1, 26, 'Crocs rouge', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"rouge"}', 0), + (44018, 1, 26, 'Crocs orange', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"orange"}', 0), + (44019, 1, 26, 'Crocs jaune', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"jaune"}', 0), + (44020, 1, 26, 'Crocs jaune pâle', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"jaune pâle"}', 0), + (44021, 1, 26, 'Crocs marine', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"marine"}', 0), + (44022, 1, 26, 'Crocs bleu', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"bleu"}', 0), + (44023, 1, 26, 'Crocs bleu clair', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"bleu clair"}', 0), + (44024, 1, 26, 'Crocs turquoise', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"turquoise"}', 0), + (44025, 1, 26, 'Crocs ciel', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"ciel"}', 0), + (44026, 1, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (44027, 1, 26, 'Crocs vert', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"vert"}', 0), + (44028, 1, 26, 'Crocs menthe', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"menthe"}', 0), + (44029, 1, 26, 'Crocs kaki', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"kaki"}', 0), + (44030, 1, 26, 'Crocs lime', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"lime"}', 0), + (44031, 1, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (44032, 1, 26, 'Crocs lilas', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"lilas"}', 0), + (44033, 1, 26, 'Crocs violet', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"violet"}', 0), + (44034, 2, 26, 'Crocs noir', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"noir"}', 0), + (44035, 2, 26, 'Crocs gris', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"gris"}', 0), + (44036, 2, 26, 'Crocs ivoire', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"ivoire"}', 0), + (44037, 2, 26, 'Crocs blanc', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"blanc"}', 0), + (44038, 2, 26, 'Crocs crème', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"crème"}', 0), + (44039, 2, 26, 'Crocs marron', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"marron"}', 0), + (44040, 2, 26, 'Crocs framboise', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"framboise"}', 0), + (44041, 2, 26, 'Crocs fuchsia', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"fuchsia"}', 0), + (44042, 2, 26, 'Crocs rouge', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"rouge"}', 0), + (44043, 2, 26, 'Crocs orange', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"orange"}', 0), + (44044, 2, 26, 'Crocs jaune', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"jaune"}', 0), + (44045, 2, 26, 'Crocs jaune pâle', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"jaune pâle"}', 0), + (44046, 2, 26, 'Crocs marine', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"marine"}', 0), + (44047, 2, 26, 'Crocs bleu', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"bleu"}', 0), + (44048, 2, 26, 'Crocs bleu clair', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"bleu clair"}', 0), + (44049, 2, 26, 'Crocs turquoise', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"turquoise"}', 0), + (44050, 2, 26, 'Crocs ciel', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"ciel"}', 0), + (44051, 2, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (44052, 2, 26, 'Crocs vert', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"vert"}', 0), + (44053, 2, 26, 'Crocs menthe', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"menthe"}', 0), + (44054, 2, 26, 'Crocs kaki', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"kaki"}', 0), + (44055, 2, 26, 'Crocs lime', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"lime"}', 0), + (44056, 2, 26, 'Crocs pêche', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"pêche"}', 0), + (44057, 2, 26, 'Crocs lilas', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"lilas"}', 0), + (44058, 2, 26, 'Crocs violet', 50, '{"components":{"6":{"Drawable":117,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"violet"}', 0), + (44059, 1, 30, 'Chaussures en toile basse noir', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"noir"}', 0), + (44060, 1, 30, 'Chaussures en toile basse gris', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"gris"}', 0), + (44061, 1, 30, 'Chaussures en toile basse ivoire', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"ivoire"}', 0), + (44062, 1, 30, 'Chaussures en toile basse blanc', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"blanc"}', 0), + (44063, 1, 30, 'Chaussures en toile basse crème', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"crème"}', 0), + (44064, 1, 30, 'Chaussures en toile basse marron', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"marron"}', 0), + (44065, 1, 30, 'Chaussures en toile basse framboise', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"framboise"}', 0), + (44066, 1, 30, 'Chaussures en toile basse fuchsia', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"fuchsia"}', 0), + (44067, 1, 30, 'Chaussures en toile basse rouge', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"rouge"}', 0), + (44068, 1, 30, 'Chaussures en toile basse orange', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"orange"}', 0), + (44069, 1, 30, 'Chaussures en toile basse jaune', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"jaune"}', 0), + (44070, 1, 30, 'Chaussures en toile basse jaune pâle', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"jaune pâle"}', 0), + (44071, 1, 30, 'Chaussures en toile basse marine', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"marine"}', 0), + (44072, 1, 30, 'Chaussures en toile basse bleu', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"bleu"}', 0), + (44073, 1, 30, 'Chaussures en toile basse bleu clair', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"bleu clair"}', 0), + (44074, 1, 30, 'Chaussures en toile basse turquoise', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"turquoise"}', 0), + (44075, 1, 30, 'Chaussures en toile basse ciel', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"ciel"}', 0), + (44076, 1, 30, 'Chaussures en toile basse pêche', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"pêche"}', 0), + (44077, 1, 30, 'Chaussures en toile basse vert', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"vert"}', 0), + (44078, 1, 30, 'Chaussures en toile basse menthe', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"menthe"}', 0), + (44079, 1, 30, 'Chaussures en toile basse kaki', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"kaki"}', 0), + (44080, 1, 30, 'Chaussures en toile basse lime', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"lime"}', 0), + (44081, 1, 30, 'Chaussures en toile basse pêche', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"pêche"}', 0), + (44082, 1, 30, 'Chaussures en toile basse lilas', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"lilas"}', 0), + (44083, 1, 30, 'Chaussures en toile basse violet', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"violet"}', 0), + (44084, 2, 30, 'Chaussures en toile basse noir', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"noir"}', 0), + (44085, 2, 30, 'Chaussures en toile basse gris', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"gris"}', 0), + (44086, 2, 30, 'Chaussures en toile basse ivoire', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"ivoire"}', 0), + (44087, 2, 30, 'Chaussures en toile basse blanc', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"blanc"}', 0), + (44088, 2, 30, 'Chaussures en toile basse crème', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"crème"}', 0), + (44089, 2, 30, 'Chaussures en toile basse marron', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"marron"}', 0), + (44090, 2, 30, 'Chaussures en toile basse framboise', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"framboise"}', 0), + (44091, 2, 30, 'Chaussures en toile basse fuchsia', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"fuchsia"}', 0), + (44092, 2, 30, 'Chaussures en toile basse rouge', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"rouge"}', 0), + (44093, 2, 30, 'Chaussures en toile basse orange', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"orange"}', 0), + (44094, 2, 30, 'Chaussures en toile basse jaune', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"jaune"}', 0), + (44095, 2, 30, 'Chaussures en toile basse jaune pâle', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"jaune pâle"}', 0), + (44096, 2, 30, 'Chaussures en toile basse marine', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"marine"}', 0), + (44097, 2, 30, 'Chaussures en toile basse bleu', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"bleu"}', 0), + (44098, 2, 30, 'Chaussures en toile basse bleu clair', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"bleu clair"}', 0), + (44099, 2, 30, 'Chaussures en toile basse turquoise', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"turquoise"}', 0), + (44100, 2, 30, 'Chaussures en toile basse ciel', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"ciel"}', 0), + (44101, 2, 30, 'Chaussures en toile basse pêche', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"pêche"}', 0), + (44102, 2, 30, 'Chaussures en toile basse vert', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"vert"}', 0), + (44103, 2, 30, 'Chaussures en toile basse menthe', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"menthe"}', 0), + (44104, 2, 30, 'Chaussures en toile basse kaki', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"kaki"}', 0), + (44105, 2, 30, 'Chaussures en toile basse lime', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"lime"}', 0), + (44106, 2, 30, 'Chaussures en toile basse pêche', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"pêche"}', 0), + (44107, 2, 30, 'Chaussures en toile basse lilas', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"lilas"}', 0), + (44108, 2, 30, 'Chaussures en toile basse violet', 50, '{"components":{"6":{"Drawable":118,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"violet"}', 0), + (44109, 1, 30, 'Chaussures en toile basse zèbre blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"zèbre blanc"}', 0), + (44110, 1, 30, 'Chaussures en toile basse zèbre rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"zèbre rose"}', 0), + (44111, 1, 30, 'Chaussures en toile basse léopard rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"léopard rose"}', 0), + (44112, 1, 30, 'Chaussures en toile basse léopard turquoise', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"léopard turquoise"}', 0), + (44113, 1, 30, 'Chaussures en toile basse léopard kaki', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"léopard kaki"}', 0), + (44114, 1, 30, 'Chaussures en toile basse motifs orchidée', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs orchidée"}', 0), + (44115, 1, 30, 'Chaussures en toile basse motifs turquoise', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs turquoise"}', 0), + (44116, 1, 30, 'Chaussures en toile basse motifs kaki', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs kaki"}', 0), + (44117, 1, 30, 'Chaussures en toile basse motifs fuchsia', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs fuchsia"}', 0), + (44118, 1, 30, 'Chaussures en toile basse motifs pêche', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs pêche"}', 0), + (44119, 1, 30, 'Chaussures en toile basse motifs rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs rose"}', 0), + (44120, 1, 30, 'Chaussures en toile basse panthère blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"panthère blanc"}', 0), + (44121, 1, 30, 'Chaussures en toile basse panthère bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"panthère bleu"}', 0), + (44122, 1, 30, 'Chaussures en toile basse panthère jaune', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"panthère jaune"}', 0), + (44123, 1, 30, 'Chaussures en toile basse SOZures noir', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures noir"}', 0), + (44124, 1, 30, 'Chaussures en toile basse SOZures bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures bleu"}', 0), + (44125, 1, 30, 'Chaussures en toile basse SOZures lime', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures lime"}', 0), + (44126, 1, 30, 'Chaussures en toile basse SOZures ciel', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures ciel"}', 0), + (44127, 1, 30, 'Chaussures en toile basse SOZures pêche', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures pêche"}', 0), + (44128, 1, 30, 'Chaussures en toile basse SOZures rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures rouge"}', 0), + (44129, 1, 30, 'Chaussures en toile basse SOZures blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures blanc"}', 0), + (44130, 1, 30, 'Chaussures en toile basse médaillons noir', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons noir"}', 0), + (44131, 1, 30, 'Chaussures en toile basse médaillons bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons bleu"}', 0), + (44132, 1, 30, 'Chaussures en toile basse médaillons rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons rouge"}', 0), + (44133, 1, 30, 'Chaussures en toile basse médaillons crème', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons crème"}', 0), + (44134, 2, 30, 'Chaussures en toile basse zèbre blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"zèbre blanc"}', 0), + (44135, 2, 30, 'Chaussures en toile basse zèbre rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"zèbre rose"}', 0), + (44136, 2, 30, 'Chaussures en toile basse léopard rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"léopard rose"}', 0), + (44137, 2, 30, 'Chaussures en toile basse léopard turquoise', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"léopard turquoise"}', 0), + (44138, 2, 30, 'Chaussures en toile basse léopard kaki', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"léopard kaki"}', 0), + (44139, 2, 30, 'Chaussures en toile basse motifs orchidée', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs orchidée"}', 0), + (44140, 2, 30, 'Chaussures en toile basse motifs turquoise', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs turquoise"}', 0), + (44141, 2, 30, 'Chaussures en toile basse motifs kaki', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs kaki"}', 0), + (44142, 2, 30, 'Chaussures en toile basse motifs fuchsia', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs fuchsia"}', 0), + (44143, 2, 30, 'Chaussures en toile basse motifs pêche', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs pêche"}', 0), + (44144, 2, 30, 'Chaussures en toile basse motifs rose', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"motifs rose"}', 0), + (44145, 2, 30, 'Chaussures en toile basse panthère blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"panthère blanc"}', 0), + (44146, 2, 30, 'Chaussures en toile basse panthère bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"panthère bleu"}', 0), + (44147, 2, 30, 'Chaussures en toile basse panthère jaune', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"panthère jaune"}', 0), + (44148, 2, 30, 'Chaussures en toile basse SOZures noir', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures noir"}', 0), + (44149, 2, 30, 'Chaussures en toile basse SOZures bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures bleu"}', 0), + (44150, 2, 30, 'Chaussures en toile basse SOZures lime', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures lime"}', 0), + (44151, 2, 30, 'Chaussures en toile basse SOZures ciel', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures ciel"}', 0), + (44152, 2, 30, 'Chaussures en toile basse SOZures pêche', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures pêche"}', 0), + (44153, 2, 30, 'Chaussures en toile basse SOZures rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures rouge"}', 0), + (44154, 2, 30, 'Chaussures en toile basse SOZures blanc', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"SOZures blanc"}', 0), + (44155, 2, 30, 'Chaussures en toile basse médaillons noir', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons noir"}', 0), + (44156, 2, 30, 'Chaussures en toile basse médaillons bleu', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons bleu"}', 0), + (44157, 2, 30, 'Chaussures en toile basse médaillons rouge', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons rouge"}', 0), + (44158, 2, 30, 'Chaussures en toile basse médaillons crème', 50, '{"components":{"6":{"Drawable":119,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"médaillons crème"}', 0), + (44159, 1, 30, 'Chaussures en toile basse car. turquoise', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"car. turquoise"}', 0), + (44160, 1, 30, 'Chaussures en toile basse car. violet', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"car. violet"}', 0), + (44161, 1, 30, 'Chaussures en toile basse fleurs bleu', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"fleurs bleu"}', 0), + (44162, 1, 30, 'Chaussures en toile basse fleurs crème', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"fleurs crème"}', 0), + (44163, 2, 30, 'Chaussures en toile basse car. turquoise', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"car. turquoise"}', 0), + (44164, 2, 30, 'Chaussures en toile basse car. violet', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"car. violet"}', 0), + (44165, 2, 30, 'Chaussures en toile basse fleurs bleu', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"fleurs bleu"}', 0), + (44166, 2, 30, 'Chaussures en toile basse fleurs crème', 50, '{"components":{"6":{"Drawable":120,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Chaussures en toile basse","colorLabel":"fleurs crème"}', 0), + (44167, 3, 28, 'Bottes à lacets losange', 50, '{"components":{"6":{"Drawable":121,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Bottes à lacets","colorLabel":"losange"}', 0), + (44168, 1, 26, 'Crocs avec chaussettes dorures noir', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures noir"}', 0), + (44169, 1, 26, 'Crocs avec chaussettes dorures turquoise', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures turquoise"}', 0), + (44170, 1, 26, 'Crocs avec chaussettes dorures fuchsia', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures fuchsia"}', 0), + (44171, 1, 26, 'Crocs avec chaussettes flammèches vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches vert"}', 0), + (44172, 1, 26, 'Crocs avec chaussettes flammèches orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches orange"}', 0), + (44173, 1, 26, 'Crocs avec chaussettes flammèches rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rose"}', 0), + (44174, 1, 26, 'Crocs avec chaussettes flammèches violet', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches violet"}', 0), + (44175, 1, 26, 'Crocs avec chaussettes flammèches rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rouge"}', 0), + (44176, 1, 26, 'Crocs avec chaussettes flammes vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammes vert"}', 0), + (44177, 1, 26, 'Crocs avec chaussettes flamme orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme orange"}', 0), + (44178, 1, 26, 'Crocs avec chaussettes flamme rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rose"}', 0), + (44179, 1, 26, 'Crocs avec chaussettes flamme rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rouge"}', 0), + (44180, 1, 26, 'Crocs avec chaussettes foudre bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre bleu"}', 0), + (44181, 1, 26, 'Crocs avec chaussettes foudre vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre vert"}', 0), + (44182, 1, 26, 'Crocs avec chaussettes foudre orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre orange"}', 0), + (44183, 1, 26, 'Crocs avec chaussettes foudre rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rose"}', 0), + (44184, 1, 26, 'Crocs avec chaussettes foudre rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rouge"}', 0), + (44185, 1, 26, 'Crocs avec chaussettes éclairs bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs bleu"}', 0), + (44186, 1, 26, 'Crocs avec chaussettes éclairs vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs vert"}', 0), + (44187, 1, 26, 'Crocs avec chaussettes éclairs orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs orange"}', 0), + (44188, 1, 26, 'Crocs avec chaussettes éclairs rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs rose"}', 0), + (44189, 1, 26, 'Crocs avec chaussettes classique blanc', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique blanc"}', 0), + (44190, 1, 26, 'Crocs avec chaussettes classique ivoire', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique ivoire"}', 0), + (44191, 1, 26, 'Crocs avec chaussettes pierre', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"pierre"}', 0), + (44192, 1, 26, 'Crocs avec chaussettes brun', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"brun"}', 0), + (44193, 2, 26, 'Crocs avec chaussettes dorures noir', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures noir"}', 0), + (44194, 2, 26, 'Crocs avec chaussettes dorures turquoise', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures turquoise"}', 0), + (44195, 2, 26, 'Crocs avec chaussettes dorures fuchsia', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"dorures fuchsia"}', 0), + (44196, 2, 26, 'Crocs avec chaussettes flammèches vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches vert"}', 0), + (44197, 2, 26, 'Crocs avec chaussettes flammèches orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches orange"}', 0), + (44198, 2, 26, 'Crocs avec chaussettes flammèches rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rose"}', 0), + (44199, 2, 26, 'Crocs avec chaussettes flammèches violet', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches violet"}', 0), + (44200, 2, 26, 'Crocs avec chaussettes flammèches rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammèches rouge"}', 0), + (44201, 2, 26, 'Crocs avec chaussettes flammes vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flammes vert"}', 0), + (44202, 2, 26, 'Crocs avec chaussettes flamme orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme orange"}', 0), + (44203, 2, 26, 'Crocs avec chaussettes flamme rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rose"}', 0), + (44204, 2, 26, 'Crocs avec chaussettes flamme rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"flamme rouge"}', 0), + (44205, 2, 26, 'Crocs avec chaussettes foudre bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre bleu"}', 0), + (44206, 2, 26, 'Crocs avec chaussettes foudre vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre vert"}', 0), + (44207, 2, 26, 'Crocs avec chaussettes foudre orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre orange"}', 0), + (44208, 2, 26, 'Crocs avec chaussettes foudre rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rose"}', 0), + (44209, 2, 26, 'Crocs avec chaussettes foudre rouge', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"foudre rouge"}', 0), + (44210, 2, 26, 'Crocs avec chaussettes éclairs bleu', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs bleu"}', 0), + (44211, 2, 26, 'Crocs avec chaussettes éclairs vert', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs vert"}', 0), + (44212, 2, 26, 'Crocs avec chaussettes éclairs orange', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs orange"}', 0), + (44213, 2, 26, 'Crocs avec chaussettes éclairs rose', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"éclairs rose"}', 0), + (44214, 2, 26, 'Crocs avec chaussettes classique blanc', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique blanc"}', 0), + (44215, 2, 26, 'Crocs avec chaussettes classique ivoire', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"classique ivoire"}', 0), + (44216, 2, 26, 'Crocs avec chaussettes pierre', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"pierre"}', 0), + (44217, 2, 26, 'Crocs avec chaussettes brun', 50, '{"components":{"6":{"Drawable":123,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"brun"}', 0), + (44218, 1, 26, 'Crocs avec chaussettes nuage bleu', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage bleu"}', 0), + (44219, 1, 26, 'Crocs avec chaussettes nuage jaune', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage jaune"}', 0), + (44220, 2, 26, 'Crocs avec chaussettes nuage bleu', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage bleu"}', 0), + (44221, 2, 26, 'Crocs avec chaussettes nuage jaune', 50, '{"components":{"6":{"Drawable":124,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"nuage jaune"}', 0), + (44222, 1, 26, 'Crocs dorures noir', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"dorures noir"}', 0), + (44223, 1, 26, 'Crocs dorures turquoise', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"dorures turquoise"}', 0), + (44224, 1, 26, 'Crocs dorures fuchsia', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"dorures fuchsia"}', 0), + (44225, 1, 26, 'Crocs flammèches vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches vert"}', 0), + (44226, 1, 26, 'Crocs flammèches orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches orange"}', 0), + (44227, 1, 26, 'Crocs flammèches rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches rose"}', 0), + (44228, 1, 26, 'Crocs flammèches violet', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches violet"}', 0), + (44229, 1, 26, 'Crocs flammèches rouge', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches rouge"}', 0), + (44230, 1, 26, 'Crocs flammes vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammes vert"}', 0), + (44231, 1, 26, 'Crocs flamme orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flamme orange"}', 0), + (44232, 1, 26, 'Crocs flamme rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flamme rose"}', 0), + (44233, 1, 26, 'Crocs flamme rouge', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flamme rouge"}', 0), + (44234, 1, 26, 'Crocs foudre bleu', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre bleu"}', 0), + (44235, 1, 26, 'Crocs foudre vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre vert"}', 0), + (44236, 1, 26, 'Crocs foudre orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre orange"}', 0), + (44237, 1, 26, 'Crocs foudre rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre rose"}', 0), + (44238, 1, 26, 'Crocs foudre rouge', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre rouge"}', 0), + (44239, 1, 26, 'Crocs éclairs bleu', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs bleu"}', 0), + (44240, 1, 26, 'Crocs éclairs vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs vert"}', 0), + (44241, 1, 26, 'Crocs éclairs orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs orange"}', 0), + (44242, 1, 26, 'Crocs éclairs rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs rose"}', 0), + (44243, 1, 26, 'Crocs classique blanc', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"classique blanc"}', 0), + (44244, 1, 26, 'Crocs classique ivoire', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"classique ivoire"}', 0), + (44245, 1, 26, 'Crocs pierre', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"pierre"}', 0), + (44246, 1, 26, 'Crocs brun', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"brun"}', 0), + (44247, 2, 26, 'Crocs dorures noir', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"dorures noir"}', 0), + (44248, 2, 26, 'Crocs dorures turquoise', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"dorures turquoise"}', 0), + (44249, 2, 26, 'Crocs dorures fuchsia', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"dorures fuchsia"}', 0), + (44250, 2, 26, 'Crocs flammèches vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches vert"}', 0), + (44251, 2, 26, 'Crocs flammèches orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches orange"}', 0), + (44252, 2, 26, 'Crocs flammèches rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches rose"}', 0), + (44253, 2, 26, 'Crocs flammèches violet', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches violet"}', 0), + (44254, 2, 26, 'Crocs flammèches rouge', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammèches rouge"}', 0), + (44255, 2, 26, 'Crocs flammes vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":8}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flammes vert"}', 0), + (44256, 2, 26, 'Crocs flamme orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":9}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flamme orange"}', 0), + (44257, 2, 26, 'Crocs flamme rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":10}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flamme rose"}', 0), + (44258, 2, 26, 'Crocs flamme rouge', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":11}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"flamme rouge"}', 0), + (44259, 2, 26, 'Crocs foudre bleu', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":12}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre bleu"}', 0), + (44260, 2, 26, 'Crocs foudre vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":13}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre vert"}', 0), + (44261, 2, 26, 'Crocs foudre orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":14}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre orange"}', 0), + (44262, 2, 26, 'Crocs foudre rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":15}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre rose"}', 0), + (44263, 2, 26, 'Crocs foudre rouge', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":16}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"foudre rouge"}', 0), + (44264, 2, 26, 'Crocs éclairs bleu', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":17}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs bleu"}', 0), + (44265, 2, 26, 'Crocs éclairs vert', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":18}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs vert"}', 0), + (44266, 2, 26, 'Crocs éclairs orange', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":19}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs orange"}', 0), + (44267, 2, 26, 'Crocs éclairs rose', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":20}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"éclairs rose"}', 0), + (44268, 2, 26, 'Crocs classique blanc', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":21}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"classique blanc"}', 0), + (44269, 2, 26, 'Crocs classique ivoire', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":22}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"classique ivoire"}', 0), + (44270, 2, 26, 'Crocs pierre', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":23}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"pierre"}', 0), + (44271, 2, 26, 'Crocs brun', 50, '{"components":{"6":{"Drawable":125,"Palette":0,"Texture":24}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"brun"}', 0), + (44272, 1, 26, 'Crocs nuage bleu', 50, '{"components":{"6":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"nuage bleu"}', 0), + (44273, 1, 26, 'Crocs nuage jaune', 50, '{"components":{"6":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"nuage jaune"}', 0), + (44274, 2, 26, 'Crocs nuage bleu', 50, '{"components":{"6":{"Drawable":126,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"nuage bleu"}', 0), + (44275, 2, 26, 'Crocs nuage jaune', 50, '{"components":{"6":{"Drawable":126,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"nuage jaune"}', 0), + (44276, 1, 26, 'Crocs avec chaussettes traits gris', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits gris"}', 0), + (44277, 1, 26, 'Crocs avec chaussettes traits bleu', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits bleu"}', 0), + (44278, 1, 26, 'Crocs avec chaussettes traits rouge', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits rouge"}', 0), + (44279, 1, 26, 'Crocs avec chaussettes traits blanc', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits blanc"}', 0), + (44280, 1, 26, 'Crocs avec chaussettes D6 bleu', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"D6 bleu"}', 0), + (44281, 1, 26, 'Crocs avec chaussettes america', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"america"}', 0), + (44282, 1, 26, 'Crocs avec chaussettes papillon', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"papillon"}', 0), + (44283, 1, 26, 'Crocs avec chaussettes citron', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"citron"}', 0), + (44284, 2, 26, 'Crocs avec chaussettes traits gris', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits gris"}', 0), + (44285, 2, 26, 'Crocs avec chaussettes traits bleu', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits bleu"}', 0), + (44286, 2, 26, 'Crocs avec chaussettes traits rouge', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits rouge"}', 0), + (44287, 2, 26, 'Crocs avec chaussettes traits blanc', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"traits blanc"}', 0), + (44288, 2, 26, 'Crocs avec chaussettes D6 bleu', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"D6 bleu"}', 0), + (44289, 2, 26, 'Crocs avec chaussettes america', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"america"}', 0), + (44290, 2, 26, 'Crocs avec chaussettes papillon', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"papillon"}', 0), + (44291, 2, 26, 'Crocs avec chaussettes citron', 50, '{"components":{"6":{"Drawable":127,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs avec chaussettes","colorLabel":"citron"}', 0), + (44292, 1, 26, 'Crocs traits gris', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits gris"}', 0), + (44293, 1, 26, 'Crocs traits bleu', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits bleu"}', 0), + (44294, 1, 26, 'Crocs traits rouge', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits rouge"}', 0), + (44295, 1, 26, 'Crocs traits blanc', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits blanc"}', 0), + (44296, 1, 26, 'Crocs D6 bleu', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"D6 bleu"}', 0), + (44297, 1, 26, 'Crocs america', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"america"}', 0), + (44298, 1, 26, 'Crocs papillon', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"papillon"}', 0), + (44299, 1, 26, 'Crocs citron', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"citron"}', 0), + (44300, 2, 26, 'Crocs traits gris', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":0}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits gris"}', 0), + (44301, 2, 26, 'Crocs traits bleu', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":1}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits bleu"}', 0), + (44302, 2, 26, 'Crocs traits rouge', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":2}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits rouge"}', 0), + (44303, 2, 26, 'Crocs traits blanc', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":3}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"traits blanc"}', 0), + (44304, 2, 26, 'Crocs D6 bleu', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":4}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"D6 bleu"}', 0), + (44305, 2, 26, 'Crocs america', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":5}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"america"}', 0), + (44306, 2, 26, 'Crocs papillon', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":6}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"papillon"}', 0), + (44307, 2, 26, 'Crocs citron', 50, '{"components":{"6":{"Drawable":128,"Palette":0,"Texture":7}},"modelHash":-1667301416,"modelLabel":"Crocs","colorLabel":"citron"}', 0), + (50000, 1, 52, 'Petit sac militaire', 50, '{"components":{"5":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"militaire"}', 0), + (50001, 1, 52, 'Petit sac militaire', 50, '{"components":{"5":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"militaire"}', 0), + (50002, 2, 52, 'Petit sac militaire', 50, '{"components":{"5":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"militaire"}', 0), + (50003, 2, 52, 'Petit sac militaire', 50, '{"components":{"5":{"Drawable":40,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"militaire"}', 0), + (50004, 1, 52, 'Gros sac militaire', 50, '{"components":{"5":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"militaire"}', 0), + (50005, 1, 52, 'Gros sac militaire', 50, '{"components":{"5":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"militaire"}', 0), + (50006, 2, 52, 'Gros sac militaire', 50, '{"components":{"5":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"militaire"}', 0), + (50007, 2, 52, 'Gros sac militaire', 50, '{"components":{"5":{"Drawable":41,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"militaire"}', 0), + (50008, 1, 52, 'Petit sac sport', 50, '{"components":{"5":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"sport"}', 0), + (50009, 1, 52, 'Petit sac sport', 50, '{"components":{"5":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"sport"}', 0), + (50010, 2, 52, 'Petit sac sport', 50, '{"components":{"5":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"sport"}', 0), + (50011, 2, 52, 'Petit sac sport', 50, '{"components":{"5":{"Drawable":44,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"sport"}', 0), + (50012, 1, 52, 'Gros sac sport', 50, '{"components":{"5":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"sport"}', 0), + (50013, 1, 52, 'Gros sac sport', 50, '{"components":{"5":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"sport"}', 0), + (50014, 2, 52, 'Gros sac sport', 50, '{"components":{"5":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"sport"}', 0), + (50015, 2, 52, 'Gros sac sport', 50, '{"components":{"5":{"Drawable":45,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"sport"}', 0), + (50016, 1, 52, 'Petit sac noir', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"noir"}', 0), + (50017, 1, 52, 'Petit sac noir', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"noir"}', 0), + (50018, 1, 52, 'Petit sac bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"bleu"}', 0), + (50019, 1, 52, 'Petit sac bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"bleu"}', 0), + (50020, 1, 52, 'Petit sac jaune', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"jaune"}', 0), + (50021, 1, 52, 'Petit sac jaune', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"jaune"}', 0), + (50022, 1, 52, 'Petit sac rouge', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"rouge"}', 0), + (50023, 1, 52, 'Petit sac rouge', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"rouge"}', 0), + (50024, 1, 52, 'Petit sac vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"vert"}', 0), + (50025, 1, 52, 'Petit sac vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"vert"}', 0), + (50026, 1, 52, 'Petit sac orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"orange"}', 0), + (50027, 1, 52, 'Petit sac orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"orange"}', 0), + (50028, 1, 52, 'Petit sac violet', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"violet"}', 0), + (50029, 1, 52, 'Petit sac violet', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"violet"}', 0), + (50030, 1, 52, 'Petit sac rose', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"rose"}', 0), + (50031, 1, 52, 'Petit sac rose', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"rose"}', 0), + (50032, 1, 52, 'Petit sac bleu et orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"bleu et orange"}', 0), + (50033, 1, 52, 'Petit sac bleu et orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"bleu et orange"}', 0), + (50034, 1, 52, 'Petit sac bleu et vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"bleu et vert"}', 0), + (50035, 1, 52, 'Petit sac bleu et vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"bleu et vert"}', 0), + (50036, 1, 52, 'Petit sac camo. bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. bleu"}', 0), + (50037, 1, 52, 'Petit sac camo. bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. bleu"}', 0), + (50038, 1, 52, 'Petit sac camo. jungle', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. jungle"}', 0), + (50039, 1, 52, 'Petit sac camo. jungle', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. jungle"}', 0), + (50040, 1, 52, 'Petit sac camo. sable', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":12}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. sable"}', 0), + (50041, 1, 52, 'Petit sac camo. sable', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":12}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. sable"}', 0), + (50042, 1, 52, 'Petit sac camo. dazzel', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":13}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. dazzel"}', 0), + (50043, 1, 52, 'Petit sac camo. dazzel', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":13}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. dazzel"}', 0), + (50044, 1, 52, 'Petit sac camo. desert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":14}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. desert"}', 0), + (50045, 1, 52, 'Petit sac camo. desert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":14}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. desert"}', 0), + (50046, 1, 52, 'Petit sac camo. prairie', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":15}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. prairie"}', 0), + (50047, 1, 52, 'Petit sac camo. prairie', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":15}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. prairie"}', 0), + (50048, 2, 52, 'Petit sac noir', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"noir"}', 0), + (50049, 2, 52, 'Petit sac noir', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"noir"}', 0), + (50050, 2, 52, 'Petit sac bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"bleu"}', 0), + (50051, 2, 52, 'Petit sac bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":1}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"bleu"}', 0), + (50052, 2, 52, 'Petit sac jaune', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"jaune"}', 0), + (50053, 2, 52, 'Petit sac jaune', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":2}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"jaune"}', 0), + (50054, 2, 52, 'Petit sac rouge', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"rouge"}', 0), + (50055, 2, 52, 'Petit sac rouge', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":3}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"rouge"}', 0), + (50056, 2, 52, 'Petit sac vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"vert"}', 0), + (50057, 2, 52, 'Petit sac vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":4}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"vert"}', 0), + (50058, 2, 52, 'Petit sac orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"orange"}', 0), + (50059, 2, 52, 'Petit sac orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":5}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"orange"}', 0), + (50060, 2, 52, 'Petit sac violet', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"violet"}', 0), + (50061, 2, 52, 'Petit sac violet', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":6}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"violet"}', 0), + (50062, 2, 52, 'Petit sac rose', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"rose"}', 0), + (50063, 2, 52, 'Petit sac rose', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":7}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"rose"}', 0), + (50064, 2, 52, 'Petit sac bleu et orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"bleu et orange"}', 0), + (50065, 2, 52, 'Petit sac bleu et orange', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":8}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"bleu et orange"}', 0), + (50066, 2, 52, 'Petit sac bleu et vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"bleu et vert"}', 0), + (50067, 2, 52, 'Petit sac bleu et vert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":9}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"bleu et vert"}', 0), + (50068, 2, 52, 'Petit sac camo. bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. bleu"}', 0), + (50069, 2, 52, 'Petit sac camo. bleu', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":10}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. bleu"}', 0), + (50070, 2, 52, 'Petit sac camo. jungle', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. jungle"}', 0), + (50071, 2, 52, 'Petit sac camo. jungle', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":11}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. jungle"}', 0), + (50072, 2, 52, 'Petit sac camo. sable', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":12}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. sable"}', 0), + (50073, 2, 52, 'Petit sac camo. sable', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":12}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. sable"}', 0), + (50074, 2, 52, 'Petit sac camo. dazzel', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":13}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. dazzel"}', 0), + (50075, 2, 52, 'Petit sac camo. dazzel', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":13}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. dazzel"}', 0), + (50076, 2, 52, 'Petit sac camo. desert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":14}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. desert"}', 0), + (50077, 2, 52, 'Petit sac camo. desert', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":14}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. desert"}', 0), + (50078, 2, 52, 'Petit sac camo. prairie', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":15}},"modelHash":"1885233650","modelLabel":"Petit sac","colorLabel":"camo. prairie"}', 0), + (50079, 2, 52, 'Petit sac camo. prairie', 50, '{"components":{"5":{"Drawable":81,"Palette":0,"Texture":15}},"modelHash":"-1667301416","modelLabel":"Petit sac","colorLabel":"camo. prairie"}', 0), + (50080, 1, 52, 'Gros sac noir', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"noir"}', 0), + (50081, 1, 52, 'Gros sac noir', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"noir"}', 0), + (50082, 1, 52, 'Gros sac bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"bleu"}', 0), + (50083, 1, 52, 'Gros sac bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"bleu"}', 0), + (50084, 1, 52, 'Gros sac jaune', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"jaune"}', 0), + (50085, 1, 52, 'Gros sac jaune', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"jaune"}', 0), + (50086, 1, 52, 'Gros sac rouge', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"rouge"}', 0), + (50087, 1, 52, 'Gros sac rouge', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"rouge"}', 0), + (50088, 1, 52, 'Gros sac vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"vert"}', 0), + (50089, 1, 52, 'Gros sac vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"vert"}', 0), + (50090, 1, 52, 'Gros sac orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"orange"}', 0), + (50091, 1, 52, 'Gros sac orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"orange"}', 0), + (50092, 1, 52, 'Gros sac violet', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"violet"}', 0), + (50093, 1, 52, 'Gros sac violet', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"violet"}', 0), + (50094, 1, 52, 'Gros sac rose', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"rose"}', 0), + (50095, 1, 52, 'Gros sac rose', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"rose"}', 0), + (50096, 1, 52, 'Gros sac bleu et orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"bleu et orange"}', 0), + (50097, 1, 52, 'Gros sac bleu et orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"bleu et orange"}', 0), + (50098, 1, 52, 'Gros sac bleu et vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"bleu et vert"}', 0), + (50099, 1, 52, 'Gros sac bleu et vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"bleu et vert"}', 0), + (50100, 1, 52, 'Gros sac camo. bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. bleu"}', 0), + (50101, 1, 52, 'Gros sac camo. bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. bleu"}', 0), + (50102, 1, 52, 'Gros sac camo. jungle', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. jungle"}', 0), + (50103, 1, 52, 'Gros sac camo. jungle', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. jungle"}', 0), + (50104, 1, 52, 'Gros sac camo. sable', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":12}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. sable"}', 0), + (50105, 1, 52, 'Gros sac camo. sable', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":12}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. sable"}', 0), + (50106, 1, 52, 'Gros sac camo. dazzel', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":13}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. dazzel"}', 0), + (50107, 1, 52, 'Gros sac camo. dazzel', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":13}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. dazzel"}', 0), + (50108, 1, 52, 'Gros sac camo. desert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":14}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. desert"}', 0), + (50109, 1, 52, 'Gros sac camo. desert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":14}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. desert"}', 0), + (50110, 1, 52, 'Gros sac camo. prairie', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":15}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. prairie"}', 0), + (50111, 1, 52, 'Gros sac camo. prairie', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":15}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. prairie"}', 0), + (50112, 2, 52, 'Gros sac noir', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"noir"}', 0), + (50113, 2, 52, 'Gros sac noir', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"noir"}', 0), + (50114, 2, 52, 'Gros sac bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"bleu"}', 0), + (50115, 2, 52, 'Gros sac bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":1}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"bleu"}', 0), + (50116, 2, 52, 'Gros sac jaune', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"jaune"}', 0), + (50117, 2, 52, 'Gros sac jaune', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":2}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"jaune"}', 0), + (50118, 2, 52, 'Gros sac rouge', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"rouge"}', 0), + (50119, 2, 52, 'Gros sac rouge', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":3}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"rouge"}', 0), + (50120, 2, 52, 'Gros sac vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"vert"}', 0), + (50121, 2, 52, 'Gros sac vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":4}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"vert"}', 0), + (50122, 2, 52, 'Gros sac orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"orange"}', 0), + (50123, 2, 52, 'Gros sac orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":5}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"orange"}', 0), + (50124, 2, 52, 'Gros sac violet', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"violet"}', 0), + (50125, 2, 52, 'Gros sac violet', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":6}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"violet"}', 0), + (50126, 2, 52, 'Gros sac rose', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"rose"}', 0), + (50127, 2, 52, 'Gros sac rose', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":7}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"rose"}', 0), + (50128, 2, 52, 'Gros sac bleu et orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"bleu et orange"}', 0), + (50129, 2, 52, 'Gros sac bleu et orange', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":8}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"bleu et orange"}', 0), + (50130, 2, 52, 'Gros sac bleu et vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"bleu et vert"}', 0), + (50131, 2, 52, 'Gros sac bleu et vert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":9}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"bleu et vert"}', 0), + (50132, 2, 52, 'Gros sac camo. bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. bleu"}', 0), + (50133, 2, 52, 'Gros sac camo. bleu', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":10}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. bleu"}', 0), + (50134, 2, 52, 'Gros sac camo. jungle', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. jungle"}', 0), + (50135, 2, 52, 'Gros sac camo. jungle', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":11}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. jungle"}', 0), + (50136, 2, 52, 'Gros sac camo. sable', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":12}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. sable"}', 0), + (50137, 2, 52, 'Gros sac camo. sable', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":12}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. sable"}', 0), + (50138, 2, 52, 'Gros sac camo. dazzel', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":13}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. dazzel"}', 0), + (50139, 2, 52, 'Gros sac camo. dazzel', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":13}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. dazzel"}', 0), + (50140, 2, 52, 'Gros sac camo. desert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":14}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. desert"}', 0), + (50141, 2, 52, 'Gros sac camo. desert', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":14}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. desert"}', 0), + (50142, 2, 52, 'Gros sac camo. prairie', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":15}},"modelHash":"1885233650","modelLabel":"Gros sac","colorLabel":"camo. prairie"}', 0), + (50143, 2, 52, 'Gros sac camo. prairie', 50, '{"components":{"5":{"Drawable":82,"Palette":0,"Texture":15}},"modelHash":"-1667301416","modelLabel":"Gros sac","colorLabel":"camo. prairie"}', 0), + (50144, 3, 52, 'Petit sac de marque Big. noir', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Big. noir"}', 0), + (50145, 3, 52, 'Petit sac de marque Big. noir', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Big. noir"}', 0), + (50146, 3, 52, 'Petit sac de marque Big. rouge', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Big. rouge"}', 0), + (50147, 3, 52, 'Petit sac de marque Big. rouge', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":1}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Big. rouge"}', 0), + (50148, 3, 52, 'Petit sac de marque Big. lion rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Big. lion rose"}', 0), + (50149, 3, 52, 'Petit sac de marque Big. lion rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":2}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Big. lion rose"}', 0), + (50150, 3, 52, 'Petit sac de marque Guffy kaki', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":3}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Guffy kaki"}', 0), + (50151, 3, 52, 'Petit sac de marque Guffy kaki', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":3}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Guffy kaki"}', 0), + (50152, 3, 52, 'Petit sac de marque Guffy léopard rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":4}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Guffy léopard rose"}', 0), + (50153, 3, 52, 'Petit sac de marque Guffy léopard rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":4}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Guffy léopard rose"}', 0), + (50154, 3, 52, 'Petit sac de marque Guffy feuilles bleues', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":5}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Guffy feuilles bleues"}', 0), + (50155, 3, 52, 'Petit sac de marque Guffy feuilles bleues', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":5}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Guffy feuilles bleues"}', 0), + (50156, 3, 52, 'Petit sac de marque Guffy feuilles noires', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":6}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Guffy feuilles noires"}', 0), + (50157, 3, 52, 'Petit sac de marque Guffy feuilles noires', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":6}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Guffy feuilles noires"}', 0), + (50158, 3, 52, 'Petit sac de marque Jackal rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":7}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Jackal rose"}', 0), + (50159, 3, 52, 'Petit sac de marque Jackal rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":7}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Jackal rose"}', 0), + (50160, 3, 52, 'Petit sac de marque Jackal bleu', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":8}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Jackal bleu"}', 0), + (50161, 3, 52, 'Petit sac de marque Jackal bleu', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":8}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Jackal bleu"}', 0), + (50162, 3, 52, 'Petit sac de marque Prolaps noir', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":9}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps noir"}', 0), + (50163, 3, 52, 'Petit sac de marque Prolaps noir', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":9}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps noir"}', 0), + (50164, 3, 52, 'Petit sac de marque Prolaps bleu', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":10}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps bleu"}', 0), + (50165, 3, 52, 'Petit sac de marque Prolaps bleu', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":10}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps bleu"}', 0), + (50166, 3, 52, 'Petit sac de marque Prolaps violet', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":11}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps violet"}', 0), + (50167, 3, 52, 'Petit sac de marque Prolaps violet', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":11}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps violet"}', 0), + (50168, 3, 52, 'Petit sac de marque Prolaps rouge', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":12}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps rouge"}', 0), + (50169, 3, 52, 'Petit sac de marque Prolaps rouge', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":12}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps rouge"}', 0), + (50170, 3, 52, 'Petit sac de marque Prolaps rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":13}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps rose"}', 0), + (50171, 3, 52, 'Petit sac de marque Prolaps rose', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":13}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps rose"}', 0), + (50172, 3, 52, 'Petit sac de marque Prolaps turquoise', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":14}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps turquoise"}', 0), + (50173, 3, 52, 'Petit sac de marque Prolaps turquoise', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":14}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps turquoise"}', 0), + (50174, 3, 52, 'Petit sac de marque Prolaps acide', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":15}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps acide"}', 0), + (50175, 3, 52, 'Petit sac de marque Prolaps acide', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":15}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps acide"}', 0), + (50176, 3, 52, 'Petit sac de marque Prolaps citron', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":16}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps citron"}', 0), + (50177, 3, 52, 'Petit sac de marque Prolaps citron', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":16}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps citron"}', 0), + (50178, 3, 52, 'Petit sac de marque Prolaps bubble gum', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":17}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Prolaps bubble gum"}', 0), + (50179, 3, 52, 'Petit sac de marque Prolaps bubble gum', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":17}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Prolaps bubble gum"}', 0), + (50180, 3, 52, 'Petit sac de marque Sand Castle noir', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":18}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Sand Castle noir"}', 0), + (50181, 3, 52, 'Petit sac de marque Sand Castle noir', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":18}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Sand Castle noir"}', 0), + (50182, 3, 52, 'Petit sac de marque Sand Castle bleu', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":19}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Sand Castle bleu"}', 0), + (50183, 3, 52, 'Petit sac de marque Sand Castle bleu', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":19}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Sand Castle bleu"}', 0), + (50184, 3, 52, 'Petit sac de marque Sand Castle camo.', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":20}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Sand Castle camo."}', 0), + (50185, 3, 52, 'Petit sac de marque Sand Castle camo.', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":20}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Sand Castle camo."}', 0), + (50186, 3, 52, 'Petit sac de marque Goldé', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":21}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Goldé"}', 0), + (50187, 3, 52, 'Petit sac de marque Goldé', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":21}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Goldé"}', 0), + (50188, 3, 52, 'Petit sac de marque Broken gold', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":22}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Broken gold"}', 0), + (50189, 3, 52, 'Petit sac de marque Broken gold', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":22}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Broken gold"}', 0), + (50190, 3, 52, 'Petit sac de marque Casino royal', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":23}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Casino royal"}', 0), + (50191, 3, 52, 'Petit sac de marque Casino royal', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":23}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Casino royal"}', 0), + (50192, 3, 52, 'Petit sac de marque Casino coloré', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":24}},"modelHash":"1885233650","modelLabel":"Petit sac de marque","colorLabel":"Casino coloré"}', 0), + (50193, 3, 52, 'Petit sac de marque Casino coloré', 50, '{"components":{"5":{"Drawable":85,"Palette":0,"Texture":24}},"modelHash":"-1667301416","modelLabel":"Petit sac de marque","colorLabel":"Casino coloré"}', 0), + (50194, 3, 52, 'Gros sac de marque Big. noir', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Big. noir"}', 0), + (50195, 3, 52, 'Gros sac de marque Big. noir', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":0}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Big. noir"}', 0), + (50196, 3, 52, 'Gros sac de marque Big. rouge', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Big. rouge"}', 0), + (50197, 3, 52, 'Gros sac de marque Big. rouge', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":1}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Big. rouge"}', 0), + (50198, 3, 52, 'Gros sac de marque Big. lion rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Big. lion rose"}', 0), + (50199, 3, 52, 'Gros sac de marque Big. lion rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":2}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Big. lion rose"}', 0), + (50200, 3, 52, 'Gros sac de marque Guffy kaki', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Guffy kaki"}', 0), + (50201, 3, 52, 'Gros sac de marque Guffy kaki', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":3}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Guffy kaki"}', 0), + (50202, 3, 52, 'Gros sac de marque Guffy léopard rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Guffy léopard rose"}', 0), + (50203, 3, 52, 'Gros sac de marque Guffy léopard rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":4}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Guffy léopard rose"}', 0), + (50204, 3, 52, 'Gros sac de marque Guffy feuilles bleues', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":5}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Guffy feuilles bleues"}', 0), + (50205, 3, 52, 'Gros sac de marque Guffy feuilles bleues', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":5}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Guffy feuilles bleues"}', 0), + (50206, 3, 52, 'Gros sac de marque Guffy feuilles noires', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":6}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Guffy feuilles noires"}', 0), + (50207, 3, 52, 'Gros sac de marque Guffy feuilles noires', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":6}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Guffy feuilles noires"}', 0), + (50208, 3, 52, 'Gros sac de marque Jackal rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":7}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Jackal rose"}', 0), + (50209, 3, 52, 'Gros sac de marque Jackal rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":7}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Jackal rose"}', 0), + (50210, 3, 52, 'Gros sac de marque Jackal bleu', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":8}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Jackal bleu"}', 0), + (50211, 3, 52, 'Gros sac de marque Jackal bleu', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":8}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Jackal bleu"}', 0), + (50212, 3, 52, 'Gros sac de marque Prolaps noir', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":9}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps noir"}', 0), + (50213, 3, 52, 'Gros sac de marque Prolaps noir', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":9}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps noir"}', 0), + (50214, 3, 52, 'Gros sac de marque Prolaps bleu', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":10}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps bleu"}', 0), + (50215, 3, 52, 'Gros sac de marque Prolaps bleu', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":10}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps bleu"}', 0), + (50216, 3, 52, 'Gros sac de marque Prolaps violet', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":11}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps violet"}', 0), + (50217, 3, 52, 'Gros sac de marque Prolaps violet', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":11}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps violet"}', 0), + (50218, 3, 52, 'Gros sac de marque Prolaps rouge', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":12}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps rouge"}', 0), + (50219, 3, 52, 'Gros sac de marque Prolaps rouge', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":12}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps rouge"}', 0), + (50220, 3, 52, 'Gros sac de marque Prolaps rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":13}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps rose"}', 0), + (50221, 3, 52, 'Gros sac de marque Prolaps rose', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":13}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps rose"}', 0), + (50222, 3, 52, 'Gros sac de marque Prolaps turquoise', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":14}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps turquoise"}', 0), + (50223, 3, 52, 'Gros sac de marque Prolaps turquoise', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":14}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps turquoise"}', 0), + (50224, 3, 52, 'Gros sac de marque Prolaps acide', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":15}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps acide"}', 0), + (50225, 3, 52, 'Gros sac de marque Prolaps acide', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":15}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps acide"}', 0), + (50226, 3, 52, 'Gros sac de marque Prolaps citron', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":16}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps citron"}', 0), + (50227, 3, 52, 'Gros sac de marque Prolaps citron', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":16}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps citron"}', 0), + (50228, 3, 52, 'Gros sac de marque Prolaps bubble gum', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":17}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Prolaps bubble gum"}', 0), + (50229, 3, 52, 'Gros sac de marque Prolaps bubble gum', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":17}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Prolaps bubble gum"}', 0), + (50230, 3, 52, 'Gros sac de marque Sand Castle noir', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":18}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Sand Castle noir"}', 0), + (50231, 3, 52, 'Gros sac de marque Sand Castle noir', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":18}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Sand Castle noir"}', 0), + (50232, 3, 52, 'Gros sac de marque Sand Castle bleu', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":19}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Sand Castle bleu"}', 0), + (50233, 3, 52, 'Gros sac de marque Sand Castle bleu', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":19}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Sand Castle bleu"}', 0), + (50234, 3, 52, 'Gros sac de marque Sand Castle camo.', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":20}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Sand Castle camo."}', 0), + (50235, 3, 52, 'Gros sac de marque Sand Castle camo.', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":20}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Sand Castle camo."}', 0), + (50236, 3, 52, 'Gros sac de marque Goldé', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":21}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Goldé"}', 0), + (50237, 3, 52, 'Gros sac de marque Goldé', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":21}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Goldé"}', 0), + (50238, 3, 52, 'Gros sac de marque Broken gold', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":22}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Broken gold"}', 0), + (50239, 3, 52, 'Gros sac de marque Broken gold', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":22}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Broken gold"}', 0), + (50240, 3, 52, 'Gros sac de marque Casino royal', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":23}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Casino royal"}', 0), + (50241, 3, 52, 'Gros sac de marque Casino royal', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":23}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Casino royal"}', 0), + (50242, 3, 52, 'Gros sac de marque Casino coloré', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":24}},"modelHash":"1885233650","modelLabel":"Gros sac de marque","colorLabel":"Casino coloré"}', 0), + (50243, 3, 52, 'Gros sac de marque Casino coloré', 50, '{"components":{"5":{"Drawable":86,"Palette":0,"Texture":24}},"modelHash":"-1667301416","modelLabel":"Gros sac de marque","colorLabel":"Casino coloré"}', 0), + (55000, 3, 50, 'Gants de mécano noirs', 50, '{"components":{"3":{"Drawable":20,"Palette":0,"Texture":0}},"modelLabel":"Gants de mécano","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":20,"1":21,"2":22,"3":23,"4":24,"5":25,"6":26,"7":27,"9":28,"11":29,"12":30,"14":31,"15":32}}', 0), + (55001, 3, 50, 'Gants de mécano marrons', 50, '{"components":{"3":{"Drawable":20,"Palette":0,"Texture":1}},"modelLabel":"Gants de mécano","colorLabel":"marrons","modelHash":-1667301416,"correspondingDrawables":{"0":20,"1":21,"2":22,"3":23,"4":24,"5":25,"6":26,"7":27,"9":28,"11":29,"12":30,"14":31,"15":32}}', 0), + (55002, 3, 50, 'Gants en cuir noirs', 50, '{"components":{"3":{"Drawable":33,"Palette":0,"Texture":0}},"modelLabel":"Gants en cuir","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":33,"1":34,"2":35,"3":36,"4":37,"5":38,"6":39,"7":40,"9":41,"11":42,"12":43,"14":44,"15":45}}', 0), + (55003, 3, 50, 'Gants en cuir marrons', 50, '{"components":{"3":{"Drawable":33,"Palette":0,"Texture":1}},"modelLabel":"Gants en cuir","colorLabel":"marrons","modelHash":-1667301416,"correspondingDrawables":{"0":33,"1":34,"2":35,"3":36,"4":37,"5":38,"6":39,"7":40,"9":41,"11":42,"12":43,"14":44,"15":45}}', 0), + (55004, 3, 50, 'Gants brodés noirs', 50, '{"components":{"3":{"Drawable":46,"Palette":0,"Texture":0}},"modelLabel":"Gants brodés","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":46,"1":47,"2":48,"3":49,"4":50,"5":51,"6":52,"7":53,"9":54,"11":55,"12":56,"14":57,"15":58}}', 0), + (55005, 3, 50, 'Gants brodés blancs', 50, '{"components":{"3":{"Drawable":46,"Palette":0,"Texture":1}},"modelLabel":"Gants brodés","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":46,"1":47,"2":48,"3":49,"4":50,"5":51,"6":52,"7":53,"9":54,"11":55,"12":56,"14":57,"15":58}}', 0), + (55006, 3, 50, 'Mitaines brodées noirs', 50, '{"components":{"3":{"Drawable":59,"Palette":0,"Texture":0}},"modelLabel":"Mitaines brodées","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":59,"1":60,"2":61,"3":62,"4":63,"5":64,"6":65,"7":66,"9":67,"11":68,"12":69,"14":70,"15":71}}', 0), + (55007, 3, 50, 'Mitaines brodées blancs', 50, '{"components":{"3":{"Drawable":59,"Palette":0,"Texture":1}},"modelLabel":"Mitaines brodées","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":59,"1":60,"2":61,"3":62,"4":63,"5":64,"6":65,"7":66,"9":67,"11":68,"12":69,"14":70,"15":71}}', 0), + (55008, 1, 50, 'Gants de ménage jaunes', 50, '{"components":{"3":{"Drawable":72,"Palette":0,"Texture":0}},"modelLabel":"Gants de ménage","colorLabel":"jaunes","modelHash":-1667301416,"correspondingDrawables":{"0":72,"1":73,"2":74,"3":75,"4":76,"5":77,"6":78,"7":79,"9":80,"11":81,"12":82,"14":83,"15":84}}', 0), + (55009, 3, 50, 'Gants en cuir blancs', 50, '{"components":{"3":{"Drawable":85,"Palette":0,"Texture":0}},"modelLabel":"Gants en cuir","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":85,"1":86,"2":87,"3":88,"4":89,"5":90,"6":91,"7":92,"9":93,"11":94,"12":95,"14":96,"15":97}}', 0), + (55010, 1, 50, 'Gants en latex bleus', 50, '{"components":{"3":{"Drawable":98,"Palette":0,"Texture":0}},"modelLabel":"Gants en latex","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":98,"1":99,"2":100,"3":101,"4":102,"5":103,"6":104,"7":105,"9":106,"11":107,"12":108,"14":109,"15":110}}', 0), + (55011, 1, 50, 'Gants en latex blancs', 50, '{"components":{"3":{"Drawable":98,"Palette":0,"Texture":1}},"modelLabel":"Gants en latex","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":98,"1":99,"2":100,"3":101,"4":102,"5":103,"6":104,"7":105,"9":106,"11":107,"12":108,"14":109,"15":110}}', 0), + (55012, 1, 50, 'Gants en laine verts', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":0}},"modelLabel":"Gants en laine","colorLabel":"verts","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55013, 1, 50, 'Gants en laine oranges', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":1}},"modelLabel":"Gants en laine","colorLabel":"oranges","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55014, 1, 50, 'Gants en laine violets', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":2}},"modelLabel":"Gants en laine","colorLabel":"violets","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55015, 1, 50, 'Gants en laine roses', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":3}},"modelLabel":"Gants en laine","colorLabel":"roses","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55016, 1, 50, 'Gants en laine bordeaux', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":4}},"modelLabel":"Gants en laine","colorLabel":"bordeaux","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55017, 1, 50, 'Gants en laine bleus', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":5}},"modelLabel":"Gants en laine","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55018, 1, 50, 'Gants en laine gris', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":6}},"modelLabel":"Gants en laine","colorLabel":"gris","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55019, 1, 50, 'Gants en laine pâles', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":7}},"modelLabel":"Gants en laine","colorLabel":"pâles","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55020, 1, 50, 'Gants en laine blancs', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":8}},"modelLabel":"Gants en laine","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55021, 1, 50, 'Gants en laine noirs', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":9}},"modelLabel":"Gants en laine","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55022, 1, 50, 'Gants à motifs rembourrés bleus', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55023, 1, 50, 'Gants à motifs rembourrés savanes', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"savanes","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55024, 1, 50, 'Gants à motifs rembourrés verts', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55025, 1, 50, 'Gants à motifs rembourrés clairs', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"clairs","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55026, 1, 50, 'Gants à motifs rembourrés deserts', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"deserts","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55027, 1, 50, 'Gants à motifs rembourrés verts et marrons', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts et marrons","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55028, 1, 50, 'Gants à motifs rembourrés carreaux', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"carreaux","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55029, 1, 50, 'Gants à motifs rembourrés acides', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"acides","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55030, 1, 50, 'Gants à motifs rembourrés sables', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"sables","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55031, 1, 50, 'Gants à motifs rembourrés ciels', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"ciels","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55032, 1, 50, 'Gants à motifs rembourrés forêts', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"forêts","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55033, 1, 50, 'Gants à motifs rembourrés kakis', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"kakis","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55034, 1, 50, 'Gants à motifs rembourrés serpents', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"serpents","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55035, 1, 50, 'Gants à motifs bleus', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55036, 1, 50, 'Gants à motifs savanes', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs","colorLabel":"savanes","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55037, 1, 50, 'Gants à motifs verts', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs","colorLabel":"verts","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55038, 1, 50, 'Gants à motifs clairs', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs","colorLabel":"clairs","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55039, 1, 50, 'Gants à motifs deserts', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs","colorLabel":"deserts","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55040, 1, 50, 'Gants à motifs verts et marrons', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs","colorLabel":"verts et marrons","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55041, 1, 50, 'Gants à motifs carreaux', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs","colorLabel":"carreaux","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55042, 1, 50, 'Gants à motifs acides', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs","colorLabel":"acides","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55043, 1, 50, 'Gants à motifs sables', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs","colorLabel":"sables","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55044, 1, 50, 'Gants à motifs ciels', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs","colorLabel":"ciels","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55045, 1, 50, 'Gants à motifs forêts', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs","colorLabel":"forêts","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55046, 1, 50, 'Gants à motifs kakis', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs","colorLabel":"kakis","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55047, 1, 50, 'Gants à motifs serpents', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs","colorLabel":"serpents","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55048, 3, 50, 'Gants de moto noirs', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":0}},"modelLabel":"Gants de moto","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55049, 3, 50, 'Gants de moto foncés', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":1}},"modelLabel":"Gants de moto","colorLabel":"foncés","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55050, 3, 50, 'Gants de moto gris', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":2}},"modelLabel":"Gants de moto","colorLabel":"gris","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55051, 3, 50, 'Gants de moto blancs', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":3}},"modelLabel":"Gants de moto","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55052, 3, 50, 'Gants de moto gris et rouges', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":4}},"modelLabel":"Gants de moto","colorLabel":"gris et rouges","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55053, 3, 50, 'Gants de moto marrons', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":5}},"modelLabel":"Gants de moto","colorLabel":"marrons","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55054, 3, 50, 'Gants de moto corails', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":6}},"modelLabel":"Gants de moto","colorLabel":"corails","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55055, 3, 50, 'Gants de moto verts et blancs', 50, '{"components":{"3":{"Drawable":212,"Palette":0,"Texture":7}},"modelLabel":"Gants de moto","colorLabel":"verts et blancs","modelHash":-1667301416,"correspondingDrawables":{"0":212,"1":213,"2":214,"3":215,"4":216,"5":217,"6":218,"7":219,"9":220,"11":221,"12":222,"14":223,"15":211}}', 0), + (55056, 2, 50, 'Gants de ménage jaunes', 50, '{"components":{"3":{"Drawable":72,"Palette":0,"Texture":0}},"modelLabel":"Gants de ménage","colorLabel":"jaunes","modelHash":-1667301416,"correspondingDrawables":{"0":72,"1":73,"2":74,"3":75,"4":76,"5":77,"6":78,"7":79,"9":80,"11":81,"12":82,"14":83,"15":84}}', 0), + (55057, 2, 50, 'Gants en latex bleus', 50, '{"components":{"3":{"Drawable":98,"Palette":0,"Texture":0}},"modelLabel":"Gants en latex","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":98,"1":99,"2":100,"3":101,"4":102,"5":103,"6":104,"7":105,"9":106,"11":107,"12":108,"14":109,"15":110}}', 0), + (55058, 2, 50, 'Gants en latex blancs', 50, '{"components":{"3":{"Drawable":98,"Palette":0,"Texture":1}},"modelLabel":"Gants en latex","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":98,"1":99,"2":100,"3":101,"4":102,"5":103,"6":104,"7":105,"9":106,"11":107,"12":108,"14":109,"15":110}}', 0), + (55059, 2, 50, 'Gants en laine verts', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":0}},"modelLabel":"Gants en laine","colorLabel":"verts","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55060, 2, 50, 'Gants en laine oranges', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":1}},"modelLabel":"Gants en laine","colorLabel":"oranges","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55061, 2, 50, 'Gants en laine violets', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":2}},"modelLabel":"Gants en laine","colorLabel":"violets","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55062, 2, 50, 'Gants en laine roses', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":3}},"modelLabel":"Gants en laine","colorLabel":"roses","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55063, 2, 50, 'Gants en laine bordeaux', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":4}},"modelLabel":"Gants en laine","colorLabel":"bordeaux","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55064, 2, 50, 'Gants en laine bleus', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":5}},"modelLabel":"Gants en laine","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55065, 2, 50, 'Gants en laine gris', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":6}},"modelLabel":"Gants en laine","colorLabel":"gris","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55066, 2, 50, 'Gants en laine pâles', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":7}},"modelLabel":"Gants en laine","colorLabel":"pâles","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55067, 2, 50, 'Gants en laine blancs', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":8}},"modelLabel":"Gants en laine","colorLabel":"blancs","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55068, 2, 50, 'Gants en laine noirs', 50, '{"components":{"3":{"Drawable":114,"Palette":0,"Texture":9}},"modelLabel":"Gants en laine","colorLabel":"noirs","modelHash":-1667301416,"correspondingDrawables":{"0":114,"1":115,"2":116,"3":117,"4":118,"5":119,"6":120,"7":121,"9":122,"11":123,"12":124,"14":125,"15":126}}', 0), + (55069, 2, 50, 'Gants à motifs rembourrés bleus', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55070, 2, 50, 'Gants à motifs rembourrés savanes', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"savanes","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55071, 2, 50, 'Gants à motifs rembourrés verts', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55072, 2, 50, 'Gants à motifs rembourrés clairs', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"clairs","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55073, 2, 50, 'Gants à motifs rembourrés deserts', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"deserts","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55074, 2, 50, 'Gants à motifs rembourrés verts et marrons', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts et marrons","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55075, 2, 50, 'Gants à motifs rembourrés carreaux', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"carreaux","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55076, 2, 50, 'Gants à motifs rembourrés acides', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"acides","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55077, 2, 50, 'Gants à motifs rembourrés sables', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"sables","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55078, 2, 50, 'Gants à motifs rembourrés ciels', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"ciels","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55079, 2, 50, 'Gants à motifs rembourrés forêts', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"forêts","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55080, 2, 50, 'Gants à motifs rembourrés kakis', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"kakis","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55081, 2, 50, 'Gants à motifs rembourrés serpents', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"serpents","modelHash":-1667301416,"correspondingDrawables":{"0":171,"1":172,"2":173,"3":174,"4":175,"5":176,"6":177,"7":178,"9":179,"11":180,"12":181,"14":182,"15":169}}', 0), + (55082, 2, 50, 'Gants à motifs bleus', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs","colorLabel":"bleus","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55083, 2, 50, 'Gants à motifs savanes', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs","colorLabel":"savanes","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55084, 2, 50, 'Gants à motifs verts', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs","colorLabel":"verts","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55085, 2, 50, 'Gants à motifs clairs', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs","colorLabel":"clairs","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55086, 2, 50, 'Gants à motifs deserts', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs","colorLabel":"deserts","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55087, 2, 50, 'Gants à motifs verts et marrons', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs","colorLabel":"verts et marrons","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55088, 2, 50, 'Gants à motifs carreaux', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs","colorLabel":"carreaux","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55089, 2, 50, 'Gants à motifs acides', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs","colorLabel":"acides","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55090, 2, 50, 'Gants à motifs sables', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs","colorLabel":"sables","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55091, 2, 50, 'Gants à motifs ciels', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs","colorLabel":"ciels","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55092, 2, 50, 'Gants à motifs forêts', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs","colorLabel":"forêts","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55093, 2, 50, 'Gants à motifs kakis', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs","colorLabel":"kakis","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (55094, 2, 50, 'Gants à motifs serpents', 50, '{"components":{"3":{"Drawable":187,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs","colorLabel":"serpents","modelHash":-1667301416,"correspondingDrawables":{"0":187,"1":188,"2":189,"3":190,"4":191,"5":192,"6":193,"7":194,"9":195,"11":196,"12":197,"14":198,"15":170}}', 0), + (56000, 3, 50, 'Gants de mécano noirs', 50, '{"components":{"3":{"Drawable":19,"Palette":0,"Texture":0}},"modelLabel":"Gants de mécano","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":19,"1":20,"2":21,"4":22,"5":23,"6":24,"8":25,"11":26,"12":27,"14":28,"15":29,"184":186}}', 0), + (56001, 3, 50, 'Gants de mécano marrons', 50, '{"components":{"3":{"Drawable":19,"Palette":0,"Texture":1}},"modelLabel":"Gants de mécano","colorLabel":"marrons","modelHash":1885233650,"correspondingDrawables":{"0":19,"1":20,"2":21,"4":22,"5":23,"6":24,"8":25,"11":26,"12":27,"14":28,"15":29,"184":186}}', 0), + (56002, 3, 50, 'Gants en cuir noirs', 50, '{"components":{"3":{"Drawable":30,"Palette":0,"Texture":0}},"modelLabel":"Gants en cuir","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":30,"1":31,"2":32,"4":33,"5":34,"6":35,"8":36,"11":37,"12":38,"14":39,"15":40,"184":185}}', 0), + (56003, 3, 50, 'Gants en cuir marrons', 50, '{"components":{"3":{"Drawable":30,"Palette":0,"Texture":1}},"modelLabel":"Gants en cuir","colorLabel":"marrons","modelHash":1885233650,"correspondingDrawables":{"0":30,"1":31,"2":32,"4":33,"5":34,"6":35,"8":36,"11":37,"12":38,"14":39,"15":40,"184":185}}', 0), + (56004, 3, 50, 'Gants brodés noirs', 50, '{"components":{"3":{"Drawable":41,"Palette":0,"Texture":0}},"modelLabel":"Gants brodés","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":41,"1":42,"2":43,"4":44,"5":45,"6":46,"8":47,"11":48,"12":49,"14":50,"15":51,"184":187}}', 0), + (56005, 3, 50, 'Gants brodés blancs', 50, '{"components":{"3":{"Drawable":41,"Palette":0,"Texture":1}},"modelLabel":"Gants brodés","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":41,"1":42,"2":43,"4":44,"5":45,"6":46,"8":47,"11":48,"12":49,"14":50,"15":51,"184":187}}', 0), + (56006, 3, 50, 'Mitaines brodés noirs', 50, '{"components":{"3":{"Drawable":52,"Palette":0,"Texture":0}},"modelLabel":"Mitaines brodés","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":52,"1":53,"2":54,"4":55,"5":56,"6":57,"8":58,"11":59,"12":60,"14":61,"15":62,"184":188}}', 0), + (56007, 3, 50, 'Mitaines brodés blancs', 50, '{"components":{"3":{"Drawable":52,"Palette":0,"Texture":1}},"modelLabel":"Mitaines brodés","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":52,"1":53,"2":54,"4":55,"5":56,"6":57,"8":58,"11":59,"12":60,"14":61,"15":62,"184":188}}', 0), + (56008, 1, 50, 'Gants de ménage jaunes', 50, '{"components":{"3":{"Drawable":63,"Palette":0,"Texture":0}},"modelLabel":"Gants de ménage","colorLabel":"jaunes","modelHash":1885233650,"correspondingDrawables":{"0":63,"1":64,"2":65,"4":66,"5":67,"6":68,"8":69,"11":70,"12":71,"14":72,"15":73,"184":189}}', 0), + (56009, 3, 50, 'Gants en cuir blancs', 50, '{"components":{"3":{"Drawable":74,"Palette":0,"Texture":0}},"modelLabel":"Gants en cuir","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":74,"1":75,"2":76,"4":77,"5":78,"6":79,"8":80,"11":81,"12":82,"14":83,"15":84,"184":190}}', 0), + (56010, 1, 50, 'Gants en latex bleus', 50, '{"components":{"3":{"Drawable":85,"Palette":0,"Texture":0}},"modelLabel":"Gants en latex","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":85,"1":86,"2":87,"4":88,"5":89,"6":90,"8":91,"11":92,"12":93,"14":94,"15":95,"184":191}}', 0), + (56011, 1, 50, 'Gants en latex blancs', 50, '{"components":{"3":{"Drawable":85,"Palette":0,"Texture":1}},"modelLabel":"Gants en latex","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":85,"1":86,"2":87,"4":88,"5":89,"6":90,"8":91,"11":92,"12":93,"14":94,"15":95,"184":191}}', 0), + (56012, 1, 50, 'Gants en laine verts', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":0}},"modelLabel":"Gants en laine","colorLabel":"verts","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56013, 1, 50, 'Gants en laine oranges', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":1}},"modelLabel":"Gants en laine","colorLabel":"oranges","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56014, 1, 50, 'Gants en laine violets', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":2}},"modelLabel":"Gants en laine","colorLabel":"violets","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56015, 1, 50, 'Gants en laine roses', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":3}},"modelLabel":"Gants en laine","colorLabel":"roses","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56016, 1, 50, 'Gants en laine bordeaux', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":4}},"modelLabel":"Gants en laine","colorLabel":"bordeaux","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56017, 1, 50, 'Gants en laine bleus', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":5}},"modelLabel":"Gants en laine","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56018, 1, 50, 'Gants en laine gris', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":6}},"modelLabel":"Gants en laine","colorLabel":"gris","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56019, 1, 50, 'Gants en laine pâle', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":7}},"modelLabel":"Gants en laine","colorLabel":"pâles","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56020, 1, 50, 'Gants en laine blancs', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":8}},"modelLabel":"Gants en laine","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56021, 1, 50, 'Gants en laine noirs', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":9}},"modelLabel":"Gants en laine","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56022, 1, 50, 'Gants à motifs rembourrés bleus', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56023, 1, 50, 'Gants à motifs rembourrés savanes', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"savanes","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56024, 1, 50, 'Gants à motifs rembourrés verts', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56025, 1, 50, 'Gants à motifs rembourrés clairs', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"clairs","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56026, 1, 50, 'Gants à motifs rembourrés deserts', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"deserts","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56027, 1, 50, 'Gants à motifs rembourrés verts et marrons', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts et marrons","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56028, 1, 50, 'Gants à motifs rembourrés carreaux', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"carreaux","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56029, 1, 50, 'Gants à motifs rembourrés acides', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"acides","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56030, 1, 50, 'Gants à motifs rembourrés sables', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"sables","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56031, 1, 50, 'Gants à motifs rembourrés ciels', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"ciels","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56032, 1, 50, 'Gants à motifs rembourrés forêts', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"forêts","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56033, 1, 50, 'Gants à motifs rembourrés kakis', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"kakis","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":192}}', 0), + (56034, 1, 50, 'Gants à motifs rembourrés serpents', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"serpents","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56035, 1, 50, 'Gants à motifs bleus', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56036, 1, 50, 'Gants à motifs savanes', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs","colorLabel":"savanes","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56037, 1, 50, 'Gants à motifs verts', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs","colorLabel":"verts","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56038, 1, 50, 'Gants à motifs clairs', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs","colorLabel":"clairs","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56039, 1, 50, 'Gants à motifs deserts', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs","colorLabel":"deserts","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56040, 1, 50, 'Gants à motifs verts et marrons', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs","colorLabel":"verts et marrons","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56041, 1, 50, 'Gants à motifs carreaux', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs","colorLabel":"carreaux","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56042, 1, 50, 'Gants à motifs acides', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs","colorLabel":"acides","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56043, 1, 50, 'Gants à motifs sables', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs","colorLabel":"sables","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56044, 1, 50, 'Gants à motifs ciels', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs","colorLabel":"ciels","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56045, 1, 50, 'Gants à motifs forêts', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs","colorLabel":"forêts","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56046, 1, 50, 'Gants à motifs kakis', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs","colorLabel":"kakis","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56047, 1, 50, 'Gants à motifs serpents', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs","colorLabel":"serpents","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":193}}', 0), + (56048, 3, 50, 'Gants de moto noirs', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":0}},"modelLabel":"Gants de moto","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56049, 3, 50, 'Gants de moto foncés', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":1}},"modelLabel":"Gants de moto","colorLabel":"foncés","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56050, 3, 50, 'Gants de moto gris', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":2}},"modelLabel":"Gants de moto","colorLabel":"gris","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56051, 3, 50, 'Gants de moto blancs', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":3}},"modelLabel":"Gants de moto","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56052, 3, 50, 'Gants de moto gris et rouges', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":4}},"modelLabel":"Gants de moto","colorLabel":"gris et rouges","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56053, 3, 50, 'Gants de moto marrons', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":5}},"modelLabel":"Gants de moto","colorLabel":"marrons","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56054, 3, 50, 'Gants de moto corails', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":6}},"modelLabel":"Gants de moto","colorLabel":"corails","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56055, 3, 50, 'Gants de moto verts et blancs', 50, '{"components":{"3":{"Drawable":171,"Palette":0,"Texture":7}},"modelLabel":"Gants de moto","colorLabel":"verts et blancs","modelHash":1885233650,"correspondingDrawables":{"0":171,"1":172,"2":173,"4":174,"5":175,"6":176,"8":177,"11":178,"12":179,"14":180,"15":170,"184":184}}', 0), + (56056, 2, 50, 'Gants de ménage jaunes', 50, '{"components":{"3":{"Drawable":63,"Palette":0,"Texture":0}},"modelLabel":"Gants de ménage","colorLabel":"jaunes","modelHash":1885233650,"correspondingDrawables":{"0":63,"1":64,"2":65,"4":66,"5":67,"6":68,"8":69,"11":70,"12":71,"14":72,"15":73,"184":184}}', 0), + (56057, 2, 50, 'Gants en latex bleus', 50, '{"components":{"3":{"Drawable":85,"Palette":0,"Texture":0}},"modelLabel":"Gants en latex","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":85,"1":86,"2":87,"4":88,"5":89,"6":90,"8":91,"11":92,"12":93,"14":94,"15":95,"184":184}}', 0), + (56058, 2, 50, 'Gants en latex blancs', 50, '{"components":{"3":{"Drawable":85,"Palette":0,"Texture":1}},"modelLabel":"Gants en latex","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":85,"1":86,"2":87,"4":88,"5":89,"6":90,"8":91,"11":92,"12":93,"14":94,"15":95,"184":184}}', 0), + (56059, 2, 50, 'Gants en laine verts', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":0}},"modelLabel":"Gants en laine","colorLabel":"verts","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56060, 2, 50, 'Gants en laine oranges', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":1}},"modelLabel":"Gants en laine","colorLabel":"oranges","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56061, 2, 50, 'Gants en laine violets', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":2}},"modelLabel":"Gants en laine","colorLabel":"violets","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56062, 2, 50, 'Gants en laine roses', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":3}},"modelLabel":"Gants en laine","colorLabel":"roses","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56063, 2, 50, 'Gants en laine bordeaux', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":4}},"modelLabel":"Gants en laine","colorLabel":"bordeaux","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56064, 2, 50, 'Gants en laine bleus', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":5}},"modelLabel":"Gants en laine","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56065, 2, 50, 'Gants en laine gris', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":6}},"modelLabel":"Gants en laine","colorLabel":"gris","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56066, 2, 50, 'Gants en laine pâle', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":7}},"modelLabel":"Gants en laine","colorLabel":"pâles","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56067, 2, 50, 'Gants en laine blancs', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":8}},"modelLabel":"Gants en laine","colorLabel":"blancs","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56068, 2, 50, 'Gants en laine noirs', 50, '{"components":{"3":{"Drawable":99,"Palette":0,"Texture":9}},"modelLabel":"Gants en laine","colorLabel":"noirs","modelHash":1885233650,"correspondingDrawables":{"0":99,"1":100,"2":101,"4":102,"5":103,"6":104,"8":105,"11":106,"12":107,"14":108,"15":109,"184":184}}', 0), + (56069, 2, 50, 'Gants à motifs rembourrés bleus', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56070, 2, 50, 'Gants à motifs rembourrés savanes', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"savanes","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56071, 2, 50, 'Gants à motifs rembourrés verts', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56072, 2, 50, 'Gants à motifs rembourrés clairs', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"clairs","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56073, 2, 50, 'Gants à motifs rembourrés deserts', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"deserts","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56074, 2, 50, 'Gants à motifs rembourrés verts et marrons', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"verts et marrons","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56075, 2, 50, 'Gants à motifs rembourrés carreaux', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"carreaux","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56076, 2, 50, 'Gants à motifs rembourrés acides', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"acides","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56077, 2, 50, 'Gants à motifs rembourrés sables', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"sables","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56078, 2, 50, 'Gants à motifs rembourrés ciels', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"ciels","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56079, 2, 50, 'Gants à motifs rembourrés forêts', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"forêts","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56080, 2, 50, 'Gants à motifs rembourrés kakis', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"kakis","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56081, 2, 50, 'Gants à motifs rembourrés serpents', 50, '{"components":{"3":{"Drawable":138,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs rembourrés","colorLabel":"serpents","modelHash":1885233650,"correspondingDrawables":{"0":138,"1":139,"2":140,"4":141,"5":142,"6":143,"8":144,"11":145,"12":146,"14":147,"15":136,"184":184}}', 0), + (56082, 2, 50, 'Gants à motifs bleus', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":0}},"modelLabel":"Gants à motifs","colorLabel":"bleus","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56083, 2, 50, 'Gants à motifs savanes', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":1}},"modelLabel":"Gants à motifs","colorLabel":"savanes","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56084, 2, 50, 'Gants à motifs verts', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":2}},"modelLabel":"Gants à motifs","colorLabel":"verts","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56085, 2, 50, 'Gants à motifs clairs', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":3}},"modelLabel":"Gants à motifs","colorLabel":"clairs","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56086, 2, 50, 'Gants à motifs deserts', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":4}},"modelLabel":"Gants à motifs","colorLabel":"deserts","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56087, 2, 50, 'Gants à motifs verts et marrons', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":5}},"modelLabel":"Gants à motifs","colorLabel":"verts et marrons","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56088, 2, 50, 'Gants à motifs carreaux', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":6}},"modelLabel":"Gants à motifs","colorLabel":"carreaux","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56089, 2, 50, 'Gants à motifs acides', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":7}},"modelLabel":"Gants à motifs","colorLabel":"acides","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56090, 2, 50, 'Gants à motifs sables', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":8}},"modelLabel":"Gants à motifs","colorLabel":"sables","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56091, 2, 50, 'Gants à motifs ciels', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":9}},"modelLabel":"Gants à motifs","colorLabel":"ciels","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56092, 2, 50, 'Gants à motifs forêts', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":10}},"modelLabel":"Gants à motifs","colorLabel":"forêts","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56093, 2, 50, 'Gants à motifs kakis', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":11}},"modelLabel":"Gants à motifs","colorLabel":"kakis","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (56094, 2, 50, 'Gants à motifs serpents', 50, '{"components":{"3":{"Drawable":151,"Palette":0,"Texture":12}},"modelLabel":"Gants à motifs","colorLabel":"serpents","modelHash":1885233650,"correspondingDrawables":{"0":151,"1":152,"2":153,"4":154,"5":155,"6":156,"8":157,"11":158,"12":159,"14":160,"15":137,"184":184}}', 0), + (60000, 4, 36, 'Cochon noir', 200, '{"components":{"1":{"Drawable":1,"Palette":0,"Texture":0}},"modelLabel":"Cochon","colorLabel":"noir"}', 0), + (60001, 4, 36, 'Cochon sanglant', 200, '{"components":{"1":{"Drawable":1,"Palette":0,"Texture":1}},"modelLabel":"Cochon","colorLabel":"sanglant"}', 0), + (60002, 4, 36, 'Cochon marron', 200, '{"components":{"1":{"Drawable":1,"Palette":0,"Texture":2}},"modelLabel":"Cochon","colorLabel":"marron"}', 0), + (60003, 4, 36, 'Cochon rose', 200, '{"components":{"1":{"Drawable":1,"Palette":0,"Texture":3}},"modelLabel":"Cochon","colorLabel":"rose"}', 0), + (60004, 4, 37, 'Crâne d\'os', 100, '{"components":{"1":{"Drawable":2,"Palette":0,"Texture":0}},"modelLabel":"Crâne","colorLabel":"d\'os"}', 0), + (60005, 4, 37, 'Crâne noir', 100, '{"components":{"1":{"Drawable":2,"Palette":0,"Texture":1}},"modelLabel":"Crâne","colorLabel":"noir"}', 0), + (60006, 4, 37, 'Crâne gris', 100, '{"components":{"1":{"Drawable":2,"Palette":0,"Texture":2}},"modelLabel":"Crâne","colorLabel":"gris"}', 0), + (60007, 4, 37, 'Crâne gris clair', 100, '{"components":{"1":{"Drawable":2,"Palette":0,"Texture":3}},"modelLabel":"Crâne","colorLabel":"gris clair"}', 0), + (60008, 4, 36, 'Pogo classique', 200, '{"components":{"1":{"Drawable":3,"Palette":0,"Texture":0}},"modelLabel":"Pogo","colorLabel":"classique"}', 0), + (60009, 4, 37, 'Hockey Dust Devils', 100, '{"components":{"1":{"Drawable":4,"Palette":0,"Texture":0}},"modelLabel":"Hockey","colorLabel":"Dust Devils"}', 0), + (60010, 4, 37, 'Hockey rouge', 100, '{"components":{"1":{"Drawable":4,"Palette":0,"Texture":1}},"modelLabel":"Hockey","colorLabel":"rouge"}', 0), + (60011, 4, 37, 'Hockey noir', 100, '{"components":{"1":{"Drawable":4,"Palette":0,"Texture":2}},"modelLabel":"Hockey","colorLabel":"noir"}', 0), + (60012, 4, 37, 'Hockey Dust Devils 2', 100, '{"components":{"1":{"Drawable":4,"Palette":0,"Texture":3}},"modelLabel":"Hockey","colorLabel":"Dust Devils 2"}', 0), + (60013, 4, 36, 'Singe rose', 200, '{"components":{"1":{"Drawable":5,"Palette":0,"Texture":0}},"modelLabel":"Singe","colorLabel":"rose"}', 0), + (60014, 4, 36, 'Singe vert', 200, '{"components":{"1":{"Drawable":5,"Palette":0,"Texture":1}},"modelLabel":"Singe","colorLabel":"vert"}', 0), + (60015, 4, 36, 'Singe marron', 200, '{"components":{"1":{"Drawable":5,"Palette":0,"Texture":2}},"modelLabel":"Singe","colorLabel":"marron"}', 0), + (60016, 4, 36, 'Singe brun clair', 200, '{"components":{"1":{"Drawable":5,"Palette":0,"Texture":3}},"modelLabel":"Singe","colorLabel":"brun clair"}', 0), + (60017, 4, 34, 'Jour des morts blanc', 250, '{"components":{"1":{"Drawable":6,"Palette":0,"Texture":0}},"modelLabel":"Jour des morts","colorLabel":"blanc"}', 0), + (60018, 4, 34, 'Jour des morts noir', 250, '{"components":{"1":{"Drawable":6,"Palette":0,"Texture":1}},"modelLabel":"Jour des morts","colorLabel":"noir"}', 0), + (60019, 4, 34, 'Jour des morts rouge', 250, '{"components":{"1":{"Drawable":6,"Palette":0,"Texture":2}},"modelLabel":"Jour des morts","colorLabel":"rouge"}', 0), + (60020, 4, 34, 'Jour des morts vert', 250, '{"components":{"1":{"Drawable":6,"Palette":0,"Texture":3}},"modelLabel":"Jour des morts","colorLabel":"vert"}', 0), + (60021, 4, 33, 'Monstre blanc', 100, '{"components":{"1":{"Drawable":7,"Palette":0,"Texture":0}},"modelLabel":"Monstre","colorLabel":"blanc"}', 0), + (60022, 4, 33, 'Monstre noir', 100, '{"components":{"1":{"Drawable":7,"Palette":0,"Texture":1}},"modelLabel":"Monstre","colorLabel":"noir"}', 0), + (60023, 4, 33, 'Monstre rouge', 100, '{"components":{"1":{"Drawable":7,"Palette":0,"Texture":2}},"modelLabel":"Monstre","colorLabel":"rouge"}', 0), + (60024, 4, 33, 'Monstre vert', 100, '{"components":{"1":{"Drawable":7,"Palette":0,"Texture":3}},"modelLabel":"Monstre","colorLabel":"vert"}', 0), + (60025, 4, 38, 'Père Noël blanc', 250, '{"components":{"1":{"Drawable":8,"Palette":0,"Texture":0}},"modelLabel":"Père Noël","colorLabel":"blanc"}', 0), + (60026, 4, 38, 'Père Noël noir', 250, '{"components":{"1":{"Drawable":8,"Palette":0,"Texture":1}},"modelLabel":"Père Noël","colorLabel":"noir"}', 0), + (60027, 4, 38, 'Père Noël latino', 250, '{"components":{"1":{"Drawable":8,"Palette":0,"Texture":2}},"modelLabel":"Père Noël","colorLabel":"latino"}', 0), + (60028, 4, 38, 'Rudolf classique', 250, '{"components":{"1":{"Drawable":9,"Palette":0,"Texture":0}},"modelLabel":"Rudolf","colorLabel":"classique"}', 0), + (60029, 4, 33, 'Bonhomme de neige classique', 100, '{"components":{"1":{"Drawable":10,"Palette":0,"Texture":0}},"modelLabel":"Bonhomme de neige","colorLabel":"classique"}', 0), + (60030, 4, 34, 'Loup blanc', 250, '{"components":{"1":{"Drawable":11,"Palette":0,"Texture":0}},"modelLabel":"Loup","colorLabel":"blanc"}', 0), + (60031, 4, 34, 'Loup rouge', 250, '{"components":{"1":{"Drawable":11,"Palette":0,"Texture":1}},"modelLabel":"Loup","colorLabel":"rouge"}', 0), + (60032, 4, 34, 'Loup noir', 250, '{"components":{"1":{"Drawable":11,"Palette":0,"Texture":2}},"modelLabel":"Loup","colorLabel":"noir"}', 0), + (60033, 4, 34, 'Bal masqué bronze', 250, '{"components":{"1":{"Drawable":12,"Palette":0,"Texture":0}},"modelLabel":"Bal masqué","colorLabel":"bronze"}', 0), + (60034, 4, 34, 'Bal masqué argent', 250, '{"components":{"1":{"Drawable":12,"Palette":0,"Texture":1}},"modelLabel":"Bal masqué","colorLabel":"argent"}', 0), + (60035, 4, 34, 'Bal masqué noir et or', 250, '{"components":{"1":{"Drawable":12,"Palette":0,"Texture":2}},"modelLabel":"Bal masqué","colorLabel":"noir et or"}', 0), + (60036, 4, 38, 'Chérubin classique', 250, '{"components":{"1":{"Drawable":13,"Palette":0,"Texture":0}},"modelLabel":"Chérubin","colorLabel":"classique"}', 0), + (60037, 4, 37, 'Hockey balle', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":0}},"modelLabel":"Hockey","colorLabel":"balle"}', 0), + (60038, 4, 37, 'Hockey Vinewood', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":1}},"modelLabel":"Hockey","colorLabel":"Vinewood"}', 0), + (60039, 4, 37, 'Hockey touriste', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":2}},"modelLabel":"Hockey","colorLabel":"touriste"}', 0), + (60040, 4, 37, 'Hockey chien', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":3}},"modelLabel":"Hockey","colorLabel":"chien"}', 0), + (60041, 4, 37, 'Hockey loup', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":4}},"modelLabel":"Hockey","colorLabel":"loup"}', 0), + (60042, 4, 37, 'Hockey bête', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":5}},"modelLabel":"Hockey","colorLabel":"bête"}', 0), + (60043, 4, 37, 'Hockey ours', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":6}},"modelLabel":"Hockey","colorLabel":"ours"}', 0), + (60044, 4, 37, 'Hockey Dust Devils 3', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":7}},"modelLabel":"Hockey","colorLabel":"Dust Devils 3"}', 0), + (60045, 4, 37, 'Hockey Rampage à rayures', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":8}},"modelLabel":"Hockey","colorLabel":"Rampage à rayures"}', 0), + (60046, 4, 37, 'Hockey royal', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":9}},"modelLabel":"Hockey","colorLabel":"royal"}', 0), + (60047, 4, 37, 'Hockey chic', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":10}},"modelLabel":"Hockey","colorLabel":"chic"}', 0), + (60048, 4, 37, 'Hockey zombie affreux', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":11}},"modelLabel":"Hockey","colorLabel":"zombie affreux"}', 0), + (60049, 4, 37, 'Hockey zombie décomposé', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":12}},"modelLabel":"Hockey","colorLabel":"zombie décomposé"}', 0), + (60050, 4, 37, 'Hockey crâne enflammé', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":13}},"modelLabel":"Hockey","colorLabel":"crâne enflammé"}', 0), + (60051, 4, 37, 'Hockey crâne abominable', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":14}},"modelLabel":"Hockey","colorLabel":"crâne abominable"}', 0), + (60052, 4, 37, 'Hockey crâne électrique', 100, '{"components":{"1":{"Drawable":14,"Palette":0,"Texture":15}},"modelLabel":"Hockey","colorLabel":"crâne électrique"}', 0), + (60053, 4, 37, 'Hockey crâne', 100, '{"components":{"1":{"Drawable":15,"Palette":0,"Texture":0}},"modelLabel":"Hockey","colorLabel":"crâne"}', 0), + (60054, 4, 37, 'Hockey rapiécé', 100, '{"components":{"1":{"Drawable":15,"Palette":0,"Texture":1}},"modelLabel":"Hockey","colorLabel":"rapiécé"}', 0), + (60055, 4, 37, 'Hockey rapiécé clair', 100, '{"components":{"1":{"Drawable":15,"Palette":0,"Texture":2}},"modelLabel":"Hockey","colorLabel":"rapiécé clair"}', 0), + (60056, 4, 37, 'Hockey rapiécé croix', 100, '{"components":{"1":{"Drawable":15,"Palette":0,"Texture":3}},"modelLabel":"Hockey","colorLabel":"rapiécé croix"}', 0), + (60057, 4, 37, 'Guerrier métal', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":0}},"modelLabel":"Guerrier","colorLabel":"métal"}', 0), + (60058, 4, 37, 'Guerrier circuit', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":1}},"modelLabel":"Guerrier","colorLabel":"circuit"}', 0), + (60059, 4, 37, 'Guerrier fusion', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":2}},"modelLabel":"Guerrier","colorLabel":"fusion"}', 0), + (60060, 4, 37, 'Guerrier fluo', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":3}},"modelLabel":"Guerrier","colorLabel":"fluo"}', 0), + (60061, 4, 37, 'Guerrier carbone', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":4}},"modelLabel":"Guerrier","colorLabel":"carbone"}', 0), + (60062, 4, 37, 'Guerrier oeil de lynx', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":5}},"modelLabel":"Guerrier","colorLabel":"oeil de lynx"}', 0), + (60063, 4, 37, 'Guerrier pierre', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":6}},"modelLabel":"Guerrier","colorLabel":"pierre"}', 0), + (60064, 4, 37, 'Guerrier foudre', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":7}},"modelLabel":"Guerrier","colorLabel":"foudre"}', 0), + (60065, 4, 37, 'Guerrier bois', 100, '{"components":{"1":{"Drawable":16,"Palette":0,"Texture":8}},"modelLabel":"Guerrier","colorLabel":"bois"}', 0), + (60066, 4, 36, 'Chat gris', 200, '{"components":{"1":{"Drawable":17,"Palette":0,"Texture":0}},"modelLabel":"Chat","colorLabel":"gris"}', 0), + (60067, 4, 36, 'Chat tigré', 200, '{"components":{"1":{"Drawable":17,"Palette":0,"Texture":1}},"modelLabel":"Chat","colorLabel":"tigré"}', 0), + (60068, 4, 36, 'Renard rouge', 200, '{"components":{"1":{"Drawable":18,"Palette":0,"Texture":0}},"modelLabel":"Renard","colorLabel":"rouge"}', 0), + (60069, 4, 36, 'Renard marron', 200, '{"components":{"1":{"Drawable":18,"Palette":0,"Texture":1}},"modelLabel":"Renard","colorLabel":"marron"}', 0), + (60070, 4, 36, 'Hibou marron', 200, '{"components":{"1":{"Drawable":19,"Palette":0,"Texture":0}},"modelLabel":"Hibou","colorLabel":"marron"}', 0), + (60071, 4, 36, 'Hibou blanc', 200, '{"components":{"1":{"Drawable":19,"Palette":0,"Texture":1}},"modelLabel":"Hibou","colorLabel":"blanc"}', 0), + (60072, 4, 36, 'Raton laveur gris', 200, '{"components":{"1":{"Drawable":20,"Palette":0,"Texture":0}},"modelLabel":"Raton laveur","colorLabel":"gris"}', 0), + (60073, 4, 36, 'Raton laveur noir', 200, '{"components":{"1":{"Drawable":20,"Palette":0,"Texture":1}},"modelLabel":"Raton laveur","colorLabel":"noir"}', 0), + (60074, 4, 36, 'Ours brun', 200, '{"components":{"1":{"Drawable":21,"Palette":0,"Texture":0}},"modelLabel":"Ours","colorLabel":"brun"}', 0), + (60075, 4, 36, 'Ours gris', 200, '{"components":{"1":{"Drawable":21,"Palette":0,"Texture":1}},"modelLabel":"Ours","colorLabel":"gris"}', 0), + (60076, 4, 36, 'Bison marron', 200, '{"components":{"1":{"Drawable":22,"Palette":0,"Texture":0}},"modelLabel":"Bison","colorLabel":"marron"}', 0), + (60077, 4, 36, 'Bison or', 200, '{"components":{"1":{"Drawable":22,"Palette":0,"Texture":1}},"modelLabel":"Bison","colorLabel":"or"}', 0), + (60078, 4, 36, 'Taureau noir', 200, '{"components":{"1":{"Drawable":23,"Palette":0,"Texture":0}},"modelLabel":"Taureau","colorLabel":"noir"}', 0), + (60079, 4, 36, 'Taureau marron', 200, '{"components":{"1":{"Drawable":23,"Palette":0,"Texture":1}},"modelLabel":"Taureau","colorLabel":"marron"}', 0), + (60080, 4, 36, 'Aigle marron', 200, '{"components":{"1":{"Drawable":24,"Palette":0,"Texture":0}},"modelLabel":"Aigle","colorLabel":"marron"}', 0), + (60081, 4, 36, 'Aigle blanc', 200, '{"components":{"1":{"Drawable":24,"Palette":0,"Texture":1}},"modelLabel":"Aigle","colorLabel":"blanc"}', 0), + (60082, 4, 36, 'Vautour rose', 200, '{"components":{"1":{"Drawable":25,"Palette":0,"Texture":0}},"modelLabel":"Vautour","colorLabel":"rose"}', 0), + (60083, 4, 36, 'Vautour noir', 200, '{"components":{"1":{"Drawable":25,"Palette":0,"Texture":1}},"modelLabel":"Vautour","colorLabel":"noir"}', 0), + (60084, 4, 36, 'Loup gris', 200, '{"components":{"1":{"Drawable":26,"Palette":0,"Texture":0}},"modelLabel":"Loup","colorLabel":"gris"}', 0), + (60085, 4, 36, 'Loup noir', 200, '{"components":{"1":{"Drawable":26,"Palette":0,"Texture":1}},"modelLabel":"Loup","colorLabel":"noir"}', 0), + (60086, 4, 38, 'Casque d\'aviateur', 250, '{"components":{"1":{"Drawable":27,"Palette":0,"Texture":0}},"modelLabel":"Casque","colorLabel":"d\'aviateur"}', 0), + (60087, 4, 37, 'Masque de combat noir', 100, '{"components":{"1":{"Drawable":28,"Palette":0,"Texture":0}},"modelLabel":"Masque de combat","colorLabel":"noir"}', 0), + (60088, 4, 37, 'Masque de combat gris', 100, '{"components":{"1":{"Drawable":28,"Palette":0,"Texture":1}},"modelLabel":"Masque de combat","colorLabel":"gris"}', 0), + (60089, 4, 37, 'Masque de combat anthracite', 100, '{"components":{"1":{"Drawable":28,"Palette":0,"Texture":2}},"modelLabel":"Masque de combat","colorLabel":"anthracite"}', 0), + (60090, 4, 37, 'Masque de combat sable', 100, '{"components":{"1":{"Drawable":28,"Palette":0,"Texture":3}},"modelLabel":"Masque de combat","colorLabel":"sable"}', 0), + (60091, 4, 37, 'Masque de combat forêt', 100, '{"components":{"1":{"Drawable":28,"Palette":0,"Texture":4}},"modelLabel":"Masque de combat","colorLabel":"forêt"}', 0), + (60092, 4, 37, 'Squelette noir', 100, '{"components":{"1":{"Drawable":29,"Palette":0,"Texture":0}},"modelLabel":"Squelette","colorLabel":"noir"}', 0), + (60093, 4, 37, 'Squelette gris', 100, '{"components":{"1":{"Drawable":29,"Palette":0,"Texture":1}},"modelLabel":"Squelette","colorLabel":"gris"}', 0), + (60094, 4, 37, 'Squelette anthracite', 100, '{"components":{"1":{"Drawable":29,"Palette":0,"Texture":2}},"modelLabel":"Squelette","colorLabel":"anthracite"}', 0), + (60095, 4, 37, 'Squelette brun clair', 100, '{"components":{"1":{"Drawable":29,"Palette":0,"Texture":3}},"modelLabel":"Squelette","colorLabel":"brun clair"}', 0), + (60096, 4, 37, 'Squelette vert', 100, '{"components":{"1":{"Drawable":29,"Palette":0,"Texture":4}},"modelLabel":"Squelette","colorLabel":"vert"}', 0), + (60097, 4, 37, 'Hockey Arrêtez moi', 100, '{"components":{"1":{"Drawable":30,"Palette":0,"Texture":0}},"modelLabel":"Hockey","colorLabel":"Arrêtez moi"}', 0), + (60098, 4, 38, 'Pingoin de Noël', 250, '{"components":{"1":{"Drawable":31,"Palette":0,"Texture":0}},"modelLabel":"Pingoin","colorLabel":"de Noël"}', 0), + (60099, 4, 39, 'Bas classique', 100, '{"components":{"1":{"Drawable":32,"Palette":0,"Texture":0}},"modelLabel":"Bas","colorLabel":"classique"}', 0), + (60100, 4, 38, 'P\'tit biscuit classique', 250, '{"components":{"1":{"Drawable":33,"Palette":0,"Texture":0}},"modelLabel":"P\'tit biscuit","colorLabel":"classique"}', 0), + (60101, 4, 36, 'Elfe blanc', 200, '{"components":{"1":{"Drawable":34,"Palette":0,"Texture":0}},"modelLabel":"Elfe","colorLabel":"blanc"}', 0), + (60102, 4, 36, 'Elfe noir', 200, '{"components":{"1":{"Drawable":34,"Palette":0,"Texture":1}},"modelLabel":"Elfe","colorLabel":"noir"}', 0), + (60103, 4, 36, 'Elfe latino', 200, '{"components":{"1":{"Drawable":34,"Palette":0,"Texture":2}},"modelLabel":"Elfe","colorLabel":"latino"}', 0), + (60104, 4, 38, 'Masque à gaz classique', 250, '{"components":{"1":{"Drawable":36,"Palette":0,"Texture":0}},"modelLabel":"Masque à gaz","colorLabel":"classique"}', 0), + (60105, 4, 39, 'Cagoule débraillée', 100, '{"components":{"1":{"Drawable":37,"Palette":0,"Texture":0}},"modelLabel":"Cagoule","colorLabel":"débraillée"}', 0), + (60106, 4, 37, 'Masque à gaz classique', 100, '{"components":{"1":{"Drawable":38,"Palette":0,"Texture":0}},"modelLabel":"Masque à gaz","colorLabel":"classique"}', 0), + (60107, 4, 33, 'Infecté rose', 100, '{"components":{"1":{"Drawable":39,"Palette":0,"Texture":0}},"modelLabel":"Infecté","colorLabel":"rose"}', 0), + (60108, 4, 33, 'Infecté marron', 100, '{"components":{"1":{"Drawable":39,"Palette":0,"Texture":1}},"modelLabel":"Infecté","colorLabel":"marron"}', 0), + (60109, 4, 33, 'Momie blanche', 100, '{"components":{"1":{"Drawable":40,"Palette":0,"Texture":0}},"modelLabel":"Momie","colorLabel":"blanche"}', 0), + (60110, 4, 33, 'Momie verte', 100, '{"components":{"1":{"Drawable":40,"Palette":0,"Texture":1}},"modelLabel":"Momie","colorLabel":"verte"}', 0), + (60111, 4, 33, 'Vampyr blanc', 100, '{"components":{"1":{"Drawable":41,"Palette":0,"Texture":0}},"modelLabel":"Vampyr","colorLabel":"blanc"}', 0), + (60112, 4, 33, 'Vampyr bleu', 100, '{"components":{"1":{"Drawable":41,"Palette":0,"Texture":1}},"modelLabel":"Vampyr","colorLabel":"bleu"}', 0), + (60113, 4, 33, 'Frank pâle', 100, '{"components":{"1":{"Drawable":42,"Palette":0,"Texture":0}},"modelLabel":"Frank","colorLabel":"pâle"}', 0), + (60114, 4, 33, 'Frank gris', 100, '{"components":{"1":{"Drawable":42,"Palette":0,"Texture":1}},"modelLabel":"Frank","colorLabel":"gris"}', 0), + (60115, 4, 38, 'Rage impuissante classique', 250, '{"components":{"1":{"Drawable":43,"Palette":0,"Texture":0}},"modelLabel":"Rage impuissante","colorLabel":"classique"}', 0), + (60116, 4, 38, 'Princesse Robot Bubblegum classique', 250, '{"components":{"1":{"Drawable":44,"Palette":0,"Texture":0}},"modelLabel":"Princesse Robot Bubblegum","colorLabel":"classique"}', 0), + (60117, 4, 38, 'Moorehead classique', 250, '{"components":{"1":{"Drawable":45,"Palette":0,"Texture":0}},"modelLabel":"Moorehead","colorLabel":"classique"}', 0), + (60118, 4, 37, 'Masque à gaz classique', 100, '{"components":{"1":{"Drawable":46,"Palette":0,"Texture":0}},"modelLabel":"Masque à gaz","colorLabel":"classique"}', 0), + (60119, 4, 38, 'Sac en papier Up-n-atom', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":0}},"modelLabel":"Sac en papier","colorLabel":"Up-n-atom"}', 0), + (60120, 4, 38, 'Sac en papier maniaque', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":1}},"modelLabel":"Sac en papier","colorLabel":"maniaque"}', 0), + (60121, 4, 38, 'Sac en papier triste', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":2}},"modelLabel":"Sac en papier","colorLabel":"triste"}', 0), + (60122, 4, 38, 'Sac en papier heureux', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":3}},"modelLabel":"Sac en papier","colorLabel":"heureux"}', 0), + (60123, 4, 38, 'Sac en papier matou-vu', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":4}},"modelLabel":"Sac en papier","colorLabel":"matou-vu"}', 0), + (60124, 4, 38, 'Sac en papier bouche', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":5}},"modelLabel":"Sac en papier","colorLabel":"bouche"}', 0), + (60125, 4, 38, 'Sac en papier timide', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":6}},"modelLabel":"Sac en papier","colorLabel":"timide"}', 0), + (60126, 4, 38, 'Sac en papier Burger shot', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":7}},"modelLabel":"Sac en papier","colorLabel":"Burger shot"}', 0), + (60127, 4, 38, 'Sac en papier Tuez-moi', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":8}},"modelLabel":"Sac en papier","colorLabel":"Tuez-moi"}', 0), + (60128, 4, 38, 'Sac en papier diabolique', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":9}},"modelLabel":"Sac en papier","colorLabel":"diabolique"}', 0), + (60129, 4, 38, 'Sac en papier flic', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":10}},"modelLabel":"Sac en papier","colorLabel":"flic"}', 0), + (60130, 4, 38, 'Sac en papier monstre', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":11}},"modelLabel":"Sac en papier","colorLabel":"monstre"}', 0), + (60131, 4, 38, 'Sac en papier furie', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":12}},"modelLabel":"Sac en papier","colorLabel":"furie"}', 0), + (60132, 4, 38, 'Sac en papier zigzag', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":13}},"modelLabel":"Sac en papier","colorLabel":"zigzag"}', 0), + (60133, 4, 38, 'Sac en papier crâne', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":14}},"modelLabel":"Sac en papier","colorLabel":"crâne"}', 0), + (60134, 4, 38, 'Sac en papier chien', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":15}},"modelLabel":"Sac en papier","colorLabel":"chien"}', 0), + (60135, 4, 38, 'Sac en papier rose', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":16}},"modelLabel":"Sac en papier","colorLabel":"rose"}', 0), + (60136, 4, 38, 'Sac en papier alien', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":17}},"modelLabel":"Sac en papier","colorLabel":"alien"}', 0), + (60137, 4, 38, 'Sac en papier à l\'aide', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":18}},"modelLabel":"Sac en papier","colorLabel":"à l\'aide"}', 0), + (60138, 4, 38, 'Sac en papier labyrinthe', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":19}},"modelLabel":"Sac en papier","colorLabel":"labyrinthe"}', 0), + (60139, 4, 38, 'Sac en papier doigt', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":20}},"modelLabel":"Sac en papier","colorLabel":"doigt"}', 0), + (60140, 4, 38, 'Sac en papier élégant', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":21}},"modelLabel":"Sac en papier","colorLabel":"élégant"}', 0), + (60141, 4, 38, 'Sac en papier autocollants', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":22}},"modelLabel":"Sac en papier","colorLabel":"autocollants"}', 0), + (60142, 4, 38, 'Sac en papier moderniste', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":23}},"modelLabel":"Sac en papier","colorLabel":"moderniste"}', 0), + (60143, 4, 38, 'Sac en papier amour', 250, '{"components":{"1":{"Drawable":49,"Palette":0,"Texture":24}},"modelLabel":"Sac en papier","colorLabel":"amour"}', 0), + (60144, 4, 37, 'Masque vert', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":0}},"modelLabel":"Masque","colorLabel":"vert"}', 0), + (60145, 4, 37, 'Masque Don', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":1}},"modelLabel":"Masque","colorLabel":"Don"}', 0), + (60146, 4, 37, 'Masque rose', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":2}},"modelLabel":"Masque","colorLabel":"rose"}', 0), + (60147, 4, 37, 'Masque de Clown', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":3}},"modelLabel":"Masque","colorLabel":"de Clown"}', 0), + (60148, 4, 37, 'Masque noir', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":4}},"modelLabel":"Masque","colorLabel":"noir"}', 0), + (60149, 4, 37, 'Masque marron', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":5}},"modelLabel":"Masque","colorLabel":"marron"}', 0), + (60150, 4, 37, 'Masque mannequin', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":6}},"modelLabel":"Masque","colorLabel":"mannequin"}', 0), + (60151, 4, 37, 'Masque poupée', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":7}},"modelLabel":"Masque","colorLabel":"poupée"}', 0), + (60152, 4, 37, 'Masque pantin', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":8}},"modelLabel":"Masque","colorLabel":"pantin"}', 0), + (60153, 4, 37, 'Masque mime', 100, '{"components":{"1":{"Drawable":50,"Palette":0,"Texture":9}},"modelLabel":"Masque","colorLabel":"mime"}', 0), + (60154, 4, 35, 'Bandana noir', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":0}},"modelLabel":"Bandana","colorLabel":"noir"}', 0), + (60155, 4, 35, 'Bandana crâne', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":1}},"modelLabel":"Bandana","colorLabel":"crâne"}', 0), + (60156, 4, 35, 'Bandana urbain', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":2}},"modelLabel":"Bandana","colorLabel":"urbain"}', 0), + (60157, 4, 35, 'Bandana désert', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":3}},"modelLabel":"Bandana","colorLabel":"désert"}', 0), + (60158, 4, 35, 'Bandana forêt', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":4}},"modelLabel":"Bandana","colorLabel":"forêt"}', 0), + (60159, 4, 35, 'Bandana vert', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":5}},"modelLabel":"Bandana","colorLabel":"vert"}', 0), + (60160, 4, 35, 'Bandana violet', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":6}},"modelLabel":"Bandana","colorLabel":"violet"}', 0), + (60161, 4, 35, 'Bandana cachemire', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":7}},"modelLabel":"Bandana","colorLabel":"cachemire"}', 0), + (60162, 4, 35, 'Bandana jaune', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":8}},"modelLabel":"Bandana","colorLabel":"jaune"}', 0), + (60163, 4, 35, 'Bandana crâne électrique', 100, '{"components":{"1":{"Drawable":51,"Palette":0,"Texture":9}},"modelLabel":"Bandana","colorLabel":"crâne électrique"}', 0), + (60164, 4, 39, 'Cagoule à capuche noire', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":0}},"modelLabel":"Cagoule à capuche","colorLabel":"noire"}', 0), + (60165, 4, 39, 'Cagoule à capuche grise', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":1}},"modelLabel":"Cagoule à capuche","colorLabel":"grise"}', 0), + (60166, 4, 39, 'Cagoule à capuche blanche', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":2}},"modelLabel":"Cagoule à capuche","colorLabel":"blanche"}', 0), + (60167, 4, 39, 'Cagoule à capuche verte', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":3}},"modelLabel":"Cagoule à capuche","colorLabel":"verte"}', 0), + (60168, 4, 39, 'Cagoule à capuche kaki', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":4}},"modelLabel":"Cagoule à capuche","colorLabel":"kaki"}', 0), + (60169, 4, 39, 'Cagoule à capuche sombre', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":5}},"modelLabel":"Cagoule à capuche","colorLabel":"sombre"}', 0), + (60170, 4, 39, 'Cagoule à capuche forêt', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":6}},"modelLabel":"Cagoule à capuche","colorLabel":"forêt"}', 0), + (60171, 4, 39, 'Cagoule à capuche urbaine', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":7}},"modelLabel":"Cagoule à capuche","colorLabel":"urbaine"}', 0), + (60172, 4, 39, 'Cagoule à capuche crâne', 100, '{"components":{"1":{"Drawable":53,"Palette":0,"Texture":8}},"modelLabel":"Cagoule à capuche","colorLabel":"crâne"}', 0), + (60173, 4, 37, 'Masque T-shirt noir', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":0}},"modelLabel":"Masque T-shirt","colorLabel":"noir"}', 0), + (60174, 4, 37, 'Masque T-shirt blanc', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":1}},"modelLabel":"Masque T-shirt","colorLabel":"blanc"}', 0), + (60175, 4, 37, 'Masque T-shirt beige', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":2}},"modelLabel":"Masque T-shirt","colorLabel":"beige"}', 0), + (60176, 4, 37, 'Masque T-shirt Benders', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":3}},"modelLabel":"Masque T-shirt","colorLabel":"Benders"}', 0), + (60177, 4, 37, 'Masque T-shirt justice', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":4}},"modelLabel":"Masque T-shirt","colorLabel":"justice"}', 0), + (60178, 4, 37, 'Masque T-shirt forêt', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":5}},"modelLabel":"Masque T-shirt","colorLabel":"forêt"}', 0), + (60179, 4, 37, 'Masque T-shirt rayé', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":6}},"modelLabel":"Masque T-shirt","colorLabel":"rayé"}', 0), + (60180, 4, 37, 'Masque T-shirt Love Fist', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":7}},"modelLabel":"Masque T-shirt","colorLabel":"Love Fist"}', 0), + (60181, 4, 37, 'Masque T-shirt T.P.I.', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":8}},"modelLabel":"Masque T-shirt","colorLabel":"T.P.I."}', 0), + (60182, 4, 37, 'Masque T-shirt rose', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":9}},"modelLabel":"Masque T-shirt","colorLabel":"rose"}', 0), + (60183, 4, 37, 'Masque T-shirt Police LS', 100, '{"components":{"1":{"Drawable":54,"Palette":0,"Texture":10}},"modelLabel":"Masque T-shirt","colorLabel":"Police LS"}', 0), + (60184, 4, 39, 'Cagoule ample bleue', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":0}},"modelLabel":"Cagoule ample","colorLabel":"bleue"}', 0), + (60185, 4, 39, 'Cagoule ample noire', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":1}},"modelLabel":"Cagoule ample","colorLabel":"noire"}', 0), + (60186, 4, 39, 'Cagoule ample crâne', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":2}},"modelLabel":"Cagoule ample","colorLabel":"crâne"}', 0), + (60187, 4, 39, 'Cagoule ample kaki', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":3}},"modelLabel":"Cagoule ample","colorLabel":"kaki"}', 0), + (60188, 4, 39, 'Cagoule ample sang', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":4}},"modelLabel":"Cagoule ample","colorLabel":"sang"}', 0), + (60189, 4, 39, 'Cagoule ample forêt', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":5}},"modelLabel":"Cagoule ample","colorLabel":"forêt"}', 0), + (60190, 4, 39, 'Cagoule ample rouge', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":6}},"modelLabel":"Cagoule ample","colorLabel":"rouge"}', 0), + (60191, 4, 39, 'Cagoule ample désert', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":7}},"modelLabel":"Cagoule ample","colorLabel":"désert"}', 0), + (60192, 4, 39, 'Cagoule ample bicolore', 100, '{"components":{"1":{"Drawable":56,"Palette":0,"Texture":8}},"modelLabel":"Cagoule ample","colorLabel":"bicolore"}', 0), + (60193, 4, 39, 'Cagoule en laine noire', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":0}},"modelLabel":"Cagoule en laine","colorLabel":"noire"}', 0), + (60194, 4, 39, 'Cagoule en laine vert foncé', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":1}},"modelLabel":"Cagoule en laine","colorLabel":"vert foncé"}', 0), + (60195, 4, 39, 'Cagoule en laine cuivre', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":2}},"modelLabel":"Cagoule en laine","colorLabel":"cuivre"}', 0), + (60196, 4, 39, 'Cagoule en laine grise', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":3}},"modelLabel":"Cagoule en laine","colorLabel":"grise"}', 0), + (60197, 4, 39, 'Cagoule en laine marron', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":4}},"modelLabel":"Cagoule en laine","colorLabel":"marron"}', 0), + (60198, 4, 39, 'Cagoule en laine arc-en-ciel', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":5}},"modelLabel":"Cagoule en laine","colorLabel":"arc-en-ciel"}', 0), + (60199, 4, 39, 'Cagoule en laine forêt', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":6}},"modelLabel":"Cagoule en laine","colorLabel":"forêt"}', 0), + (60200, 4, 39, 'Cagoule en laine sale', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":7}},"modelLabel":"Cagoule en laine","colorLabel":"sale"}', 0), + (60201, 4, 39, 'Cagoule en laine rose', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":8}},"modelLabel":"Cagoule en laine","colorLabel":"rose"}', 0), + (60202, 4, 39, 'Cagoule en laine Flying Bravo FB', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":9}},"modelLabel":"Cagoule en laine","colorLabel":"Flying Bravo FB"}', 0), + (60203, 4, 39, 'Cagoule en laine Flying Bravo', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":10}},"modelLabel":"Cagoule en laine","colorLabel":"Flying Bravo"}', 0), + (60204, 4, 39, 'Cagoule en laine Princesse', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":11}},"modelLabel":"Cagoule en laine","colorLabel":"Princesse"}', 0), + (60205, 4, 39, 'Cagoule en laine Didier Sachs', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":12}},"modelLabel":"Cagoule en laine","colorLabel":"Didier Sachs"}', 0), + (60206, 4, 39, 'Cagoule en laine Perseus', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":13}},"modelLabel":"Cagoule en laine","colorLabel":"Perseus"}', 0), + (60207, 4, 39, 'Cagoule en laine Perseus logo', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":14}},"modelLabel":"Cagoule en laine","colorLabel":"Perseus logo"}', 0), + (60208, 4, 39, 'Cagoule en laine Sessanta Nove', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":15}},"modelLabel":"Cagoule en laine","colorLabel":"Sessanta Nove"}', 0), + (60209, 4, 39, 'Cagoule en laine blanche', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":16}},"modelLabel":"Cagoule en laine","colorLabel":"blanche"}', 0), + (60210, 4, 39, 'Cagoule en laine bleue', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":17}},"modelLabel":"Cagoule en laine","colorLabel":"bleue"}', 0), + (60211, 4, 39, 'Cagoule en laine rouge', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":18}},"modelLabel":"Cagoule en laine","colorLabel":"rouge"}', 0), + (60212, 4, 39, 'Cagoule en laine verte', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":19}},"modelLabel":"Cagoule en laine","colorLabel":"verte"}', 0), + (60213, 4, 39, 'Cagoule en laine orange', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":20}},"modelLabel":"Cagoule en laine","colorLabel":"orange"}', 0), + (60214, 4, 39, 'Cagoule en laine mauve', 100, '{"components":{"1":{"Drawable":57,"Palette":0,"Texture":21}},"modelLabel":"Cagoule en laine","colorLabel":"mauve"}', 0), + (60215, 4, 39, 'Cagoule bandit', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":0}},"modelLabel":"Cagoule","colorLabel":"bandit"}', 0), + (60216, 4, 39, 'Cagoule nature', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":1}},"modelLabel":"Cagoule","colorLabel":"nature"}', 0), + (60217, 4, 39, 'Cagoule camo. fluo', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":2}},"modelLabel":"Cagoule","colorLabel":"camo. fluo"}', 0), + (60218, 4, 39, 'Cagoule camo. rose', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":3}},"modelLabel":"Cagoule","colorLabel":"camo. rose"}', 0), + (60219, 4, 39, 'Cagoule camo. orange', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":4}},"modelLabel":"Cagoule","colorLabel":"camo. orange"}', 0), + (60220, 4, 39, 'Cagoule Impotent Rage', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":5}},"modelLabel":"Cagoule","colorLabel":"Impotent Rage"}', 0), + (60221, 4, 39, 'Cagoule Pogo', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":6}},"modelLabel":"Cagoule","colorLabel":"Pogo"}', 0), + (60222, 4, 39, 'Cagoule bleue à rayures', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":7}},"modelLabel":"Cagoule","colorLabel":"bleue à rayures"}', 0), + (60223, 4, 39, 'Cagoule noire à rayures', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":8}},"modelLabel":"Cagoule","colorLabel":"noire à rayures"}', 0), + (60224, 4, 39, 'Cagoule rose à rayures', 100, '{"components":{"1":{"Drawable":58,"Palette":0,"Texture":9}},"modelLabel":"Cagoule","colorLabel":"rose à rayures"}', 0), + (60225, 4, 36, 'Loup-garou brun', 200, '{"components":{"1":{"Drawable":59,"Palette":0,"Texture":0}},"modelLabel":"Loup-garou","colorLabel":"brun"}', 0), + (60226, 4, 33, 'Citrouille maléfique', 100, '{"components":{"1":{"Drawable":60,"Palette":0,"Texture":0}},"modelLabel":"Citrouille","colorLabel":"maléfique"}', 0), + (60227, 4, 33, 'Citrouille pourrie', 100, '{"components":{"1":{"Drawable":60,"Palette":0,"Texture":1}},"modelLabel":"Citrouille","colorLabel":"pourrie"}', 0), + (60228, 4, 33, 'Citrouille pastèque méchante', 100, '{"components":{"1":{"Drawable":60,"Palette":0,"Texture":2}},"modelLabel":"Citrouille","colorLabel":"pastèque méchante"}', 0), + (60229, 4, 33, 'Majordome flippant', 100, '{"components":{"1":{"Drawable":61,"Palette":0,"Texture":0}},"modelLabel":"Majordome","colorLabel":"flippant"}', 0), + (60230, 4, 33, 'Majordome mort', 100, '{"components":{"1":{"Drawable":61,"Palette":0,"Texture":1}},"modelLabel":"Majordome","colorLabel":"mort"}', 0), + (60231, 4, 33, 'Majordome pourri', 100, '{"components":{"1":{"Drawable":61,"Palette":0,"Texture":2}},"modelLabel":"Majordome","colorLabel":"pourri"}', 0), + (60232, 4, 33, 'Psycho échaudé blanc', 100, '{"components":{"1":{"Drawable":62,"Palette":0,"Texture":0}},"modelLabel":"Psycho","colorLabel":"échaudé blanc"}', 0), + (60233, 4, 33, 'Psycho échaudé ensanglanté', 100, '{"components":{"1":{"Drawable":62,"Palette":0,"Texture":1}},"modelLabel":"Psycho","colorLabel":"échaudé ensanglanté"}', 0), + (60234, 4, 33, 'Psycho échaudé noir', 100, '{"components":{"1":{"Drawable":62,"Palette":0,"Texture":2}},"modelLabel":"Psycho","colorLabel":"échaudé noir"}', 0), + (60235, 4, 33, 'Démon écorché rouge', 100, '{"components":{"1":{"Drawable":63,"Palette":0,"Texture":0}},"modelLabel":"Démon écorché","colorLabel":"rouge"}', 0), + (60236, 4, 33, 'Démon écorché vert', 100, '{"components":{"1":{"Drawable":63,"Palette":0,"Texture":1}},"modelLabel":"Démon écorché","colorLabel":"vert"}', 0), + (60237, 4, 33, 'Démon écorché gris', 100, '{"components":{"1":{"Drawable":63,"Palette":0,"Texture":2}},"modelLabel":"Démon écorché","colorLabel":"gris"}', 0), + (60238, 4, 33, 'Crâne éclaté blanc', 100, '{"components":{"1":{"Drawable":64,"Palette":0,"Texture":0}},"modelLabel":"Crâne éclaté","colorLabel":"blanc"}', 0), + (60239, 4, 33, 'Crâne éclaté rouge', 100, '{"components":{"1":{"Drawable":64,"Palette":0,"Texture":1}},"modelLabel":"Crâne éclaté","colorLabel":"rouge"}', 0), + (60240, 4, 33, 'Crâne éclaté crème', 100, '{"components":{"1":{"Drawable":64,"Palette":0,"Texture":2}},"modelLabel":"Crâne éclaté","colorLabel":"crème"}', 0), + (60241, 4, 33, 'Lycanthrope pâle', 100, '{"components":{"1":{"Drawable":65,"Palette":0,"Texture":0}},"modelLabel":"Lycanthrope","colorLabel":"pâle"}', 0), + (60242, 4, 33, 'Lycanthrope sombre', 100, '{"components":{"1":{"Drawable":65,"Palette":0,"Texture":1}},"modelLabel":"Lycanthrope","colorLabel":"sombre"}', 0), + (60243, 4, 33, 'Lycanthrope gris', 100, '{"components":{"1":{"Drawable":65,"Palette":0,"Texture":2}},"modelLabel":"Lycanthrope","colorLabel":"gris"}', 0), + (60244, 4, 33, 'Insecte toxique vert', 100, '{"components":{"1":{"Drawable":66,"Palette":0,"Texture":0}},"modelLabel":"Insecte toxique","colorLabel":"vert"}', 0), + (60245, 4, 33, 'Insecte toxique rouge', 100, '{"components":{"1":{"Drawable":66,"Palette":0,"Texture":1}},"modelLabel":"Insecte toxique","colorLabel":"rouge"}', 0), + (60246, 4, 33, 'Insecte toxique violet', 100, '{"components":{"1":{"Drawable":66,"Palette":0,"Texture":2}},"modelLabel":"Insecte toxique","colorLabel":"violet"}', 0), + (60247, 4, 33, 'Créature d\'égouts galeux', 100, '{"components":{"1":{"Drawable":67,"Palette":0,"Texture":0}},"modelLabel":"Créature d\'égouts","colorLabel":"galeux"}', 0), + (60248, 4, 33, 'Créature d\'égouts pourri', 100, '{"components":{"1":{"Drawable":67,"Palette":0,"Texture":1}},"modelLabel":"Créature d\'égouts","colorLabel":"pourri"}', 0), + (60249, 4, 33, 'Créature d\'égouts sale', 100, '{"components":{"1":{"Drawable":67,"Palette":0,"Texture":2}},"modelLabel":"Créature d\'égouts","colorLabel":"sale"}', 0), + (60250, 4, 33, 'Lucifer classique rouge', 100, '{"components":{"1":{"Drawable":68,"Palette":0,"Texture":0}},"modelLabel":"Lucifer classique","colorLabel":"rouge"}', 0), + (60251, 4, 33, 'Lucifer classique orange', 100, '{"components":{"1":{"Drawable":68,"Palette":0,"Texture":1}},"modelLabel":"Lucifer classique","colorLabel":"orange"}', 0), + (60252, 4, 33, 'Lucifer classique noir', 100, '{"components":{"1":{"Drawable":68,"Palette":0,"Texture":2}},"modelLabel":"Lucifer classique","colorLabel":"noir"}', 0), + (60253, 4, 33, 'Tueur au sac noir', 100, '{"components":{"1":{"Drawable":69,"Palette":0,"Texture":0}},"modelLabel":"Tueur au sac","colorLabel":"noir"}', 0), + (60254, 4, 33, 'Tueur au sac ensanglanté', 100, '{"components":{"1":{"Drawable":69,"Palette":0,"Texture":1}},"modelLabel":"Tueur au sac","colorLabel":"ensanglanté"}', 0), + (60255, 4, 33, 'Tueur au sac classique', 100, '{"components":{"1":{"Drawable":69,"Palette":0,"Texture":2}},"modelLabel":"Tueur au sac","colorLabel":"classique"}', 0), + (60256, 4, 33, 'Alien hypnotique bleu', 100, '{"components":{"1":{"Drawable":70,"Palette":0,"Texture":0}},"modelLabel":"Alien hypnotique","colorLabel":"bleu"}', 0), + (60257, 4, 33, 'Alien hypnotique vert', 100, '{"components":{"1":{"Drawable":70,"Palette":0,"Texture":1}},"modelLabel":"Alien hypnotique","colorLabel":"vert"}', 0), + (60258, 4, 33, 'Alien hypnotique rouge', 100, '{"components":{"1":{"Drawable":70,"Palette":0,"Texture":2}},"modelLabel":"Alien hypnotique","colorLabel":"rouge"}', 0), + (60259, 4, 33, 'Sorcière verte', 100, '{"components":{"1":{"Drawable":71,"Palette":0,"Texture":0}},"modelLabel":"Sorcière","colorLabel":"verte"}', 0), + (60260, 4, 33, 'Sorcière grise', 100, '{"components":{"1":{"Drawable":71,"Palette":0,"Texture":1}},"modelLabel":"Sorcière","colorLabel":"grise"}', 0), + (60261, 4, 33, 'Sorcière blanche', 100, '{"components":{"1":{"Drawable":71,"Palette":0,"Texture":2}},"modelLabel":"Sorcière","colorLabel":"blanche"}', 0), + (60262, 4, 33, 'Lucifer rouge', 100, '{"components":{"1":{"Drawable":72,"Palette":0,"Texture":0}},"modelLabel":"Lucifer","colorLabel":"rouge"}', 0), + (60263, 4, 33, 'Lucifer orange', 100, '{"components":{"1":{"Drawable":72,"Palette":0,"Texture":1}},"modelLabel":"Lucifer","colorLabel":"orange"}', 0), + (60264, 4, 33, 'Lucifer noir', 100, '{"components":{"1":{"Drawable":72,"Palette":0,"Texture":2}},"modelLabel":"Lucifer","colorLabel":"noir"}', 0), + (60265, 4, 38, 'Pain d\'épice énervé', 250, '{"components":{"1":{"Drawable":74,"Palette":0,"Texture":0}},"modelLabel":"Pain d\'épice","colorLabel":"énervé"}', 0), + (60266, 4, 38, 'Pain d\'épice fou', 250, '{"components":{"1":{"Drawable":74,"Palette":0,"Texture":1}},"modelLabel":"Pain d\'épice","colorLabel":"fou"}', 0), + (60267, 4, 38, 'Pain d\'épice maniaque', 250, '{"components":{"1":{"Drawable":74,"Palette":0,"Texture":2}},"modelLabel":"Pain d\'épice","colorLabel":"maniaque"}', 0), + (60268, 4, 38, 'Pain d\'épice fou marron', 250, '{"components":{"1":{"Drawable":75,"Palette":0,"Texture":0}},"modelLabel":"Pain d\'épice","colorLabel":"fou marron"}', 0), + (60269, 4, 38, 'Pain d\'épice fou bleu', 250, '{"components":{"1":{"Drawable":75,"Palette":0,"Texture":1}},"modelLabel":"Pain d\'épice","colorLabel":"fou bleu"}', 0), + (60270, 4, 38, 'Pain d\'épice fou rose', 250, '{"components":{"1":{"Drawable":75,"Palette":0,"Texture":2}},"modelLabel":"Pain d\'épice","colorLabel":"fou rose"}', 0), + (60271, 4, 38, 'Vilain Père Noël meurtri', 250, '{"components":{"1":{"Drawable":76,"Palette":0,"Texture":0}},"modelLabel":"Vilain Père Noël","colorLabel":"meurtri"}', 0), + (60272, 4, 38, 'Vilain Père Noël grincheux', 250, '{"components":{"1":{"Drawable":76,"Palette":0,"Texture":1}},"modelLabel":"Vilain Père Noël","colorLabel":"grincheux"}', 0), + (60273, 4, 38, 'Vilain Père Noël sale', 250, '{"components":{"1":{"Drawable":76,"Palette":0,"Texture":2}},"modelLabel":"Vilain Père Noël","colorLabel":"sale"}', 0), + (60274, 4, 38, 'Pudding foncé', 250, '{"components":{"1":{"Drawable":78,"Palette":0,"Texture":0}},"modelLabel":"Pudding","colorLabel":"foncé"}', 0), + (60275, 4, 38, 'Pudding clair', 250, '{"components":{"1":{"Drawable":78,"Palette":0,"Texture":1}},"modelLabel":"Pudding","colorLabel":"clair"}', 0), + (60276, 4, 36, 'Loup-garou brun foncé', 200, '{"components":{"1":{"Drawable":79,"Palette":0,"Texture":0}},"modelLabel":"Loup-garou","colorLabel":"brun foncé"}', 0), + (60277, 4, 36, 'Loup-garou blond', 200, '{"components":{"1":{"Drawable":79,"Palette":0,"Texture":1}},"modelLabel":"Loup-garou","colorLabel":"blond"}', 0), + (60278, 4, 36, 'Loup-garou blanc', 200, '{"components":{"1":{"Drawable":79,"Palette":0,"Texture":2}},"modelLabel":"Loup-garou","colorLabel":"blanc"}', 0), + (60279, 4, 36, 'Loup-garou Casquette LS noire', 200, '{"components":{"1":{"Drawable":80,"Palette":0,"Texture":0}},"modelLabel":"Loup-garou Casquette","colorLabel":"LS noire"}', 0), + (60280, 4, 36, 'Loup-garou Casquette LS rouge', 200, '{"components":{"1":{"Drawable":80,"Palette":0,"Texture":1}},"modelLabel":"Loup-garou Casquette","colorLabel":"LS rouge"}', 0), + (60281, 4, 36, 'Loup-garou Casquette blanche', 200, '{"components":{"1":{"Drawable":80,"Palette":0,"Texture":2}},"modelLabel":"Loup-garou Casquette","colorLabel":"blanche"}', 0), + (60282, 4, 36, 'Loup-garou Visière rouge', 200, '{"components":{"1":{"Drawable":81,"Palette":0,"Texture":0}},"modelLabel":"Loup-garou Visière","colorLabel":"rouge"}', 0), + (60283, 4, 36, 'Loup-garou Visière LS', 200, '{"components":{"1":{"Drawable":81,"Palette":0,"Texture":1}},"modelLabel":"Loup-garou Visière","colorLabel":"LS"}', 0), + (60284, 4, 36, 'Loup-garou Visière dorée', 200, '{"components":{"1":{"Drawable":81,"Palette":0,"Texture":2}},"modelLabel":"Loup-garou Visière","colorLabel":"dorée"}', 0), + (60285, 4, 36, 'Loup-garou Bandeau blanc', 200, '{"components":{"1":{"Drawable":82,"Palette":0,"Texture":0}},"modelLabel":"Loup-garou Bandeau","colorLabel":"blanc"}', 0), + (60286, 4, 36, 'Loup-garou Bandeau tricolore', 200, '{"components":{"1":{"Drawable":82,"Palette":0,"Texture":1}},"modelLabel":"Loup-garou Bandeau","colorLabel":"tricolore"}', 0), + (60287, 4, 36, 'Loup-garou Bandeau bleu', 200, '{"components":{"1":{"Drawable":82,"Palette":0,"Texture":2}},"modelLabel":"Loup-garou Bandeau","colorLabel":"bleu"}', 0), + (60288, 4, 36, 'Loup-garou de Noël brun', 200, '{"components":{"1":{"Drawable":83,"Palette":0,"Texture":0}},"modelLabel":"Loup-garou de Noël","colorLabel":"brun"}', 0), + (60289, 4, 36, 'Loup-garou de Noël brun foncé', 200, '{"components":{"1":{"Drawable":83,"Palette":0,"Texture":1}},"modelLabel":"Loup-garou de Noël","colorLabel":"brun foncé"}', 0), + (60290, 4, 36, 'Loup-garou de Noël blond', 200, '{"components":{"1":{"Drawable":83,"Palette":0,"Texture":2}},"modelLabel":"Loup-garou de Noël","colorLabel":"blond"}', 0), + (60291, 4, 36, 'Yéti classique', 200, '{"components":{"1":{"Drawable":84,"Palette":0,"Texture":0}},"modelLabel":"Yéti","colorLabel":"classique"}', 0), + (60292, 4, 38, 'Poulet cru', 250, '{"components":{"1":{"Drawable":85,"Palette":0,"Texture":0}},"modelLabel":"Poulet","colorLabel":"cru"}', 0), + (60293, 4, 38, 'Poulet cuit', 250, '{"components":{"1":{"Drawable":85,"Palette":0,"Texture":1}},"modelLabel":"Poulet","colorLabel":"cuit"}', 0), + (60294, 4, 38, 'Poulet cramé', 250, '{"components":{"1":{"Drawable":85,"Palette":0,"Texture":2}},"modelLabel":"Poulet","colorLabel":"cramé"}', 0), + (60295, 4, 38, 'Mère Noël bourrée', 250, '{"components":{"1":{"Drawable":86,"Palette":0,"Texture":0}},"modelLabel":"Mère Noël","colorLabel":"bourrée"}', 0), + (60296, 4, 38, 'Mère Noël défoncée', 250, '{"components":{"1":{"Drawable":86,"Palette":0,"Texture":1}},"modelLabel":"Mère Noël","colorLabel":"défoncée"}', 0), + (60297, 4, 38, 'Mère Noël arrachée', 250, '{"components":{"1":{"Drawable":86,"Palette":0,"Texture":2}},"modelLabel":"Mère Noël","colorLabel":"arrachée"}', 0), + (60298, 4, 38, 'Elfe Rebelle', 250, '{"components":{"1":{"Drawable":87,"Palette":0,"Texture":0}},"modelLabel":"Elfe","colorLabel":"Rebelle"}', 0), + (60299, 4, 38, 'Elfe gangsta', 250, '{"components":{"1":{"Drawable":87,"Palette":0,"Texture":1}},"modelLabel":"Elfe","colorLabel":"gangsta"}', 0), + (60300, 4, 38, 'Elfe badass', 250, '{"components":{"1":{"Drawable":87,"Palette":0,"Texture":2}},"modelLabel":"Elfe","colorLabel":"badass"}', 0), + (60301, 4, 38, 'Mère Noël 2 blanche', 250, '{"components":{"1":{"Drawable":88,"Palette":0,"Texture":0}},"modelLabel":"Mère Noël 2","colorLabel":"blanche"}', 0), + (60302, 4, 38, 'Mère Noël 2 noire', 250, '{"components":{"1":{"Drawable":88,"Palette":0,"Texture":1}},"modelLabel":"Mère Noël 2","colorLabel":"noire"}', 0), + (60303, 4, 38, 'Mère Noël 2 latina', 250, '{"components":{"1":{"Drawable":88,"Palette":0,"Texture":2}},"modelLabel":"Mère Noël 2","colorLabel":"latina"}', 0), + (60304, 4, 37, 'Combat noir', 100, '{"components":{"1":{"Drawable":89,"Palette":0,"Texture":0}},"modelLabel":"Combat","colorLabel":"noir"}', 0), + (60305, 4, 37, 'Combat gris', 100, '{"components":{"1":{"Drawable":89,"Palette":0,"Texture":1}},"modelLabel":"Combat","colorLabel":"gris"}', 0), + (60306, 4, 37, 'Combat anthracite', 100, '{"components":{"1":{"Drawable":89,"Palette":0,"Texture":2}},"modelLabel":"Combat","colorLabel":"anthracite"}', 0), + (60307, 4, 37, 'Combat brun clair', 100, '{"components":{"1":{"Drawable":89,"Palette":0,"Texture":3}},"modelLabel":"Combat","colorLabel":"brun clair"}', 0), + (60308, 4, 37, 'Combat forêt', 100, '{"components":{"1":{"Drawable":89,"Palette":0,"Texture":4}},"modelLabel":"Combat","colorLabel":"forêt"}', 0), + (60309, 4, 35, 'Filtre à dôme ocre', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":0}},"modelLabel":"Filtre à dôme","colorLabel":"ocre"}', 0), + (60310, 4, 35, 'Filtre à dôme chocolat', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":1}},"modelLabel":"Filtre à dôme","colorLabel":"chocolat"}', 0), + (60311, 4, 35, 'Filtre à dôme noir', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":2}},"modelLabel":"Filtre à dôme","colorLabel":"noir"}', 0), + (60312, 4, 35, 'Filtre à dôme sable', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":3}},"modelLabel":"Filtre à dôme","colorLabel":"sable"}', 0), + (60313, 4, 35, 'Filtre à dôme vent. ocre rouge', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":4}},"modelLabel":"Filtre à dôme","colorLabel":"vent. ocre rouge"}', 0), + (60314, 4, 35, 'Filtre à dôme vent. chocolat', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":5}},"modelLabel":"Filtre à dôme","colorLabel":"vent. chocolat"}', 0), + (60315, 4, 35, 'Filtre à dôme vent. sable', 100, '{"components":{"1":{"Drawable":90,"Palette":0,"Texture":6}},"modelLabel":"Filtre à dôme","colorLabel":"vent. sable"}', 0), + (60316, 4, 33, 'Monstre marin amphibien', 100, '{"components":{"1":{"Drawable":92,"Palette":0,"Texture":0}},"modelLabel":"Monstre marin","colorLabel":"amphibien"}', 0), + (60317, 4, 33, 'Monstre marin alien', 100, '{"components":{"1":{"Drawable":92,"Palette":0,"Texture":1}},"modelLabel":"Monstre marin","colorLabel":"alien"}', 0), + (60318, 4, 33, 'Monstre marin reptilien', 100, '{"components":{"1":{"Drawable":92,"Palette":0,"Texture":2}},"modelLabel":"Monstre marin","colorLabel":"reptilien"}', 0), + (60319, 4, 33, 'Monstre marin mystique', 100, '{"components":{"1":{"Drawable":92,"Palette":0,"Texture":3}},"modelLabel":"Monstre marin","colorLabel":"mystique"}', 0), + (60320, 4, 33, 'Monstre marin divin', 100, '{"components":{"1":{"Drawable":92,"Palette":0,"Texture":4}},"modelLabel":"Monstre marin","colorLabel":"divin"}', 0), + (60321, 4, 33, 'Monstre marin démoniaque', 100, '{"components":{"1":{"Drawable":92,"Palette":0,"Texture":5}},"modelLabel":"Monstre marin","colorLabel":"démoniaque"}', 0), + (60322, 4, 33, 'Dinosaure à rayures', 100, '{"components":{"1":{"Drawable":93,"Palette":0,"Texture":0}},"modelLabel":"Dinosaure","colorLabel":"à rayures"}', 0), + (60323, 4, 33, 'Dinosaure gris', 100, '{"components":{"1":{"Drawable":93,"Palette":0,"Texture":1}},"modelLabel":"Dinosaure","colorLabel":"gris"}', 0), + (60324, 4, 33, 'Dinosaure tropical', 100, '{"components":{"1":{"Drawable":93,"Palette":0,"Texture":2}},"modelLabel":"Dinosaure","colorLabel":"tropical"}', 0), + (60325, 4, 33, 'Dinosaure désert', 100, '{"components":{"1":{"Drawable":93,"Palette":0,"Texture":3}},"modelLabel":"Dinosaure","colorLabel":"désert"}', 0), + (60326, 4, 33, 'Dinosaure forêt', 100, '{"components":{"1":{"Drawable":93,"Palette":0,"Texture":4}},"modelLabel":"Dinosaure","colorLabel":"forêt"}', 0), + (60327, 4, 33, 'Dinosaure dangeureux', 100, '{"components":{"1":{"Drawable":93,"Palette":0,"Texture":5}},"modelLabel":"Dinosaure","colorLabel":"dangeureux"}', 0), + (60328, 4, 33, 'Oni rouge', 100, '{"components":{"1":{"Drawable":94,"Palette":0,"Texture":0}},"modelLabel":"Oni","colorLabel":"rouge"}', 0), + (60329, 4, 33, 'Oni bleu', 100, '{"components":{"1":{"Drawable":94,"Palette":0,"Texture":1}},"modelLabel":"Oni","colorLabel":"bleu"}', 0), + (60330, 4, 33, 'Oni blanc', 100, '{"components":{"1":{"Drawable":94,"Palette":0,"Texture":2}},"modelLabel":"Oni","colorLabel":"blanc"}', 0), + (60331, 4, 33, 'Oni noir', 100, '{"components":{"1":{"Drawable":94,"Palette":0,"Texture":3}},"modelLabel":"Oni","colorLabel":"noir"}', 0), + (60332, 4, 33, 'Oni or', 100, '{"components":{"1":{"Drawable":94,"Palette":0,"Texture":4}},"modelLabel":"Oni","colorLabel":"or"}', 0), + (60333, 4, 33, 'Oni vert', 100, '{"components":{"1":{"Drawable":94,"Palette":0,"Texture":5}},"modelLabel":"Oni","colorLabel":"vert"}', 0), + (60334, 4, 33, 'Clown rouge', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":0}},"modelLabel":"Clown","colorLabel":"rouge"}', 0), + (60335, 4, 33, 'Clown bleu', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":1}},"modelLabel":"Clown","colorLabel":"bleu"}', 0), + (60336, 4, 33, 'Clown vert', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":2}},"modelLabel":"Clown","colorLabel":"vert"}', 0), + (60337, 4, 33, 'Clown orange', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":3}},"modelLabel":"Clown","colorLabel":"orange"}', 0), + (60338, 4, 33, 'Clown charognard', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":4}},"modelLabel":"Clown","colorLabel":"charognard"}', 0), + (60339, 4, 33, 'Clown néon', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":5}},"modelLabel":"Clown","colorLabel":"néon"}', 0), + (60340, 4, 33, 'Clown monstrueux', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":6}},"modelLabel":"Clown","colorLabel":"monstrueux"}', 0), + (60341, 4, 33, 'Clown sinistre', 100, '{"components":{"1":{"Drawable":95,"Palette":0,"Texture":7}},"modelLabel":"Clown","colorLabel":"sinistre"}', 0), + (60342, 4, 33, 'Grand singe gorille', 100, '{"components":{"1":{"Drawable":96,"Palette":0,"Texture":0}},"modelLabel":"Grand singe","colorLabel":"gorille"}', 0), + (60343, 4, 33, 'Grand singe orang-outan', 100, '{"components":{"1":{"Drawable":96,"Palette":0,"Texture":1}},"modelLabel":"Grand singe","colorLabel":"orang-outan"}', 0), + (60344, 4, 33, 'Grand singe vieux singe', 100, '{"components":{"1":{"Drawable":96,"Palette":0,"Texture":2}},"modelLabel":"Grand singe","colorLabel":"vieux singe"}', 0), + (60345, 4, 33, 'Grand singe albinos', 100, '{"components":{"1":{"Drawable":96,"Palette":0,"Texture":3}},"modelLabel":"Grand singe","colorLabel":"albinos"}', 0), + (60346, 4, 36, 'Cheval alezan', 200, '{"components":{"1":{"Drawable":97,"Palette":0,"Texture":0}},"modelLabel":"Cheval","colorLabel":"alezan"}', 0), + (60347, 4, 36, 'Cheval noir', 200, '{"components":{"1":{"Drawable":97,"Palette":0,"Texture":1}},"modelLabel":"Cheval","colorLabel":"noir"}', 0), + (60348, 4, 36, 'Cheval gris', 200, '{"components":{"1":{"Drawable":97,"Palette":0,"Texture":2}},"modelLabel":"Cheval","colorLabel":"gris"}', 0), + (60349, 4, 36, 'Cheval marron', 200, '{"components":{"1":{"Drawable":97,"Palette":0,"Texture":3}},"modelLabel":"Cheval","colorLabel":"marron"}', 0), + (60350, 4, 36, 'Cheval pie', 200, '{"components":{"1":{"Drawable":97,"Palette":0,"Texture":4}},"modelLabel":"Cheval","colorLabel":"pie"}', 0), + (60351, 4, 36, 'Cheval zèbre', 200, '{"components":{"1":{"Drawable":97,"Palette":0,"Texture":5}},"modelLabel":"Cheval","colorLabel":"zèbre"}', 0), + (60352, 4, 36, 'Licorne classique', 200, '{"components":{"1":{"Drawable":98,"Palette":0,"Texture":0}},"modelLabel":"Licorne","colorLabel":"classique"}', 0), + (60353, 4, 34, 'Crâne orné rouge', 250, '{"components":{"1":{"Drawable":99,"Palette":0,"Texture":0}},"modelLabel":"Crâne orné","colorLabel":"rouge"}', 0), + (60354, 4, 34, 'Crâne orné argent', 250, '{"components":{"1":{"Drawable":99,"Palette":0,"Texture":1}},"modelLabel":"Crâne orné","colorLabel":"argent"}', 0), + (60355, 4, 34, 'Crâne orné bleu', 250, '{"components":{"1":{"Drawable":99,"Palette":0,"Texture":2}},"modelLabel":"Crâne orné","colorLabel":"bleu"}', 0), + (60356, 4, 34, 'Crâne orné bleu-vert', 250, '{"components":{"1":{"Drawable":99,"Palette":0,"Texture":3}},"modelLabel":"Crâne orné","colorLabel":"bleu-vert"}', 0), + (60357, 4, 34, 'Crâne orné blanc', 250, '{"components":{"1":{"Drawable":99,"Palette":0,"Texture":4}},"modelLabel":"Crâne orné","colorLabel":"blanc"}', 0), + (60358, 4, 34, 'Crâne orné noir', 250, '{"components":{"1":{"Drawable":99,"Palette":0,"Texture":5}},"modelLabel":"Crâne orné","colorLabel":"noir"}', 0), + (60359, 4, 36, 'Carlin Moe', 200, '{"components":{"1":{"Drawable":100,"Palette":0,"Texture":0}},"modelLabel":"Carlin","colorLabel":"Moe"}', 0), + (60360, 4, 36, 'Carlin noir', 200, '{"components":{"1":{"Drawable":100,"Palette":0,"Texture":1}},"modelLabel":"Carlin","colorLabel":"noir"}', 0), + (60361, 4, 36, 'Carlin gris', 200, '{"components":{"1":{"Drawable":100,"Palette":0,"Texture":2}},"modelLabel":"Carlin","colorLabel":"gris"}', 0), + (60362, 4, 36, 'Carlin marron', 200, '{"components":{"1":{"Drawable":100,"Palette":0,"Texture":3}},"modelLabel":"Carlin","colorLabel":"marron"}', 0), + (60363, 4, 36, 'Carlin Joséphine', 200, '{"components":{"1":{"Drawable":100,"Palette":0,"Texture":4}},"modelLabel":"Carlin","colorLabel":"Joséphine"}', 0), + (60364, 4, 36, 'Carlin noir et brun clair', 200, '{"components":{"1":{"Drawable":100,"Palette":0,"Texture":5}},"modelLabel":"Carlin","colorLabel":"noir et brun clair"}', 0), + (60365, 4, 35, 'Bigness orange', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":0}},"modelLabel":"Bigness","colorLabel":"orange"}', 0), + (60366, 4, 35, 'Bigness bleu', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":1}},"modelLabel":"Bigness","colorLabel":"bleu"}', 0), + (60367, 4, 35, 'Bigness magenta', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":2}},"modelLabel":"Bigness","colorLabel":"magenta"}', 0), + (60368, 4, 35, 'Bigness jaune', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":3}},"modelLabel":"Bigness","colorLabel":"jaune"}', 0), + (60369, 4, 35, 'Bigness automne', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":4}},"modelLabel":"Bigness","colorLabel":"automne"}', 0), + (60370, 4, 35, 'Bigness gris', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":5}},"modelLabel":"Bigness","colorLabel":"gris"}', 0), + (60371, 4, 35, 'Bigness camouflage', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":6}},"modelLabel":"Bigness","colorLabel":"camouflage"}', 0), + (60372, 4, 35, 'Bigness camo. gris', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":7}},"modelLabel":"Bigness","colorLabel":"camo. gris"}', 0), + (60373, 4, 35, 'Bigness camo. géo', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":8}},"modelLabel":"Bigness","colorLabel":"camo. géo"}', 0), + (60374, 4, 35, 'Bigness noir', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":9}},"modelLabel":"Bigness","colorLabel":"noir"}', 0), + (60375, 4, 35, 'Bigness zèbre', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":10}},"modelLabel":"Bigness","colorLabel":"zèbre"}', 0), + (60376, 4, 35, 'Bigness abstrait vif', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":11}},"modelLabel":"Bigness","colorLabel":"abstrait vif"}', 0), + (60377, 4, 35, 'Bigness abstrait pâle', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":12}},"modelLabel":"Bigness","colorLabel":"abstrait pâle"}', 0), + (60378, 4, 35, 'Bigness abstrait gris', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":13}},"modelLabel":"Bigness","colorLabel":"abstrait gris"}', 0), + (60379, 4, 35, 'Bigness léopard gris', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":14}},"modelLabel":"Bigness","colorLabel":"léopard gris"}', 0), + (60380, 4, 35, 'Bigness camo. bleu', 100, '{"components":{"1":{"Drawable":101,"Palette":0,"Texture":15}},"modelLabel":"Bigness","colorLabel":"camo. bleu"}', 0), + (60381, 4, 33, 'Zombie bleu pixels', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":0}},"modelLabel":"Zombie","colorLabel":"bleu pixels"}', 0), + (60382, 4, 33, 'Zombie marron pixels', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":1}},"modelLabel":"Zombie","colorLabel":"marron pixels"}', 0), + (60383, 4, 33, 'Zombie vert pixels', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":2}},"modelLabel":"Zombie","colorLabel":"vert pixels"}', 0), + (60384, 4, 33, 'Zombie gris pixels', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":3}},"modelLabel":"Zombie","colorLabel":"gris pixels"}', 0), + (60385, 4, 33, 'Zombie pêche pixels', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":4}},"modelLabel":"Zombie","colorLabel":"pêche pixels"}', 0), + (60386, 4, 33, 'Zombie beige', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":5}},"modelLabel":"Zombie","colorLabel":"beige"}', 0), + (60387, 4, 33, 'Zombie sombre forêt', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":6}},"modelLabel":"Zombie","colorLabel":"sombre forêt"}', 0), + (60388, 4, 33, 'Zombie quadrillé', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":7}},"modelLabel":"Zombie","colorLabel":"quadrillé"}', 0), + (60389, 4, 33, 'Zombie vert mousse pixelss', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":8}},"modelLabel":"Zombie","colorLabel":"vert mousse pixelss"}', 0), + (60390, 4, 33, 'Zombie gris forêt', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":9}},"modelLabel":"Zombie","colorLabel":"gris forêt"}', 0), + (60391, 4, 33, 'Zombie camouflage turquoise', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":10}},"modelLabel":"Zombie","colorLabel":"camouflage turquoise"}', 0), + (60392, 4, 33, 'Zombie éclats', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":11}},"modelLabel":"Zombie","colorLabel":"éclats"}', 0), + (60393, 4, 33, 'Zombie camouflage contraste', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":12}},"modelLabel":"Zombie","colorLabel":"camouflage contraste"}', 0), + (60394, 4, 33, 'Zombie pavés', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":13}},"modelLabel":"Zombie","colorLabel":"pavés"}', 0), + (60395, 4, 33, 'Zombie pêche forêt', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":14}},"modelLabel":"Zombie","colorLabel":"pêche forêt"}', 0), + (60396, 4, 33, 'Zombie pinceau', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":15}},"modelLabel":"Zombie","colorLabel":"pinceau"}', 0), + (60397, 4, 33, 'Zombie camouflage', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":16}},"modelLabel":"Zombie","colorLabel":"camouflage"}', 0), + (60398, 4, 33, 'Zombie clair forêt', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":17}},"modelLabel":"Zombie","colorLabel":"clair forêt"}', 0), + (60399, 4, 33, 'Zombie vert mousse', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":18}},"modelLabel":"Zombie","colorLabel":"vert mousse"}', 0), + (60400, 4, 33, 'Zombie sable', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":19}},"modelLabel":"Zombie","colorLabel":"sable"}', 0), + (60401, 4, 33, 'Zombie putréfié noir', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":20}},"modelLabel":"Zombie","colorLabel":"putréfié noir"}', 0), + (60402, 4, 33, 'Zombie putréfié ardoise', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":21}},"modelLabel":"Zombie","colorLabel":"putréfié ardoise"}', 0), + (60403, 4, 33, 'Zombie putréfié frège', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":22}},"modelLabel":"Zombie","colorLabel":"putréfié frège"}', 0), + (60404, 4, 33, 'Zombie putréfié vert', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":23}},"modelLabel":"Zombie","colorLabel":"putréfié vert"}', 0), + (60405, 4, 33, 'Zombie putréfié forêt', 100, '{"components":{"1":{"Drawable":103,"Palette":0,"Texture":24}},"modelLabel":"Zombie","colorLabel":"putréfié forêt"}', 0), + (60406, 4, 37, 'Tactique bleu pixels', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":0}},"modelLabel":"Tactique","colorLabel":"bleu pixels"}', 0), + (60407, 4, 37, 'Tactique marron pixels', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":1}},"modelLabel":"Tactique","colorLabel":"marron pixels"}', 0), + (60408, 4, 37, 'Tactique vert pixels', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":2}},"modelLabel":"Tactique","colorLabel":"vert pixels"}', 0), + (60409, 4, 37, 'Tactique gris pixels', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":3}},"modelLabel":"Tactique","colorLabel":"gris pixels"}', 0), + (60410, 4, 37, 'Tactique pêche pixels', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":4}},"modelLabel":"Tactique","colorLabel":"pêche pixels"}', 0), + (60411, 4, 37, 'Tactique beige', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":5}},"modelLabel":"Tactique","colorLabel":"beige"}', 0), + (60412, 4, 37, 'Tactique sombre forêt', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":6}},"modelLabel":"Tactique","colorLabel":"sombre forêt"}', 0), + (60413, 4, 37, 'Tactique quadrillé', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":7}},"modelLabel":"Tactique","colorLabel":"quadrillé"}', 0), + (60414, 4, 37, 'Tactique vert mousse pixelss', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":8}},"modelLabel":"Tactique","colorLabel":"vert mousse pixelss"}', 0), + (60415, 4, 37, 'Tactique gris forêt', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":9}},"modelLabel":"Tactique","colorLabel":"gris forêt"}', 0), + (60416, 4, 37, 'Tactique camouflage turquoise', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":10}},"modelLabel":"Tactique","colorLabel":"camouflage turquoise"}', 0), + (60417, 4, 37, 'Tactique éclats', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":11}},"modelLabel":"Tactique","colorLabel":"éclats"}', 0), + (60418, 4, 37, 'Tactique camouflage contraste', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":12}},"modelLabel":"Tactique","colorLabel":"camouflage contraste"}', 0), + (60419, 4, 37, 'Tactique pavés', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":13}},"modelLabel":"Tactique","colorLabel":"pavés"}', 0), + (60420, 4, 37, 'Tactique pêche forêt', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":14}},"modelLabel":"Tactique","colorLabel":"pêche forêt"}', 0), + (60421, 4, 37, 'Tactique pinceau', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":15}},"modelLabel":"Tactique","colorLabel":"pinceau"}', 0), + (60422, 4, 37, 'Tactique camouflage', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":16}},"modelLabel":"Tactique","colorLabel":"camouflage"}', 0), + (60423, 4, 37, 'Tactique clair forêt', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":17}},"modelLabel":"Tactique","colorLabel":"clair forêt"}', 0), + (60424, 4, 37, 'Tactique vert mousse', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":18}},"modelLabel":"Tactique","colorLabel":"vert mousse"}', 0), + (60425, 4, 37, 'Tactique sable', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":19}},"modelLabel":"Tactique","colorLabel":"sable"}', 0), + (60426, 4, 37, 'Tactique camo vert', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":20}},"modelLabel":"Tactique","colorLabel":"camo vert"}', 0), + (60427, 4, 37, 'Tactique camo marron', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":21}},"modelLabel":"Tactique","colorLabel":"camo marron"}', 0), + (60428, 4, 37, 'Tactique camo mauve', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":22}},"modelLabel":"Tactique","colorLabel":"camo mauve"}', 0), + (60429, 4, 37, 'Tactique camo rose', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":23}},"modelLabel":"Tactique","colorLabel":"camo rose"}', 0), + (60430, 4, 37, 'Tactique olive ', 100, '{"components":{"1":{"Drawable":104,"Palette":0,"Texture":24}},"modelLabel":"Tactique","colorLabel":"olive "}', 0), + (60431, 4, 37, 'Oni obsidienne', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":0}},"modelLabel":"Oni","colorLabel":"obsidienne"}', 0), + (60432, 4, 37, 'Oni buriné', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":1}},"modelLabel":"Oni","colorLabel":"buriné"}', 0), + (60433, 4, 37, 'Oni en grès', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":2}},"modelLabel":"Oni","colorLabel":"en grès"}', 0), + (60434, 4, 37, 'Oni peinture blanche', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":3}},"modelLabel":"Oni","colorLabel":"peinture blanche"}', 0), + (60435, 4, 37, 'Oni peinture or', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":4}},"modelLabel":"Oni","colorLabel":"peinture or"}', 0), + (60436, 4, 37, 'Oni peinture rouge', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":5}},"modelLabel":"Oni","colorLabel":"peinture rouge"}', 0), + (60437, 4, 37, 'Oni peinture noire', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":6}},"modelLabel":"Oni","colorLabel":"peinture noire"}', 0), + (60438, 4, 37, 'Oni noir possédé', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":7}},"modelLabel":"Oni","colorLabel":"noir possédé"}', 0), + (60439, 4, 37, 'Oni marron', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":8}},"modelLabel":"Oni","colorLabel":"marron"}', 0), + (60440, 4, 37, 'Oni jaune', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":9}},"modelLabel":"Oni","colorLabel":"jaune"}', 0), + (60441, 4, 37, 'Oni prune', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":10}},"modelLabel":"Oni","colorLabel":"prune"}', 0), + (60442, 4, 37, 'Oni gris dégradé', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":11}},"modelLabel":"Oni","colorLabel":"gris dégradé"}', 0), + (60443, 4, 37, 'Oni jaune et noir', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":12}},"modelLabel":"Oni","colorLabel":"jaune et noir"}', 0), + (60444, 4, 37, 'Oni orange', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":13}},"modelLabel":"Oni","colorLabel":"orange"}', 0), + (60445, 4, 37, 'Oni possédé en pierre dorée', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":14}},"modelLabel":"Oni","colorLabel":"possédé en pierre dorée"}', 0), + (60446, 4, 37, 'Oni possédé en pierre', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":15}},"modelLabel":"Oni","colorLabel":"possédé en pierre"}', 0), + (60447, 4, 37, 'Oni gris', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":16}},"modelLabel":"Oni","colorLabel":"gris"}', 0), + (60448, 4, 37, 'Oni noir et or', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":17}},"modelLabel":"Oni","colorLabel":"noir et or"}', 0), + (60449, 4, 37, 'Oni gris et orange', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":18}},"modelLabel":"Oni","colorLabel":"gris et orange"}', 0), + (60450, 4, 37, 'Oni possédé blanc', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":19}},"modelLabel":"Oni","colorLabel":"possédé blanc"}', 0), + (60451, 4, 37, 'Oni gris et or', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":20}},"modelLabel":"Oni","colorLabel":"gris et or"}', 0), + (60452, 4, 37, 'Oni grège', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":21}},"modelLabel":"Oni","colorLabel":"grège"}', 0), + (60453, 4, 37, 'Oni vert eau', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":22}},"modelLabel":"Oni","colorLabel":"vert eau"}', 0), + (60454, 4, 37, 'Oni mauve', 100, '{"components":{"1":{"Drawable":105,"Palette":0,"Texture":23}},"modelLabel":"Oni","colorLabel":"mauve"}', 0), + (60455, 4, 37, 'Crâne serpent bleu pixels', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":0}},"modelLabel":"Crâne serpent","colorLabel":"bleu pixels"}', 0), + (60456, 4, 37, 'Crâne serpent marron pixels', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":1}},"modelLabel":"Crâne serpent","colorLabel":"marron pixels"}', 0), + (60457, 4, 37, 'Crâne serpent vert pixels', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":2}},"modelLabel":"Crâne serpent","colorLabel":"vert pixels"}', 0), + (60458, 4, 37, 'Crâne serpent gris pixels', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":3}},"modelLabel":"Crâne serpent","colorLabel":"gris pixels"}', 0), + (60459, 4, 37, 'Crâne serpent pêche pixels', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":4}},"modelLabel":"Crâne serpent","colorLabel":"pêche pixels"}', 0), + (60460, 4, 37, 'Crâne serpent beige', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":5}},"modelLabel":"Crâne serpent","colorLabel":"beige"}', 0), + (60461, 4, 37, 'Crâne serpent sombre forêt', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":6}},"modelLabel":"Crâne serpent","colorLabel":"sombre forêt"}', 0), + (60462, 4, 37, 'Crâne serpent quadrillé', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":7}},"modelLabel":"Crâne serpent","colorLabel":"quadrillé"}', 0), + (60463, 4, 37, 'Crâne serpent vert mousse pixelss', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":8}},"modelLabel":"Crâne serpent","colorLabel":"vert mousse pixelss"}', 0), + (60464, 4, 37, 'Crâne serpent gris forêt', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":9}},"modelLabel":"Crâne serpent","colorLabel":"gris forêt"}', 0), + (60465, 4, 37, 'Crâne serpent camouflage turquoise', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":10}},"modelLabel":"Crâne serpent","colorLabel":"camouflage turquoise"}', 0), + (60466, 4, 37, 'Crâne serpent éclats', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":11}},"modelLabel":"Crâne serpent","colorLabel":"éclats"}', 0), + (60467, 4, 37, 'Crâne serpent camouflage contraste', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":12}},"modelLabel":"Crâne serpent","colorLabel":"camouflage contraste"}', 0), + (60468, 4, 37, 'Crâne serpent pavés', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":13}},"modelLabel":"Crâne serpent","colorLabel":"pavés"}', 0), + (60469, 4, 37, 'Crâne serpent pêche forêt', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":14}},"modelLabel":"Crâne serpent","colorLabel":"pêche forêt"}', 0), + (60470, 4, 37, 'Crâne serpent pinceau', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":15}},"modelLabel":"Crâne serpent","colorLabel":"pinceau"}', 0), + (60471, 4, 37, 'Crâne serpent camouflage', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":16}},"modelLabel":"Crâne serpent","colorLabel":"camouflage"}', 0), + (60472, 4, 37, 'Crâne serpent clair forêt', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":17}},"modelLabel":"Crâne serpent","colorLabel":"clair forêt"}', 0), + (60473, 4, 37, 'Crâne serpent vert mousse', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":18}},"modelLabel":"Crâne serpent","colorLabel":"vert mousse"}', 0), + (60474, 4, 37, 'Crâne serpent sable', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":19}},"modelLabel":"Crâne serpent","colorLabel":"sable"}', 0), + (60475, 4, 37, 'Crâne serpent camo vert', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":20}},"modelLabel":"Crâne serpent","colorLabel":"camo vert"}', 0), + (60476, 4, 37, 'Crâne serpent camo marron', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":21}},"modelLabel":"Crâne serpent","colorLabel":"camo marron"}', 0), + (60477, 4, 37, 'Crâne serpent camo mauve', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":22}},"modelLabel":"Crâne serpent","colorLabel":"camo mauve"}', 0), + (60478, 4, 37, 'Crâne serpent camo rose', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":23}},"modelLabel":"Crâne serpent","colorLabel":"camo rose"}', 0), + (60479, 4, 37, 'Crâne serpent rouge', 100, '{"components":{"1":{"Drawable":106,"Palette":0,"Texture":24}},"modelLabel":"Crâne serpent","colorLabel":"rouge"}', 0), + (60480, 4, 35, 'Masque vent. bleu pixels', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":0}},"modelLabel":"Masque vent.","colorLabel":"bleu pixels"}', 0), + (60481, 4, 35, 'Masque vent. marron pixels', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":1}},"modelLabel":"Masque vent.","colorLabel":"marron pixels"}', 0), + (60482, 4, 35, 'Masque vent. vert pixels', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":2}},"modelLabel":"Masque vent.","colorLabel":"vert pixels"}', 0), + (60483, 4, 35, 'Masque vent. gris pixels', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":3}},"modelLabel":"Masque vent.","colorLabel":"gris pixels"}', 0), + (60484, 4, 35, 'Masque vent. pêche pixels', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":4}},"modelLabel":"Masque vent.","colorLabel":"pêche pixels"}', 0), + (60485, 4, 35, 'Masque vent. beige', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":5}},"modelLabel":"Masque vent.","colorLabel":"beige"}', 0), + (60486, 4, 35, 'Masque vent. sombre forêt', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":6}},"modelLabel":"Masque vent.","colorLabel":"sombre forêt"}', 0), + (60487, 4, 35, 'Masque vent. quadrillé', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":7}},"modelLabel":"Masque vent.","colorLabel":"quadrillé"}', 0), + (60488, 4, 35, 'Masque vent. vert mousse pixelss', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":8}},"modelLabel":"Masque vent.","colorLabel":"vert mousse pixelss"}', 0), + (60489, 4, 35, 'Masque vent. gris forêt', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":9}},"modelLabel":"Masque vent.","colorLabel":"gris forêt"}', 0), + (60490, 4, 35, 'Masque vent. camouflage turquoise', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":10}},"modelLabel":"Masque vent.","colorLabel":"camouflage turquoise"}', 0), + (60491, 4, 35, 'Masque vent. éclats', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":11}},"modelLabel":"Masque vent.","colorLabel":"éclats"}', 0), + (60492, 4, 35, 'Masque vent. camouflage contraste', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":12}},"modelLabel":"Masque vent.","colorLabel":"camouflage contraste"}', 0), + (60493, 4, 35, 'Masque vent. pavés', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":13}},"modelLabel":"Masque vent.","colorLabel":"pavés"}', 0), + (60494, 4, 35, 'Masque vent. pêche forêt', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":14}},"modelLabel":"Masque vent.","colorLabel":"pêche forêt"}', 0), + (60495, 4, 35, 'Masque vent. pinceau', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":15}},"modelLabel":"Masque vent.","colorLabel":"pinceau"}', 0), + (60496, 4, 35, 'Masque vent. camouflage', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":16}},"modelLabel":"Masque vent.","colorLabel":"camouflage"}', 0), + (60497, 4, 35, 'Masque vent. clair forêt', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":17}},"modelLabel":"Masque vent.","colorLabel":"clair forêt"}', 0), + (60498, 4, 35, 'Masque vent. vert mousse', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":18}},"modelLabel":"Masque vent.","colorLabel":"vert mousse"}', 0), + (60499, 4, 35, 'Masque vent. sable', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":19}},"modelLabel":"Masque vent.","colorLabel":"sable"}', 0), + (60500, 4, 35, 'Masque vent. camo vert', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":20}},"modelLabel":"Masque vent.","colorLabel":"camo vert"}', 0), + (60501, 4, 35, 'Masque vent. camo marron', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":21}},"modelLabel":"Masque vent.","colorLabel":"camo marron"}', 0), + (60502, 4, 35, 'Masque vent. camo mauve', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":22}},"modelLabel":"Masque vent.","colorLabel":"camo mauve"}', 0), + (60503, 4, 35, 'Masque vent. camo rose', 100, '{"components":{"1":{"Drawable":107,"Palette":0,"Texture":23}},"modelLabel":"Masque vent.","colorLabel":"camo rose"}', 0), + (60504, 4, 33, 'Crâne blanc', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":0}},"modelLabel":"Crâne","colorLabel":"blanc"}', 0), + (60505, 4, 33, 'Crâne buriné', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":1}},"modelLabel":"Crâne","colorLabel":"buriné"}', 0), + (60506, 4, 33, 'Crâne ancien', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":2}},"modelLabel":"Crâne","colorLabel":"ancien"}', 0), + (60507, 4, 33, 'Crâne venin', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":3}},"modelLabel":"Crâne","colorLabel":"venin"}', 0), + (60508, 4, 33, 'Crâne frais', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":4}},"modelLabel":"Crâne","colorLabel":"frais"}', 0), + (60509, 4, 33, 'Crâne en chair', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":5}},"modelLabel":"Crâne","colorLabel":"en chair"}', 0), + (60510, 4, 33, 'Crâne vert mousse', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":6}},"modelLabel":"Crâne","colorLabel":"vert mousse"}', 0), + (60511, 4, 33, 'Crâne de sable', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":7}},"modelLabel":"Crâne","colorLabel":"de sable"}', 0), + (60512, 4, 33, 'Crâne encre noire', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":8}},"modelLabel":"Crâne","colorLabel":"encre noire"}', 0), + (60513, 4, 33, 'Crâne tâché', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":9}},"modelLabel":"Crâne","colorLabel":"tâché"}', 0), + (60514, 4, 33, 'Crâne brun clair en cuir', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":10}},"modelLabel":"Crâne","colorLabel":"brun clair en cuir"}', 0), + (60515, 4, 33, 'Crâne chocolat en cuir', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":11}},"modelLabel":"Crâne","colorLabel":"chocolat en cuir"}', 0), + (60516, 4, 33, 'Crâne orange yeux ouverts', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":12}},"modelLabel":"Crâne","colorLabel":"orange yeux ouverts"}', 0), + (60517, 4, 33, 'Crâne possédé', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":13}},"modelLabel":"Crâne","colorLabel":"possédé"}', 0), + (60518, 4, 33, 'Crâne yeux ouverts', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":14}},"modelLabel":"Crâne","colorLabel":"yeux ouverts"}', 0), + (60519, 4, 33, 'Crâne tatoué', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":15}},"modelLabel":"Crâne","colorLabel":"tatoué"}', 0), + (60520, 4, 33, 'Crâne bleu peint', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":16}},"modelLabel":"Crâne","colorLabel":"bleu peint"}', 0), + (60521, 4, 33, 'Crâne rose peint', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":17}},"modelLabel":"Crâne","colorLabel":"rose peint"}', 0), + (60522, 4, 33, 'Crâne vert peint', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":18}},"modelLabel":"Crâne","colorLabel":"vert peint"}', 0), + (60523, 4, 33, 'Crâne moutarde peint', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":19}},"modelLabel":"Crâne","colorLabel":"moutarde peint"}', 0), + (60524, 4, 33, 'Crâne orange yeux tourbi', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":20}},"modelLabel":"Crâne","colorLabel":"orange yeux tourbi"}', 0), + (60525, 4, 33, 'Crâne cuir yeux lumineux', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":21}},"modelLabel":"Crâne","colorLabel":"cuir yeux lumineux"}', 0), + (60526, 4, 33, 'Crâne ocre brun', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":23}},"modelLabel":"Crâne","colorLabel":"ocre brun"}', 0), + (60527, 4, 33, 'Crâne à rayure', 100, '{"components":{"1":{"Drawable":108,"Palette":0,"Texture":24}},"modelLabel":"Crâne","colorLabel":"à rayure"}', 0), + (60528, 4, 33, 'Casque aviateur lunettes vert', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":0}},"modelLabel":"Casque aviateur","colorLabel":"lunettes vert"}', 0), + (60529, 4, 33, 'Casque aviateur lunettes marron', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":1}},"modelLabel":"Casque aviateur","colorLabel":"lunettes marron"}', 0), + (60530, 4, 33, 'Casque aviateur lunettes mauve', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":2}},"modelLabel":"Casque aviateur","colorLabel":"lunettes mauve"}', 0), + (60531, 4, 33, 'Casque aviateur lunettes rose', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":3}},"modelLabel":"Casque aviateur","colorLabel":"lunettes rose"}', 0), + (60532, 4, 33, 'Casque aviateur noir', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":4}},"modelLabel":"Casque aviateur","colorLabel":"noir"}', 0), + (60533, 4, 33, 'Casque aviateur sable', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":5}},"modelLabel":"Casque aviateur","colorLabel":"sable"}', 0), + (60534, 4, 33, 'Casque aviateur vert', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":6}},"modelLabel":"Casque aviateur","colorLabel":"vert"}', 0), + (60535, 4, 33, 'Casque aviateur olive', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":7}},"modelLabel":"Casque aviateur","colorLabel":"olive"}', 0), + (60536, 4, 33, 'Casque aviateur clair forêt', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":8}},"modelLabel":"Casque aviateur","colorLabel":"clair forêt"}', 0), + (60537, 4, 33, 'Casque aviateur camo turquoise', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":9}},"modelLabel":"Casque aviateur","colorLabel":"camo turquoise"}', 0), + (60538, 4, 33, 'Casque aviateur éclats', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":10}},"modelLabel":"Casque aviateur","colorLabel":"éclats"}', 0), + (60539, 4, 33, 'Casque aviateur camouflage', 100, '{"components":{"1":{"Drawable":109,"Palette":0,"Texture":11}},"modelLabel":"Casque aviateur","colorLabel":"camouflage"}', 0), + (60540, 4, 37, 'Cyborg noir', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":0}},"modelLabel":"Cyborg","colorLabel":"noir"}', 0), + (60541, 4, 37, 'Cyborg bleu pixels', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":1}},"modelLabel":"Cyborg","colorLabel":"bleu pixels"}', 0), + (60542, 4, 37, 'Cyborg marron pixels', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":2}},"modelLabel":"Cyborg","colorLabel":"marron pixels"}', 0), + (60543, 4, 37, 'Cyborg vert pixels', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":3}},"modelLabel":"Cyborg","colorLabel":"vert pixels"}', 0), + (60544, 4, 37, 'Cyborg beige', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":4}},"modelLabel":"Cyborg","colorLabel":"beige"}', 0), + (60545, 4, 37, 'Cyborg sombre forêt', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":5}},"modelLabel":"Cyborg","colorLabel":"sombre forêt"}', 0), + (60546, 4, 37, 'Cyborg quadrillé', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":6}},"modelLabel":"Cyborg","colorLabel":"quadrillé"}', 0), + (60547, 4, 37, 'Cyborg gris forêt', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":7}},"modelLabel":"Cyborg","colorLabel":"gris forêt"}', 0), + (60548, 4, 37, 'Cyborg camo turquoise', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":8}},"modelLabel":"Cyborg","colorLabel":"camo turquoise"}', 0), + (60549, 4, 37, 'Cyborg éclats', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":9}},"modelLabel":"Cyborg","colorLabel":"éclats"}', 0), + (60550, 4, 37, 'Cyborg camouflage contraste', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":10}},"modelLabel":"Cyborg","colorLabel":"camouflage contraste"}', 0), + (60551, 4, 37, 'Cyborg pavés', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":11}},"modelLabel":"Cyborg","colorLabel":"pavés"}', 0), + (60552, 4, 37, 'Cyborg pêche forêt', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":12}},"modelLabel":"Cyborg","colorLabel":"pêche forêt"}', 0), + (60553, 4, 37, 'Cyborg pinceau', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":13}},"modelLabel":"Cyborg","colorLabel":"pinceau"}', 0), + (60554, 4, 37, 'Cyborg camouflage', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":14}},"modelLabel":"Cyborg","colorLabel":"camouflage"}', 0), + (60555, 4, 37, 'Cyborg clair forêt', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":15}},"modelLabel":"Cyborg","colorLabel":"clair forêt"}', 0), + (60556, 4, 37, 'Cyborg à rayures bleues', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":16}},"modelLabel":"Cyborg","colorLabel":"à rayures bleues"}', 0), + (60557, 4, 37, 'Cyborg à rayures vert mousse', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":17}},"modelLabel":"Cyborg","colorLabel":"à rayures vert mousse"}', 0), + (60558, 4, 37, 'Cyborg à rayures orange', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":18}},"modelLabel":"Cyborg","colorLabel":"à rayures orange"}', 0), + (60559, 4, 37, 'Cyborg jaune', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":19}},"modelLabel":"Cyborg","colorLabel":"jaune"}', 0), + (60560, 4, 37, 'Cyborg zébré', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":20}},"modelLabel":"Cyborg","colorLabel":"zébré"}', 0), + (60561, 4, 37, 'Cyborg blanc', 100, '{"components":{"1":{"Drawable":110,"Palette":0,"Texture":21}},"modelLabel":"Cyborg","colorLabel":"blanc"}', 0), + (60562, 4, 35, 'Bandana vert crâne', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":0}},"modelLabel":"Bandana","colorLabel":"vert crâne"}', 0), + (60563, 4, 35, 'Bandana marron crâne', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":1}},"modelLabel":"Bandana","colorLabel":"marron crâne"}', 0), + (60564, 4, 35, 'Bandana mauve crâne', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":2}},"modelLabel":"Bandana","colorLabel":"mauve crâne"}', 0), + (60565, 4, 35, 'Bandana rose crâne', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":3}},"modelLabel":"Bandana","colorLabel":"rose crâne"}', 0), + (60566, 4, 35, 'Bandana Blagueurs bleu', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":4}},"modelLabel":"Bandana","colorLabel":"Blagueurs bleu"}', 0), + (60567, 4, 35, 'Bandana Blagueurs rouge', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":5}},"modelLabel":"Bandana","colorLabel":"Blagueurs rouge"}', 0), + (60568, 4, 35, 'Bandana abstrait vif', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":6}},"modelLabel":"Bandana","colorLabel":"abstrait vif"}', 0), + (60569, 4, 35, 'Bandana géométrique', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":7}},"modelLabel":"Bandana","colorLabel":"géométrique"}', 0), + (60570, 4, 35, 'Bandana Bigness éclats', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":8}},"modelLabel":"Bandana","colorLabel":"Bigness éclats"}', 0), + (60571, 4, 35, 'Bandana Bigness rouge', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":9}},"modelLabel":"Bandana","colorLabel":"Bigness rouge"}', 0), + (60572, 4, 35, 'Bandana vert à feuilles', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":10}},"modelLabel":"Bandana","colorLabel":"vert à feuilles"}', 0), + (60573, 4, 35, 'Bandana bleu à feuilles', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":11}},"modelLabel":"Bandana","colorLabel":"bleu à feuilles"}', 0), + (60574, 4, 35, 'Bandana Manor rouge', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":12}},"modelLabel":"Bandana","colorLabel":"Manor rouge"}', 0), + (60575, 4, 35, 'Bandana Manor noir', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":13}},"modelLabel":"Bandana","colorLabel":"Manor noir"}', 0), + (60576, 4, 35, 'Bandana Manor crânes', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":14}},"modelLabel":"Bandana","colorLabel":"Manor crânes"}', 0), + (60577, 4, 35, 'Bandana Broker blanc', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":15}},"modelLabel":"Bandana","colorLabel":"Broker blanc"}', 0), + (60578, 4, 35, 'Bandana Broker orange', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":16}},"modelLabel":"Bandana","colorLabel":"Broker orange"}', 0), + (60579, 4, 35, 'Bandana Broker noir', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":17}},"modelLabel":"Bandana","colorLabel":"Broker noir"}', 0), + (60580, 4, 35, 'Bandana Broker blanc cassé', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":18}},"modelLabel":"Bandana","colorLabel":"Broker blanc cassé"}', 0), + (60581, 4, 35, 'Bandana patriotique', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":19}},"modelLabel":"Bandana","colorLabel":"patriotique"}', 0), + (60582, 4, 35, 'Bandana bariolé', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":20}},"modelLabel":"Bandana","colorLabel":"bariolé"}', 0), + (60583, 4, 35, 'Bandana fractal', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":21}},"modelLabel":"Bandana","colorLabel":"fractal"}', 0), + (60584, 4, 35, 'Bandana camo. contraste', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":22}},"modelLabel":"Bandana","colorLabel":"camo. contraste"}', 0), + (60585, 4, 35, 'Bandana zébré', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":23}},"modelLabel":"Bandana","colorLabel":"zébré"}', 0), + (60586, 4, 35, 'Bandana à motifs sombres', 100, '{"components":{"1":{"Drawable":111,"Palette":0,"Texture":24}},"modelLabel":"Bandana","colorLabel":"à motifs sombres"}', 0), + (60587, 4, 37, 'Mandibule noir', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":0}},"modelLabel":"Mandibule","colorLabel":"noir"}', 0), + (60588, 4, 37, 'Mandibule bleu pixels', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":1}},"modelLabel":"Mandibule","colorLabel":"bleu pixels"}', 0), + (60589, 4, 37, 'Mandibule marron pixels', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":2}},"modelLabel":"Mandibule","colorLabel":"marron pixels"}', 0), + (60590, 4, 37, 'Mandibule vert pixels', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":3}},"modelLabel":"Mandibule","colorLabel":"vert pixels"}', 0), + (60591, 4, 37, 'Mandibule beige', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":4}},"modelLabel":"Mandibule","colorLabel":"beige"}', 0), + (60592, 4, 37, 'Mandibule sombre forêt', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":5}},"modelLabel":"Mandibule","colorLabel":"sombre forêt"}', 0), + (60593, 4, 37, 'Mandibule quadrillé', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":6}},"modelLabel":"Mandibule","colorLabel":"quadrillé"}', 0), + (60594, 4, 37, 'Mandibule gris forêt', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":7}},"modelLabel":"Mandibule","colorLabel":"gris forêt"}', 0), + (60595, 4, 37, 'Mandibule camo turquoise', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":8}},"modelLabel":"Mandibule","colorLabel":"camo turquoise"}', 0), + (60596, 4, 37, 'Mandibule éclats', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":9}},"modelLabel":"Mandibule","colorLabel":"éclats"}', 0), + (60597, 4, 37, 'Mandibule camouflage contraste', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":10}},"modelLabel":"Mandibule","colorLabel":"camouflage contraste"}', 0), + (60598, 4, 37, 'Mandibule pavés', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":11}},"modelLabel":"Mandibule","colorLabel":"pavés"}', 0), + (60599, 4, 37, 'Mandibule pêche forêt', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":12}},"modelLabel":"Mandibule","colorLabel":"pêche forêt"}', 0), + (60600, 4, 37, 'Mandibule pinceau', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":13}},"modelLabel":"Mandibule","colorLabel":"pinceau"}', 0), + (60601, 4, 37, 'Mandibule camouflage', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":14}},"modelLabel":"Mandibule","colorLabel":"camouflage"}', 0), + (60602, 4, 37, 'Mandibule clair forêt', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":15}},"modelLabel":"Mandibule","colorLabel":"clair forêt"}', 0), + (60603, 4, 37, 'Mandibule à rayures bleues', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":16}},"modelLabel":"Mandibule","colorLabel":"à rayures bleues"}', 0), + (60604, 4, 37, 'Mandibule à rayures vert mousse', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":17}},"modelLabel":"Mandibule","colorLabel":"à rayures vert mousse"}', 0), + (60605, 4, 37, 'Mandibule à rayures orange', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":18}},"modelLabel":"Mandibule","colorLabel":"à rayures orange"}', 0), + (60606, 4, 37, 'Mandibule jaune', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":19}},"modelLabel":"Mandibule","colorLabel":"jaune"}', 0), + (60607, 4, 37, 'Mandibule zébré', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":20}},"modelLabel":"Mandibule","colorLabel":"zébré"}', 0), + (60608, 4, 37, 'Mandibule blanc', 100, '{"components":{"1":{"Drawable":112,"Palette":0,"Texture":21}},"modelLabel":"Mandibule","colorLabel":"blanc"}', 0), + (60609, 4, 35, 'Découvert marron', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":0}},"modelLabel":"Découvert","colorLabel":"marron"}', 0), + (60610, 4, 35, 'Découvert bleu-vert', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":1}},"modelLabel":"Découvert","colorLabel":"bleu-vert"}', 0), + (60611, 4, 35, 'Découvert vert', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":2}},"modelLabel":"Découvert","colorLabel":"vert"}', 0), + (60612, 4, 35, 'Découvert jaune', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":3}},"modelLabel":"Découvert","colorLabel":"jaune"}', 0), + (60613, 4, 35, 'Découvert turquoise', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":4}},"modelLabel":"Découvert","colorLabel":"turquoise"}', 0), + (60614, 4, 35, 'Découvert marron pixels', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":5}},"modelLabel":"Découvert","colorLabel":"marron pixels"}', 0), + (60615, 4, 35, 'Découvert jaune à motifs', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":6}},"modelLabel":"Découvert","colorLabel":"jaune à motifs"}', 0), + (60616, 4, 35, 'Découvert rouge foncé à motifs', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":7}},"modelLabel":"Découvert","colorLabel":"rouge foncé à motifs"}', 0), + (60617, 4, 35, 'Découvert pêche pixels', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":8}},"modelLabel":"Découvert","colorLabel":"pêche pixels"}', 0), + (60618, 4, 35, 'Découvert beige', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":9}},"modelLabel":"Découvert","colorLabel":"beige"}', 0), + (60619, 4, 35, 'Découvert sombre forêt', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":10}},"modelLabel":"Découvert","colorLabel":"sombre forêt"}', 0), + (60620, 4, 35, 'Découvert orange à motifs', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":11}},"modelLabel":"Découvert","colorLabel":"orange à motifs"}', 0), + (60621, 4, 35, 'Découvert rouge à motifs', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":12}},"modelLabel":"Découvert","colorLabel":"rouge à motifs"}', 0), + (60622, 4, 35, 'Découvert gris forêt', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":13}},"modelLabel":"Découvert","colorLabel":"gris forêt"}', 0), + (60623, 4, 35, 'Découvert bleu à motifs', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":14}},"modelLabel":"Découvert","colorLabel":"bleu à motifs"}', 0), + (60624, 4, 35, 'Découvert éclats', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":15}},"modelLabel":"Découvert","colorLabel":"éclats"}', 0), + (60625, 4, 35, 'Découvert violet à motifs', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":16}},"modelLabel":"Découvert","colorLabel":"violet à motifs"}', 0), + (60626, 4, 35, 'Découvert pavillon noir', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":17}},"modelLabel":"Découvert","colorLabel":"pavillon noir"}', 0), + (60627, 4, 35, 'Découvert pêche forêt', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":18}},"modelLabel":"Découvert","colorLabel":"pêche forêt"}', 0), + (60628, 4, 35, 'Découvert pinceau', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":19}},"modelLabel":"Découvert","colorLabel":"pinceau"}', 0), + (60629, 4, 35, 'Découvert camouflage', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":20}},"modelLabel":"Découvert","colorLabel":"camouflage"}', 0), + (60630, 4, 35, 'Découvert à motifs armes', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":21}},"modelLabel":"Découvert","colorLabel":"à motifs armes"}', 0), + (60631, 4, 35, 'Découvert camo vert', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":22}},"modelLabel":"Découvert","colorLabel":"camo vert"}', 0), + (60632, 4, 35, 'Découvert camo marron', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":23}},"modelLabel":"Découvert","colorLabel":"camo marron"}', 0), + (60633, 4, 35, 'Découvert camo mauve', 100, '{"components":{"1":{"Drawable":114,"Palette":0,"Texture":24}},"modelLabel":"Découvert","colorLabel":"camo mauve"}', 0), + (60634, 4, 35, 'Couvert marron', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":0}},"modelLabel":"Couvert","colorLabel":"marron"}', 0), + (60635, 4, 35, 'Couvert bleu-vert', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":1}},"modelLabel":"Couvert","colorLabel":"bleu-vert"}', 0), + (60636, 4, 35, 'Couvert vert', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":2}},"modelLabel":"Couvert","colorLabel":"vert"}', 0), + (60637, 4, 35, 'Couvert jaune', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":3}},"modelLabel":"Couvert","colorLabel":"jaune"}', 0), + (60638, 4, 35, 'Couvert turquoise', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":4}},"modelLabel":"Couvert","colorLabel":"turquoise"}', 0), + (60639, 4, 35, 'Couvert marron pixels', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":5}},"modelLabel":"Couvert","colorLabel":"marron pixels"}', 0), + (60640, 4, 35, 'Couvert jaune à motifs', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":6}},"modelLabel":"Couvert","colorLabel":"jaune à motifs"}', 0), + (60641, 4, 35, 'Couvert rouge foncé à motifs', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":7}},"modelLabel":"Couvert","colorLabel":"rouge foncé à motifs"}', 0), + (60642, 4, 35, 'Couvert pêche pixels', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":8}},"modelLabel":"Couvert","colorLabel":"pêche pixels"}', 0), + (60643, 4, 35, 'Couvert beige', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":9}},"modelLabel":"Couvert","colorLabel":"beige"}', 0), + (60644, 4, 35, 'Couvert sombre forêt', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":10}},"modelLabel":"Couvert","colorLabel":"sombre forêt"}', 0), + (60645, 4, 35, 'Couvert orange à motifs', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":11}},"modelLabel":"Couvert","colorLabel":"orange à motifs"}', 0), + (60646, 4, 35, 'Couvert rouge à motifs', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":12}},"modelLabel":"Couvert","colorLabel":"rouge à motifs"}', 0), + (60647, 4, 35, 'Couvert gris forêt', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":13}},"modelLabel":"Couvert","colorLabel":"gris forêt"}', 0), + (60648, 4, 35, 'Couvert bleu à motifs', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":14}},"modelLabel":"Couvert","colorLabel":"bleu à motifs"}', 0), + (60649, 4, 35, 'Couvert éclats', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":15}},"modelLabel":"Couvert","colorLabel":"éclats"}', 0), + (60650, 4, 35, 'Couvert violet à motifs', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":16}},"modelLabel":"Couvert","colorLabel":"violet à motifs"}', 0), + (60651, 4, 35, 'Couvert pavillon noir', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":17}},"modelLabel":"Couvert","colorLabel":"pavillon noir"}', 0), + (60652, 4, 35, 'Couvert pêche forêt', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":18}},"modelLabel":"Couvert","colorLabel":"pêche forêt"}', 0), + (60653, 4, 35, 'Couvert pinceau', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":19}},"modelLabel":"Couvert","colorLabel":"pinceau"}', 0), + (60654, 4, 35, 'Couvert camouflage', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":20}},"modelLabel":"Couvert","colorLabel":"camouflage"}', 0), + (60655, 4, 35, 'Couvert à motifs armes', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":21}},"modelLabel":"Couvert","colorLabel":"à motifs armes"}', 0), + (60656, 4, 35, 'Couvert camo vert', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":22}},"modelLabel":"Couvert","colorLabel":"camo vert"}', 0), + (60657, 4, 35, 'Couvert camo marron', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":23}},"modelLabel":"Couvert","colorLabel":"camo marron"}', 0), + (60658, 4, 35, 'Couvert camo mauve', 100, '{"components":{"1":{"Drawable":115,"Palette":0,"Texture":24}},"modelLabel":"Couvert","colorLabel":"camo mauve"}', 0), + (60659, 4, 35, 'Cache-col marron', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":0}},"modelLabel":"Cache-col","colorLabel":"marron"}', 0), + (60660, 4, 35, 'Cache-col bleu-vert', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":1}},"modelLabel":"Cache-col","colorLabel":"bleu-vert"}', 0), + (60661, 4, 35, 'Cache-col vert', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":2}},"modelLabel":"Cache-col","colorLabel":"vert"}', 0), + (60662, 4, 35, 'Cache-col jaune', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":3}},"modelLabel":"Cache-col","colorLabel":"jaune"}', 0), + (60663, 4, 35, 'Cache-col turquoise', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":4}},"modelLabel":"Cache-col","colorLabel":"turquoise"}', 0), + (60664, 4, 35, 'Cache-col marron pixels', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":5}},"modelLabel":"Cache-col","colorLabel":"marron pixels"}', 0), + (60665, 4, 35, 'Cache-col jaune à motifs', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":6}},"modelLabel":"Cache-col","colorLabel":"jaune à motifs"}', 0), + (60666, 4, 35, 'Cache-col rouge foncé à motifs', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":7}},"modelLabel":"Cache-col","colorLabel":"rouge foncé à motifs"}', 0), + (60667, 4, 35, 'Cache-col pêche pixels', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":8}},"modelLabel":"Cache-col","colorLabel":"pêche pixels"}', 0), + (60668, 4, 35, 'Cache-col beige', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":9}},"modelLabel":"Cache-col","colorLabel":"beige"}', 0), + (60669, 4, 35, 'Cache-col sombre forêt', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":10}},"modelLabel":"Cache-col","colorLabel":"sombre forêt"}', 0), + (60670, 4, 35, 'Cache-col orange à motifs', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":11}},"modelLabel":"Cache-col","colorLabel":"orange à motifs"}', 0), + (60671, 4, 35, 'Cache-col rouge à motifs', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":12}},"modelLabel":"Cache-col","colorLabel":"rouge à motifs"}', 0), + (60672, 4, 35, 'Cache-col gris forêt', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":13}},"modelLabel":"Cache-col","colorLabel":"gris forêt"}', 0), + (60673, 4, 35, 'Cache-col bleu à motifs', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":14}},"modelLabel":"Cache-col","colorLabel":"bleu à motifs"}', 0), + (60674, 4, 35, 'Cache-col éclats', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":15}},"modelLabel":"Cache-col","colorLabel":"éclats"}', 0), + (60675, 4, 35, 'Cache-col violet à motifs', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":16}},"modelLabel":"Cache-col","colorLabel":"violet à motifs"}', 0), + (60676, 4, 35, 'Cache-col pavillon noir', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":17}},"modelLabel":"Cache-col","colorLabel":"pavillon noir"}', 0), + (60677, 4, 35, 'Cache-col pêche forêt', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":18}},"modelLabel":"Cache-col","colorLabel":"pêche forêt"}', 0), + (60678, 4, 35, 'Cache-col pinceau', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":19}},"modelLabel":"Cache-col","colorLabel":"pinceau"}', 0), + (60679, 4, 35, 'Cache-col camouflage', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":20}},"modelLabel":"Cache-col","colorLabel":"camouflage"}', 0), + (60680, 4, 35, 'Cache-col à motifs armes', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":21}},"modelLabel":"Cache-col","colorLabel":"à motifs armes"}', 0), + (60681, 4, 35, 'Cache-col camo vert', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":22}},"modelLabel":"Cache-col","colorLabel":"camo vert"}', 0), + (60682, 4, 35, 'Cache-col camo marron', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":23}},"modelLabel":"Cache-col","colorLabel":"camo marron"}', 0), + (60683, 4, 35, 'Cache-col camo mauve', 100, '{"components":{"1":{"Drawable":116,"Palette":0,"Texture":24}},"modelLabel":"Cache-col","colorLabel":"camo mauve"}', 0), + (60684, 4, 39, 'Laine clair rayé', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":0}},"modelLabel":"Laine","colorLabel":"clair rayé"}', 0), + (60685, 4, 39, 'Laine rouge foncé', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":1}},"modelLabel":"Laine","colorLabel":"rouge foncé"}', 0), + (60686, 4, 39, 'Laine vert et beige', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":2}},"modelLabel":"Laine","colorLabel":"vert et beige"}', 0), + (60687, 4, 39, 'Laine aube', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":3}},"modelLabel":"Laine","colorLabel":"aube"}', 0), + (60688, 4, 39, 'Laine gris pixel', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":4}},"modelLabel":"Laine","colorLabel":"gris pixel"}', 0), + (60689, 4, 39, 'Laine gris forêt', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":5}},"modelLabel":"Laine","colorLabel":"gris forêt"}', 0), + (60690, 4, 39, 'Laine marron pixels', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":6}},"modelLabel":"Laine","colorLabel":"marron pixels"}', 0), + (60691, 4, 39, 'Laine rayures rouges', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":7}},"modelLabel":"Laine","colorLabel":"rayures rouges"}', 0), + (60692, 4, 39, 'Laine crâne', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":8}},"modelLabel":"Laine","colorLabel":"crâne"}', 0), + (60693, 4, 39, 'Laine bordeaux à rayures', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":9}},"modelLabel":"Laine","colorLabel":"bordeaux à rayures"}', 0), + (60694, 4, 39, 'Laine vert clair', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":10}},"modelLabel":"Laine","colorLabel":"vert clair"}', 0), + (60695, 4, 39, 'Laine camo turquoise', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":11}},"modelLabel":"Laine","colorLabel":"camo turquoise"}', 0), + (60696, 4, 39, 'Laine à rayures', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":12}},"modelLabel":"Laine","colorLabel":"à rayures"}', 0), + (60697, 4, 39, 'Laine noir et rouge', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":13}},"modelLabel":"Laine","colorLabel":"noir et rouge"}', 0), + (60698, 4, 39, 'Laine vert à rayures', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":14}},"modelLabel":"Laine","colorLabel":"vert à rayures"}', 0), + (60699, 4, 39, 'Laine tigré', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":15}},"modelLabel":"Laine","colorLabel":"tigré"}', 0), + (60700, 4, 39, 'Laine léopard', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":16}},"modelLabel":"Laine","colorLabel":"léopard"}', 0), + (60701, 4, 39, 'Laine sombre', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":17}},"modelLabel":"Laine","colorLabel":"sombre"}', 0), + (60702, 4, 39, 'Laine patriotique', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":18}},"modelLabel":"Laine","colorLabel":"patriotique"}', 0), + (60703, 4, 39, 'Laine bleu luchador', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":19}},"modelLabel":"Laine","colorLabel":"bleu luchador"}', 0), + (60704, 4, 39, 'Laine vert luchador', 100, '{"components":{"1":{"Drawable":117,"Palette":0,"Texture":20}},"modelLabel":"Laine","colorLabel":"vert luchador"}', 0), + (60705, 4, 37, 'T-shirt camo vert', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":0}},"modelLabel":"T-shirt","colorLabel":"camo vert"}', 0), + (60706, 4, 37, 'T-shirt camo orange', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":1}},"modelLabel":"T-shirt","colorLabel":"camo orange"}', 0), + (60707, 4, 37, 'T-shirt camo mauve', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":2}},"modelLabel":"T-shirt","colorLabel":"camo mauve"}', 0), + (60708, 4, 37, 'T-shirt camo rose', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":3}},"modelLabel":"T-shirt","colorLabel":"camo rose"}', 0), + (60709, 4, 37, 'T-shirt léopard magenta', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":4}},"modelLabel":"T-shirt","colorLabel":"léopard magenta"}', 0), + (60710, 4, 37, 'T-shirt marine peint', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":5}},"modelLabel":"T-shirt","colorLabel":"marine peint"}', 0), + (60711, 4, 37, 'T-shirt feuilles', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":6}},"modelLabel":"T-shirt","colorLabel":"feuilles"}', 0), + (60712, 4, 37, 'T-shirt gris pixels', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":7}},"modelLabel":"T-shirt","colorLabel":"gris pixels"}', 0), + (60713, 4, 37, 'T-shirt camo turquoise', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":8}},"modelLabel":"T-shirt","colorLabel":"camo turquoise"}', 0), + (60714, 4, 37, 'T-shirt camo rouge', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":9}},"modelLabel":"T-shirt","colorLabel":"camo rouge"}', 0), + (60715, 4, 37, 'T-shirt Bigness camouflage', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":10}},"modelLabel":"T-shirt","colorLabel":"Bigness camouflage"}', 0), + (60716, 4, 37, 'T-shirt Bigness noir', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":11}},"modelLabel":"T-shirt","colorLabel":"Bigness noir"}', 0), + (60717, 4, 37, 'T-shirt Bigness rouge', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":12}},"modelLabel":"T-shirt","colorLabel":"Bigness rouge"}', 0), + (60718, 4, 37, 'T-shirt Bigness gris', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":13}},"modelLabel":"T-shirt","colorLabel":"Bigness gris"}', 0), + (60719, 4, 37, 'T-shirt rayé', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":14}},"modelLabel":"T-shirt","colorLabel":"rayé"}', 0), + (60720, 4, 37, 'T-shirt Squash jus d\'orange', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":15}},"modelLabel":"T-shirt","colorLabel":"Squash jus d\'orange"}', 0), + (60721, 4, 37, 'T-shirt vert et rose', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":16}},"modelLabel":"T-shirt","colorLabel":"vert et rose"}', 0), + (60722, 4, 37, 'T-shirt patriotique', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":17}},"modelLabel":"T-shirt","colorLabel":"patriotique"}', 0), + (60723, 4, 37, 'T-shirt noir patriotique', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":18}},"modelLabel":"T-shirt","colorLabel":"noir patriotique"}', 0), + (60724, 4, 37, 'T-shirt République SA', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":19}},"modelLabel":"T-shirt","colorLabel":"République SA"}', 0), + (60725, 4, 37, 'T-shirt turquoise peint', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":20}},"modelLabel":"T-shirt","colorLabel":"turquoise peint"}', 0), + (60726, 4, 37, 'T-shirt excentrique', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":21}},"modelLabel":"T-shirt","colorLabel":"excentrique"}', 0), + (60727, 4, 37, 'T-shirt rose teint', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":22}},"modelLabel":"T-shirt","colorLabel":"rose teint"}', 0), + (60728, 4, 37, 'T-shirt orange à motifs', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":23}},"modelLabel":"T-shirt","colorLabel":"orange à motifs"}', 0), + (60729, 4, 37, 'T-shirt vert à motifs', 100, '{"components":{"1":{"Drawable":118,"Palette":0,"Texture":24}},"modelLabel":"T-shirt","colorLabel":"vert à motifs"}', 0), + (60730, 4, 39, 'Miteuse crâne', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":0}},"modelLabel":"Miteuse","colorLabel":"crâne"}', 0), + (60731, 4, 39, 'Miteuse gris cendre', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":1}},"modelLabel":"Miteuse","colorLabel":"gris cendre"}', 0), + (60732, 4, 39, 'Miteuse anthracite', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":2}},"modelLabel":"Miteuse","colorLabel":"anthracite"}', 0), + (60733, 4, 39, 'Miteuse chocolat', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":3}},"modelLabel":"Miteuse","colorLabel":"chocolat"}', 0), + (60734, 4, 39, 'Miteuse bleu', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":4}},"modelLabel":"Miteuse","colorLabel":"bleu"}', 0), + (60735, 4, 39, 'Miteuse toile de jute', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":5}},"modelLabel":"Miteuse","colorLabel":"toile de jute"}', 0), + (60736, 4, 39, 'Miteuse rouge foncé', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":6}},"modelLabel":"Miteuse","colorLabel":"rouge foncé"}', 0), + (60737, 4, 39, 'Miteuse vert clair', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":7}},"modelLabel":"Miteuse","colorLabel":"vert clair"}', 0), + (60738, 4, 39, 'Miteuse beige rayé', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":8}},"modelLabel":"Miteuse","colorLabel":"beige rayé"}', 0), + (60739, 4, 39, 'Miteuse rasta rayé', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":9}},"modelLabel":"Miteuse","colorLabel":"rasta rayé"}', 0), + (60740, 4, 39, 'Miteuse trio rayé', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":10}},"modelLabel":"Miteuse","colorLabel":"trio rayé"}', 0), + (60741, 4, 39, 'Miteuse orange rayé', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":11}},"modelLabel":"Miteuse","colorLabel":"orange rayé"}', 0), + (60742, 4, 39, 'Miteuse léopard magenta', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":12}},"modelLabel":"Miteuse","colorLabel":"léopard magenta"}', 0), + (60743, 4, 39, 'Miteuse couleurs vives', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":13}},"modelLabel":"Miteuse","colorLabel":"couleurs vives"}', 0), + (60744, 4, 39, 'Miteuse de skate', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":14}},"modelLabel":"Miteuse","colorLabel":"de skate"}', 0), + (60745, 4, 39, 'Miteuse rose', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":15}},"modelLabel":"Miteuse","colorLabel":"rose"}', 0), + (60746, 4, 39, 'Miteuse camo turquoise', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":16}},"modelLabel":"Miteuse","colorLabel":"camo turquoise"}', 0), + (60747, 4, 39, 'Miteuse gris pixels', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":17}},"modelLabel":"Miteuse","colorLabel":"gris pixels"}', 0), + (60748, 4, 39, 'Miteuse gris forêt', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":18}},"modelLabel":"Miteuse","colorLabel":"gris forêt"}', 0), + (60749, 4, 39, 'Miteuse ravissante', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":19}},"modelLabel":"Miteuse","colorLabel":"ravissante"}', 0), + (60750, 4, 39, 'Miteuse sombre fluo', 100, '{"components":{"1":{"Drawable":119,"Palette":0,"Texture":20}},"modelLabel":"Miteuse","colorLabel":"sombre fluo"}', 0), + (60751, 4, 34, 'Emotions dément lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":0}},"modelLabel":"Emotions","colorLabel":"dément lumineux"}', 0), + (60752, 4, 34, 'Emotions dément électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":1}},"modelLabel":"Emotions","colorLabel":"dément électrique"}', 0), + (60753, 4, 34, 'Emotions dément néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":2}},"modelLabel":"Emotions","colorLabel":"dément néon"}', 0), + (60754, 4, 34, 'Emotions amusé électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":3}},"modelLabel":"Emotions","colorLabel":"amusé électrique"}', 0), + (60755, 4, 34, 'Emotions amusé lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":4}},"modelLabel":"Emotions","colorLabel":"amusé lumineux"}', 0), + (60756, 4, 34, 'Emotions amusé néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":5}},"modelLabel":"Emotions","colorLabel":"amusé néon"}', 0), + (60757, 4, 34, 'Emotions furieux lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":6}},"modelLabel":"Emotions","colorLabel":"furieux lumineux"}', 0), + (60758, 4, 34, 'Emotions furieux électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":7}},"modelLabel":"Emotions","colorLabel":"furieux électrique"}', 0), + (60759, 4, 34, 'Emotions furieux néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":8}},"modelLabel":"Emotions","colorLabel":"furieux néon"}', 0), + (60760, 4, 34, 'Emotions ravi néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":9}},"modelLabel":"Emotions","colorLabel":"ravi néon"}', 0), + (60761, 4, 34, 'Emotions ravi lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":10}},"modelLabel":"Emotions","colorLabel":"ravi lumineux"}', 0), + (60762, 4, 34, 'Emotions ravi électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":11}},"modelLabel":"Emotions","colorLabel":"ravi électrique"}', 0), + (60763, 4, 34, 'Emotions paisible néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":12}},"modelLabel":"Emotions","colorLabel":"paisible néon"}', 0), + (60764, 4, 34, 'Emotions paisible électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":13}},"modelLabel":"Emotions","colorLabel":"paisible électrique"}', 0), + (60765, 4, 34, 'Emotions paisible lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":14}},"modelLabel":"Emotions","colorLabel":"paisible lumineux"}', 0), + (60766, 4, 34, 'Emotions transcendant lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":15}},"modelLabel":"Emotions","colorLabel":"transcendant lumineux"}', 0), + (60767, 4, 34, 'Emotions transcendant électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":16}},"modelLabel":"Emotions","colorLabel":"transcendant électrique"}', 0), + (60768, 4, 34, 'Emotions transcendant néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":17}},"modelLabel":"Emotions","colorLabel":"transcendant néon"}', 0), + (60769, 4, 34, 'Emotions tribal électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":18}},"modelLabel":"Emotions","colorLabel":"tribal électrique"}', 0), + (60770, 4, 34, 'Emotions tribal lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":19}},"modelLabel":"Emotions","colorLabel":"tribal lumineux"}', 0), + (60771, 4, 34, 'Emotions tribal néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":20}},"modelLabel":"Emotions","colorLabel":"tribal néon"}', 0), + (60772, 4, 34, 'Emotions Iwazaru lumineux', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":21}},"modelLabel":"Emotions","colorLabel":"Iwazaru lumineux"}', 0), + (60773, 4, 34, 'Emotions Iwazaru électrique', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":22}},"modelLabel":"Emotions","colorLabel":"Iwazaru électrique"}', 0), + (60774, 4, 34, 'Emotions Iwazaru néon', 250, '{"components":{"1":{"Drawable":124,"Palette":0,"Texture":23}},"modelLabel":"Emotions","colorLabel":"Iwazaru néon"}', 0), + (60775, 4, 37, 'Cuirassé uni noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":0}},"modelLabel":"Cuirassé","colorLabel":"uni noir"}', 0), + (60776, 4, 37, 'Cuirassé uni gris', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":1}},"modelLabel":"Cuirassé","colorLabel":"uni gris"}', 0), + (60777, 4, 37, 'Cuirassé uni blanc', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":2}},"modelLabel":"Cuirassé","colorLabel":"uni blanc"}', 0), + (60778, 4, 37, 'Cuirassé uni sable', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":3}},"modelLabel":"Cuirassé","colorLabel":"uni sable"}', 0), + (60779, 4, 37, 'Cuirassé uni vert', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":4}},"modelLabel":"Cuirassé","colorLabel":"uni vert"}', 0), + (60780, 4, 37, 'Cuirassé uni marron', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":5}},"modelLabel":"Cuirassé","colorLabel":"uni marron"}', 0), + (60781, 4, 37, 'Cuirassé uni mauve', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":6}},"modelLabel":"Cuirassé","colorLabel":"uni mauve"}', 0), + (60782, 4, 37, 'Cuirassé uni rose', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":7}},"modelLabel":"Cuirassé","colorLabel":"uni rose"}', 0), + (60783, 4, 37, 'Cuirassé à lunettes sable', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":8}},"modelLabel":"Cuirassé","colorLabel":"à lunettes sable"}', 0), + (60784, 4, 37, 'Cuirassé à lunettes rouge', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":9}},"modelLabel":"Cuirassé","colorLabel":"à lunettes rouge"}', 0), + (60785, 4, 37, 'Cuirassé carbone noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":10}},"modelLabel":"Cuirassé","colorLabel":"carbone noir"}', 0), + (60786, 4, 37, 'Cuirassé carbone sable', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":11}},"modelLabel":"Cuirassé","colorLabel":"carbone sable"}', 0), + (60787, 4, 37, 'Cuirassé crânien', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":12}},"modelLabel":"Cuirassé","colorLabel":"crânien"}', 0), + (60788, 4, 37, 'Cuirassé camouflage', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":13}},"modelLabel":"Cuirassé","colorLabel":"camouflage"}', 0), + (60789, 4, 37, 'Cuirassé éclats', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":14}},"modelLabel":"Cuirassé","colorLabel":"éclats"}', 0), + (60790, 4, 37, 'Cuirassé rouge et noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":15}},"modelLabel":"Cuirassé","colorLabel":"rouge et noir"}', 0), + (60791, 4, 37, 'Cuirassé bleu et noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":16}},"modelLabel":"Cuirassé","colorLabel":"bleu et noir"}', 0), + (60792, 4, 37, 'Cuirassé jaune et noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":17}},"modelLabel":"Cuirassé","colorLabel":"jaune et noir"}', 0), + (60793, 4, 37, 'Cuirassé orange et noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":18}},"modelLabel":"Cuirassé","colorLabel":"orange et noir"}', 0), + (60794, 4, 37, 'Cuirassé blanc et noir', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":19}},"modelLabel":"Cuirassé","colorLabel":"blanc et noir"}', 0), + (60795, 4, 37, 'Cuirassé bande rouge', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":20}},"modelLabel":"Cuirassé","colorLabel":"bande rouge"}', 0), + (60796, 4, 37, 'Cuirassé bande noire', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":21}},"modelLabel":"Cuirassé","colorLabel":"bande noire"}', 0), + (60797, 4, 37, 'Cuirassé blanc cassé et rouge', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":22}},"modelLabel":"Cuirassé","colorLabel":"blanc cassé et rouge"}', 0), + (60798, 4, 37, 'Cuirassé rouge', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":23}},"modelLabel":"Cuirassé","colorLabel":"rouge"}', 0), + (60799, 4, 37, 'Cuirassé marron pixels', 100, '{"components":{"1":{"Drawable":125,"Palette":0,"Texture":24}},"modelLabel":"Cuirassé","colorLabel":"marron pixels"}', 0), + (60800, 4, 37, 'Forces spéciales noir', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":0}},"modelLabel":"Forces spéciales","colorLabel":"noir"}', 0), + (60801, 4, 37, 'Forces spéciales carbone', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":1}},"modelLabel":"Forces spéciales","colorLabel":"carbone"}', 0), + (60802, 4, 37, 'Forces spéciales écailles', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":2}},"modelLabel":"Forces spéciales","colorLabel":"écailles"}', 0), + (60803, 4, 37, 'Forces spéciales beige pixels', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":3}},"modelLabel":"Forces spéciales","colorLabel":"beige pixels"}', 0), + (60804, 4, 37, 'Forces spéciales camo turquoise', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":4}},"modelLabel":"Forces spéciales","colorLabel":"camo turquoise"}', 0), + (60805, 4, 37, 'Forces spéciales éclats', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":5}},"modelLabel":"Forces spéciales","colorLabel":"éclats"}', 0), + (60806, 4, 37, 'Forces spéciales uni éclats', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":6}},"modelLabel":"Forces spéciales","colorLabel":"uni éclats"}', 0), + (60807, 4, 37, 'Forces spéciales gris forêt', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":7}},"modelLabel":"Forces spéciales","colorLabel":"gris forêt"}', 0), + (60808, 4, 37, 'Forces spéciales sombre forêt', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":8}},"modelLabel":"Forces spéciales","colorLabel":"sombre forêt"}', 0), + (60809, 4, 37, 'Forces spéciales crâne électrique', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":9}},"modelLabel":"Forces spéciales","colorLabel":"crâne électrique"}', 0), + (60810, 4, 37, 'Forces spéciales LSPD', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":10}},"modelLabel":"Forces spéciales","colorLabel":"LSPD"}', 0), + (60811, 4, 37, 'Forces spéciales crâne orné', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":11}},"modelLabel":"Forces spéciales","colorLabel":"crâne orné"}', 0), + (60812, 4, 37, 'Forces spéciales à rayures', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":12}},"modelLabel":"Forces spéciales","colorLabel":"à rayures"}', 0), + (60813, 4, 37, 'Forces spéciales opéra', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":13}},"modelLabel":"Forces spéciales","colorLabel":"opéra"}', 0), + (60814, 4, 37, 'Forces spéciales vert', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":14}},"modelLabel":"Forces spéciales","colorLabel":"vert"}', 0), + (60815, 4, 37, 'Forces spéciales marron', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":15}},"modelLabel":"Forces spéciales","colorLabel":"marron"}', 0), + (60816, 4, 37, 'Forces spéciales mauve', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":16}},"modelLabel":"Forces spéciales","colorLabel":"mauve"}', 0), + (60817, 4, 37, 'Forces spéciales rose', 100, '{"components":{"1":{"Drawable":126,"Palette":0,"Texture":17}},"modelLabel":"Forces spéciales","colorLabel":"rose"}', 0), + (60818, 4, 37, 'P\'tit biscuit vert', 100, '{"components":{"1":{"Drawable":127,"Palette":0,"Texture":0}},"modelLabel":"P\'tit biscuit","colorLabel":"vert"}', 0), + (60819, 4, 37, 'P\'tit biscuit rouge', 100, '{"components":{"1":{"Drawable":127,"Palette":0,"Texture":1}},"modelLabel":"P\'tit biscuit","colorLabel":"rouge"}', 0), + (60820, 4, 37, 'P\'tit biscuit violet', 100, '{"components":{"1":{"Drawable":127,"Palette":0,"Texture":2}},"modelLabel":"P\'tit biscuit","colorLabel":"violet"}', 0), + (60821, 4, 37, 'P\'tit biscuit jaune', 100, '{"components":{"1":{"Drawable":127,"Palette":0,"Texture":3}},"modelLabel":"P\'tit biscuit","colorLabel":"jaune"}', 0), + (60822, 4, 37, 'Faux visage gris forêt', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":0}},"modelLabel":"Faux visage","colorLabel":"gris forêt"}', 0), + (60823, 4, 37, 'Faux visage camo. turquoise', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":1}},"modelLabel":"Faux visage","colorLabel":"camo. turquoise"}', 0), + (60824, 4, 37, 'Faux visage gros titre', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":2}},"modelLabel":"Faux visage","colorLabel":"gros titre"}', 0), + (60825, 4, 37, 'Faux visage éclats', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":3}},"modelLabel":"Faux visage","colorLabel":"éclats"}', 0), + (60826, 4, 37, 'Faux visage marron pixels', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":4}},"modelLabel":"Faux visage","colorLabel":"marron pixels"}', 0), + (60827, 4, 37, 'Faux visage rayé camo. forêt', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":5}},"modelLabel":"Faux visage","colorLabel":"rayé camo. forêt"}', 0), + (60828, 4, 37, 'Faux visage camo. forêt pavés', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":6}},"modelLabel":"Faux visage","colorLabel":"camo. forêt pavés"}', 0), + (60829, 4, 37, 'Faux visage soleil levant', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":7}},"modelLabel":"Faux visage","colorLabel":"soleil levant"}', 0), + (60830, 4, 37, 'Faux visage opéra', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":8}},"modelLabel":"Faux visage","colorLabel":"opéra"}', 0), + (60831, 4, 37, 'Faux visage patriotique', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":9}},"modelLabel":"Faux visage","colorLabel":"patriotique"}', 0), + (60832, 4, 37, 'Faux visage vert à motif', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":10}},"modelLabel":"Faux visage","colorLabel":"vert à motif"}', 0), + (60833, 4, 37, 'Faux visage gothique', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":11}},"modelLabel":"Faux visage","colorLabel":"gothique"}', 0), + (60834, 4, 37, 'Faux visage vert', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":12}},"modelLabel":"Faux visage","colorLabel":"vert"}', 0), + (60835, 4, 37, 'Faux visage orange', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":13}},"modelLabel":"Faux visage","colorLabel":"orange"}', 0), + (60836, 4, 37, 'Faux visage mauve', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":14}},"modelLabel":"Faux visage","colorLabel":"mauve"}', 0), + (60837, 4, 37, 'Faux visage rose', 100, '{"components":{"1":{"Drawable":128,"Palette":0,"Texture":15}},"modelLabel":"Faux visage","colorLabel":"rose"}', 0), + (60838, 4, 37, 'Masque à gaz gris', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":0}},"modelLabel":"Masque à gaz","colorLabel":"gris"}', 0), + (60839, 4, 37, 'Masque à gaz carbone', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":1}},"modelLabel":"Masque à gaz","colorLabel":"carbone"}', 0), + (60840, 4, 37, 'Masque à gaz beige pixels', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":2}},"modelLabel":"Masque à gaz","colorLabel":"beige pixels"}', 0), + (60841, 4, 37, 'Masque à gaz camo. turquoise', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":3}},"modelLabel":"Masque à gaz","colorLabel":"camo. turquoise"}', 0), + (60842, 4, 37, 'Masque à gaz éclats', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":4}},"modelLabel":"Masque à gaz","colorLabel":"éclats"}', 0), + (60843, 4, 37, 'Masque à gaz éclats gris', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":5}},"modelLabel":"Masque à gaz","colorLabel":"éclats gris"}', 0), + (60844, 4, 37, 'Masque à gaz gris rayé', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":6}},"modelLabel":"Masque à gaz","colorLabel":"gris rayé"}', 0), + (60845, 4, 37, 'Masque à gaz ray. vert mousse', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":7}},"modelLabel":"Masque à gaz","colorLabel":"ray. vert mousse"}', 0), + (60846, 4, 37, 'Masque à gaz camo. pêche', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":8}},"modelLabel":"Masque à gaz","colorLabel":"camo. pêche"}', 0), + (60847, 4, 37, 'Masque à gaz forêt pixels', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":9}},"modelLabel":"Masque à gaz","colorLabel":"forêt pixels"}', 0), + (60848, 4, 37, 'Masque à gaz crâne', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":10}},"modelLabel":"Masque à gaz","colorLabel":"crâne"}', 0), + (60849, 4, 37, 'Masque à gaz industriel blanc', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":11}},"modelLabel":"Masque à gaz","colorLabel":"industriel blanc"}', 0), + (60850, 4, 37, 'Masque à gaz industriel jaune', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":12}},"modelLabel":"Masque à gaz","colorLabel":"industriel jaune"}', 0), + (60851, 4, 37, 'Masque à gaz industriel orange', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":13}},"modelLabel":"Masque à gaz","colorLabel":"industriel orange"}', 0), + (60852, 4, 37, 'Masque à gaz vert', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":14}},"modelLabel":"Masque à gaz","colorLabel":"vert"}', 0), + (60853, 4, 37, 'Masque à gaz marron', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":15}},"modelLabel":"Masque à gaz","colorLabel":"marron"}', 0), + (60854, 4, 37, 'Masque à gaz mauve', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":16}},"modelLabel":"Masque à gaz","colorLabel":"mauve"}', 0), + (60855, 4, 37, 'Masque à gaz rose', 100, '{"components":{"1":{"Drawable":129,"Palette":0,"Texture":17}},"modelLabel":"Masque à gaz","colorLabel":"rose"}', 0), + (60856, 4, 37, 'Respirateur noir', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":0}},"modelLabel":"Respirateur","colorLabel":"noir"}', 0), + (60857, 4, 37, 'Respirateur camouflage', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":1}},"modelLabel":"Respirateur","colorLabel":"camouflage"}', 0), + (60858, 4, 37, 'Respirateur gris pixels', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":2}},"modelLabel":"Respirateur","colorLabel":"gris pixels"}', 0), + (60859, 4, 37, 'Respirateur camo. turquoise', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":3}},"modelLabel":"Respirateur","colorLabel":"camo. turquoise"}', 0), + (60860, 4, 37, 'Respirateur éclats', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":4}},"modelLabel":"Respirateur","colorLabel":"éclats"}', 0), + (60861, 4, 37, 'Respirateur éclats gris', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":5}},"modelLabel":"Respirateur","colorLabel":"éclats gris"}', 0), + (60862, 4, 37, 'Respirateur tigré', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":6}},"modelLabel":"Respirateur","colorLabel":"tigré"}', 0), + (60863, 4, 37, 'Respirateur ray. vert mousse', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":7}},"modelLabel":"Respirateur","colorLabel":"ray. vert mousse"}', 0), + (60864, 4, 37, 'Respirateur vert pixels', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":8}},"modelLabel":"Respirateur","colorLabel":"vert pixels"}', 0), + (60865, 4, 37, 'Respirateur pinceau', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":9}},"modelLabel":"Respirateur","colorLabel":"pinceau"}', 0), + (60866, 4, 37, 'Respirateur gris forêt', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":10}},"modelLabel":"Respirateur","colorLabel":"gris forêt"}', 0), + (60867, 4, 37, 'Respirateur pavés', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":11}},"modelLabel":"Respirateur","colorLabel":"pavés"}', 0), + (60868, 4, 37, 'Respirateur camo. contraste', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":12}},"modelLabel":"Respirateur","colorLabel":"camo. contraste"}', 0), + (60869, 4, 37, 'Respirateur vipère', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":13}},"modelLabel":"Respirateur","colorLabel":"vipère"}', 0), + (60870, 4, 37, 'Respirateur quadrillé', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":14}},"modelLabel":"Respirateur","colorLabel":"quadrillé"}', 0), + (60871, 4, 37, 'Respirateur vert', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":15}},"modelLabel":"Respirateur","colorLabel":"vert"}', 0), + (60872, 4, 37, 'Respirateur marron', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":16}},"modelLabel":"Respirateur","colorLabel":"marron"}', 0), + (60873, 4, 37, 'Respirateur mauve', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":17}},"modelLabel":"Respirateur","colorLabel":"mauve"}', 0), + (60874, 4, 37, 'Respirateur rose', 100, '{"components":{"1":{"Drawable":130,"Palette":0,"Texture":18}},"modelLabel":"Respirateur","colorLabel":"rose"}', 0), + (60875, 4, 33, 'Krampus odieux', 100, '{"components":{"1":{"Drawable":131,"Palette":0,"Texture":0}},"modelLabel":"Krampus","colorLabel":"odieux"}', 0), + (60876, 4, 33, 'Krampus odieux 1', 100, '{"components":{"1":{"Drawable":131,"Palette":0,"Texture":1}},"modelLabel":"Krampus","colorLabel":"odieux 1"}', 0), + (60877, 4, 33, 'Krampus odieux 2', 100, '{"components":{"1":{"Drawable":131,"Palette":0,"Texture":2}},"modelLabel":"Krampus","colorLabel":"odieux 2"}', 0), + (60878, 4, 33, 'Krampus odieux 3', 100, '{"components":{"1":{"Drawable":131,"Palette":0,"Texture":3}},"modelLabel":"Krampus","colorLabel":"odieux 3"}', 0), + (60879, 4, 37, 'Hockey Bigness SN sombre', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":0}},"modelLabel":"Hockey","colorLabel":"Bigness SN sombre"}', 0), + (60880, 4, 37, 'Hockey Bigness SN bleu', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":1}},"modelLabel":"Hockey","colorLabel":"Bigness SN bleu"}', 0), + (60881, 4, 37, 'Hockey Bigness SN clair', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":2}},"modelLabel":"Hockey","colorLabel":"Bigness SN clair"}', 0), + (60882, 4, 37, 'Hockey Bigness SN mauve', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":3}},"modelLabel":"Hockey","colorLabel":"Bigness SN mauve"}', 0), + (60883, 4, 37, 'Hockey camouflage sombre', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":4}},"modelLabel":"Hockey","colorLabel":"camouflage sombre"}', 0), + (60884, 4, 37, 'Hockey camouflage clair', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":5}},"modelLabel":"Hockey","colorLabel":"camouflage clair"}', 0), + (60885, 4, 37, 'Hockey camouflage mauve', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":6}},"modelLabel":"Hockey","colorLabel":"camouflage mauve"}', 0), + (60886, 4, 37, 'Hockey camouflage forêt', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":7}},"modelLabel":"Hockey","colorLabel":"camouflage forêt"}', 0), + (60887, 4, 37, 'Hockey abstrait', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":8}},"modelLabel":"Hockey","colorLabel":"abstrait"}', 0), + (60888, 4, 37, 'Hockey géométrique', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":9}},"modelLabel":"Hockey","colorLabel":"géométrique"}', 0), + (60889, 4, 37, 'Hockey bleu pixels', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":10}},"modelLabel":"Hockey","colorLabel":"bleu pixels"}', 0), + (60890, 4, 37, 'Hockey gris pixels', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":11}},"modelLabel":"Hockey","colorLabel":"gris pixels"}', 0), + (60891, 4, 37, 'Hockey zébré', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":12}},"modelLabel":"Hockey","colorLabel":"zébré"}', 0), + (60892, 4, 37, 'Hockey Bigness SN losanges', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":13}},"modelLabel":"Hockey","colorLabel":"Bigness SN losanges"}', 0), + (60893, 4, 37, 'Hockey léopard', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":14}},"modelLabel":"Hockey","colorLabel":"léopard"}', 0), + (60894, 4, 37, 'Hockey beige', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":15}},"modelLabel":"Hockey","colorLabel":"beige"}', 0), + (60895, 4, 37, 'Hockey orange', 100, '{"components":{"1":{"Drawable":133,"Palette":0,"Texture":16}},"modelLabel":"Hockey","colorLabel":"orange"}', 0), + (60896, 4, 38, 'Casque spatial blanc', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":0}},"modelLabel":"Casque spatial","colorLabel":"blanc"}', 0), + (60897, 4, 38, 'Casque spatial gris', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":1}},"modelLabel":"Casque spatial","colorLabel":"gris"}', 0), + (60898, 4, 38, 'Casque spatial rouge', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":2}},"modelLabel":"Casque spatial","colorLabel":"rouge"}', 0), + (60899, 4, 38, 'Casque spatial sable', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":3}},"modelLabel":"Casque spatial","colorLabel":"sable"}', 0), + (60900, 4, 38, 'Casque spatial bleu', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":4}},"modelLabel":"Casque spatial","colorLabel":"bleu"}', 0), + (60901, 4, 38, 'Casque spatial vert forêt', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":5}},"modelLabel":"Casque spatial","colorLabel":"vert forêt"}', 0), + (60902, 4, 38, 'Casque spatial noir', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":6}},"modelLabel":"Casque spatial","colorLabel":"noir"}', 0), + (60903, 4, 38, 'Casque spatial jaune', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":7}},"modelLabel":"Casque spatial","colorLabel":"jaune"}', 0), + (60904, 4, 38, 'Casque spatial désert', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":8}},"modelLabel":"Casque spatial","colorLabel":"désert"}', 0), + (60905, 4, 38, 'Casque spatial fuchsia', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":9}},"modelLabel":"Casque spatial","colorLabel":"fuchsia"}', 0), + (60906, 4, 38, 'Casque spatial vert', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":10}},"modelLabel":"Casque spatial","colorLabel":"vert"}', 0), + (60907, 4, 38, 'Casque spatial marron', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":11}},"modelLabel":"Casque spatial","colorLabel":"marron"}', 0), + (60908, 4, 38, 'Casque spatial mauve', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":12}},"modelLabel":"Casque spatial","colorLabel":"mauve"}', 0), + (60909, 4, 38, 'Casque spatial rose', 250, '{"components":{"1":{"Drawable":135,"Palette":0,"Texture":13}},"modelLabel":"Casque spatial","colorLabel":"rose"}', 0), + (60910, 4, 33, 'Bec funeste marron clair', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":0}},"modelLabel":"Bec funeste","colorLabel":"marron clair"}', 0), + (60911, 4, 33, 'Bec funeste blanc', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":1}},"modelLabel":"Bec funeste","colorLabel":"blanc"}', 0), + (60912, 4, 33, 'Bec funeste noir', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":2}},"modelLabel":"Bec funeste","colorLabel":"noir"}', 0), + (60913, 4, 33, 'Bec funeste croix rouge', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":3}},"modelLabel":"Bec funeste","colorLabel":"croix rouge"}', 0), + (60914, 4, 33, 'Bec funeste camo. vert', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":4}},"modelLabel":"Bec funeste","colorLabel":"camo. vert"}', 0), + (60915, 4, 33, 'Bec funeste camo. bleu', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":5}},"modelLabel":"Bec funeste","colorLabel":"camo. bleu"}', 0), + (60916, 4, 33, 'Bec funeste camo. beige', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":6}},"modelLabel":"Bec funeste","colorLabel":"camo. beige"}', 0), + (60917, 4, 33, 'Bec funeste quadrillé', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":7}},"modelLabel":"Bec funeste","colorLabel":"quadrillé"}', 0), + (60918, 4, 33, 'Bec funeste éclats', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":8}},"modelLabel":"Bec funeste","colorLabel":"éclats"}', 0), + (60919, 4, 33, 'Bec funeste plumes rouges', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":9}},"modelLabel":"Bec funeste","colorLabel":"plumes rouges"}', 0), + (60920, 4, 33, 'Bec funeste noir et blanc', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":10}},"modelLabel":"Bec funeste","colorLabel":"noir et blanc"}', 0), + (60921, 4, 33, 'Bec funeste gris cendre', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":11}},"modelLabel":"Bec funeste","colorLabel":"gris cendre"}', 0), + (60922, 4, 33, 'Bec funeste noir et jaune', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":12}},"modelLabel":"Bec funeste","colorLabel":"noir et jaune"}', 0), + (60923, 4, 33, 'Bec funeste rouge et blanc', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":13}},"modelLabel":"Bec funeste","colorLabel":"rouge et blanc"}', 0), + (60924, 4, 33, 'Bec funeste marron et blanc', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":14}},"modelLabel":"Bec funeste","colorLabel":"marron et blanc"}', 0), + (60925, 4, 33, 'Bec funeste marron et jaune', 100, '{"components":{"1":{"Drawable":136,"Palette":0,"Texture":15}},"modelLabel":"Bec funeste","colorLabel":"marron et jaune"}', 0), + (60926, 4, 33, 'Pisteur vert', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":0}},"modelLabel":"Pisteur","colorLabel":"vert"}', 0), + (60927, 4, 33, 'Pisteur marron', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":1}},"modelLabel":"Pisteur","colorLabel":"marron"}', 0), + (60928, 4, 33, 'Pisteur mauve', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":2}},"modelLabel":"Pisteur","colorLabel":"mauve"}', 0), + (60929, 4, 33, 'Pisteur rouge', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":3}},"modelLabel":"Pisteur","colorLabel":"rouge"}', 0), + (60930, 4, 33, 'Pisteur noir', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":4}},"modelLabel":"Pisteur","colorLabel":"noir"}', 0), + (60931, 4, 33, 'Pisteur étoiles', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":5}},"modelLabel":"Pisteur","colorLabel":"étoiles"}', 0), + (60932, 4, 33, 'Pisteur camo. marron', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":6}},"modelLabel":"Pisteur","colorLabel":"camo. marron"}', 0), + (60933, 4, 33, 'Pisteur camo. vert', 100, '{"components":{"1":{"Drawable":137,"Palette":0,"Texture":7}},"modelLabel":"Pisteur","colorLabel":"camo. vert"}', 0), + (60934, 4, 33, 'Pillard orange', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":0}},"modelLabel":"Pillard","colorLabel":"orange"}', 0), + (60935, 4, 33, 'Pillard chocolat', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":1}},"modelLabel":"Pillard","colorLabel":"chocolat"}', 0), + (60936, 4, 33, 'Pillard marron', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":2}},"modelLabel":"Pillard","colorLabel":"marron"}', 0), + (60937, 4, 33, 'Pillard rouge', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":3}},"modelLabel":"Pillard","colorLabel":"rouge"}', 0), + (60938, 4, 33, 'Pillard beige', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":4}},"modelLabel":"Pillard","colorLabel":"beige"}', 0), + (60939, 4, 33, 'Pillard orange vif', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":5}},"modelLabel":"Pillard","colorLabel":"orange vif"}', 0), + (60940, 4, 33, 'Pillard bleu', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":6}},"modelLabel":"Pillard","colorLabel":"bleu"}', 0), + (60941, 4, 33, 'Pillard gris', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":7}},"modelLabel":"Pillard","colorLabel":"gris"}', 0), + (60942, 4, 33, 'Pillard vert', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":8}},"modelLabel":"Pillard","colorLabel":"vert"}', 0), + (60943, 4, 33, 'Pillard camo. marron', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":9}},"modelLabel":"Pillard","colorLabel":"camo. marron"}', 0), + (60944, 4, 33, 'Pillard rouge et gris', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":10}},"modelLabel":"Pillard","colorLabel":"rouge et gris"}', 0), + (60945, 4, 33, 'Pillard orange et gris', 100, '{"components":{"1":{"Drawable":138,"Palette":0,"Texture":11}},"modelLabel":"Pillard","colorLabel":"orange et gris"}', 0), + (60946, 4, 33, 'Envahisseur vert', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":0}},"modelLabel":"Envahisseur","colorLabel":"vert"}', 0), + (60947, 4, 33, 'Envahisseur rouge à tâches', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":1}},"modelLabel":"Envahisseur","colorLabel":"rouge à tâches"}', 0), + (60948, 4, 33, 'Envahisseur blanc', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":2}},"modelLabel":"Envahisseur","colorLabel":"blanc"}', 0), + (60949, 4, 33, 'Envahisseur bleu, cerveau jaune', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":3}},"modelLabel":"Envahisseur","colorLabel":"bleu, cerveau jaune"}', 0), + (60950, 4, 33, 'Envahisseur mauve', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":4}},"modelLabel":"Envahisseur","colorLabel":"mauve"}', 0), + (60951, 4, 33, 'Envahisseur hypno. vert', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":5}},"modelLabel":"Envahisseur","colorLabel":"hypno. vert"}', 0), + (60952, 4, 33, 'Envahisseur hypno. bleu', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":6}},"modelLabel":"Envahisseur","colorLabel":"hypno. bleu"}', 0), + (60953, 4, 33, 'Envahisseur bleu, cerveau rose', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":7}},"modelLabel":"Envahisseur","colorLabel":"bleu, cerveau rose"}', 0), + (60954, 4, 33, 'Envahisseur marron', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":8}},"modelLabel":"Envahisseur","colorLabel":"marron"}', 0), + (60955, 4, 33, 'Envahisseur bleu clair', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":9}},"modelLabel":"Envahisseur","colorLabel":"bleu clair"}', 0), + (60956, 4, 33, 'Envahisseur blanc, cerveau vert', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":10}},"modelLabel":"Envahisseur","colorLabel":"blanc, cerveau vert"}', 0), + (60957, 4, 33, 'Envahisseur vert', 100, '{"components":{"1":{"Drawable":139,"Palette":0,"Texture":11}},"modelLabel":"Envahisseur","colorLabel":"vert"}', 0), + (60958, 4, 33, 'Cyclope jaune, oeil bleu', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":0}},"modelLabel":"Cyclope","colorLabel":"jaune, oeil bleu"}', 0), + (60959, 4, 33, 'Cyclope orange, oeil jaune', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":1}},"modelLabel":"Cyclope","colorLabel":"orange, oeil jaune"}', 0), + (60960, 4, 33, 'Cyclope blanc, oeil marron', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":2}},"modelLabel":"Cyclope","colorLabel":"blanc, oeil marron"}', 0), + (60961, 4, 33, 'Cyclope bleu, oeil bleu', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":3}},"modelLabel":"Cyclope","colorLabel":"bleu, oeil bleu"}', 0), + (60962, 4, 33, 'Cyclope mauve, oeil marron', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":4}},"modelLabel":"Cyclope","colorLabel":"mauve, oeil marron"}', 0), + (60963, 4, 33, 'Cyclope hypno. vert', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":5}},"modelLabel":"Cyclope","colorLabel":"hypno. vert"}', 0), + (60964, 4, 33, 'Cyclope hypno. bleu', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":6}},"modelLabel":"Cyclope","colorLabel":"hypno. bleu"}', 0), + (60965, 4, 33, 'Cyclope hypno. gris', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":7}},"modelLabel":"Cyclope","colorLabel":"hypno. gris"}', 0), + (60966, 4, 33, 'Cyclope rouge, oeil marron', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":8}},"modelLabel":"Cyclope","colorLabel":"rouge, oeil marron"}', 0), + (60967, 4, 33, 'Cyclope violet, oeil violet', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":9}},"modelLabel":"Cyclope","colorLabel":"violet, oeil violet"}', 0), + (60968, 4, 33, 'Cyclope violet, oeil bleu', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":10}},"modelLabel":"Cyclope","colorLabel":"violet, oeil bleu"}', 0), + (60969, 4, 33, 'Cyclope vert, oeil jaune', 100, '{"components":{"1":{"Drawable":140,"Palette":0,"Texture":11}},"modelLabel":"Cyclope","colorLabel":"vert, oeil jaune"}', 0), + (60970, 4, 33, 'Petit alien sable', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":0}},"modelLabel":"Petit alien","colorLabel":"sable"}', 0), + (60971, 4, 33, 'Petit alien rouge', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":1}},"modelLabel":"Petit alien","colorLabel":"rouge"}', 0), + (60972, 4, 33, 'Petit alien blanc', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":2}},"modelLabel":"Petit alien","colorLabel":"blanc"}', 0), + (60973, 4, 33, 'Petit alien bleu à tâches', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":3}},"modelLabel":"Petit alien","colorLabel":"bleu à tâches"}', 0), + (60974, 4, 33, 'Petit alien mauve', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":4}},"modelLabel":"Petit alien","colorLabel":"mauve"}', 0), + (60975, 4, 33, 'Petit alien vert', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":5}},"modelLabel":"Petit alien","colorLabel":"vert"}', 0), + (60976, 4, 33, 'Petit alien bleu', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":6}},"modelLabel":"Petit alien","colorLabel":"bleu"}', 0), + (60977, 4, 33, 'Petit alien gris et jaune', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":7}},"modelLabel":"Petit alien","colorLabel":"gris et jaune"}', 0), + (60978, 4, 33, 'Petit alien noir et orange', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":8}},"modelLabel":"Petit alien","colorLabel":"noir et orange"}', 0), + (60979, 4, 33, 'Petit alien bleu clair', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":9}},"modelLabel":"Petit alien","colorLabel":"bleu clair"}', 0), + (60980, 4, 33, 'Petit alien jaune et blanc', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":10}},"modelLabel":"Petit alien","colorLabel":"jaune et blanc"}', 0), + (60981, 4, 33, 'Petit alien noir et vert', 100, '{"components":{"1":{"Drawable":141,"Palette":0,"Texture":11}},"modelLabel":"Petit alien","colorLabel":"noir et vert"}', 0), + (60982, 4, 37, 'Maraudeur brun', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":0}},"modelLabel":"Maraudeur","colorLabel":"brun"}', 0), + (60983, 4, 37, 'Maraudeur radioactif', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":1}},"modelLabel":"Maraudeur","colorLabel":"radioactif"}', 0), + (60984, 4, 37, 'Maraudeur éclair', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":2}},"modelLabel":"Maraudeur","colorLabel":"éclair"}', 0), + (60985, 4, 37, 'Maraudeur de marque', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":3}},"modelLabel":"Maraudeur","colorLabel":"de marque"}', 0), + (60986, 4, 37, 'Maraudeur tête de mort', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":4}},"modelLabel":"Maraudeur","colorLabel":"tête de mort"}', 0), + (60987, 4, 37, 'Maraudeur bande rouge', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":5}},"modelLabel":"Maraudeur","colorLabel":"bande rouge"}', 0), + (60988, 4, 37, 'Maraudeur jaune', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":6}},"modelLabel":"Maraudeur","colorLabel":"jaune"}', 0), + (60989, 4, 37, 'Maraudeur boule 8', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":7}},"modelLabel":"Maraudeur","colorLabel":"boule 8"}', 0), + (60990, 4, 37, 'Maraudeur flèche noire', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":8}},"modelLabel":"Maraudeur","colorLabel":"flèche noire"}', 0), + (60991, 4, 37, 'Maraudeur étoiles filantes', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":9}},"modelLabel":"Maraudeur","colorLabel":"étoiles filantes"}', 0), + (60992, 4, 37, 'Maraudeur belge', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":10}},"modelLabel":"Maraudeur","colorLabel":"belge"}', 0), + (60993, 4, 37, 'Maraudeur noir et vert', 100, '{"components":{"1":{"Drawable":142,"Palette":0,"Texture":11}},"modelLabel":"Maraudeur","colorLabel":"noir et vert"}', 0), + (60994, 4, 38, 'Paco le taco naturel', 250, '{"components":{"1":{"Drawable":143,"Palette":0,"Texture":0}},"modelLabel":"Paco le taco","colorLabel":"naturel"}', 0), + (60995, 4, 38, 'Burger shot naturel', 250, '{"components":{"1":{"Drawable":144,"Palette":0,"Texture":0}},"modelLabel":"Burger shot","colorLabel":"naturel"}', 0), + (60996, 4, 38, 'Cluckin Bell naturel', 250, '{"components":{"1":{"Drawable":145,"Palette":0,"Texture":0}},"modelLabel":"Cluckin Bell","colorLabel":"naturel"}', 0), + (60997, 4, 38, 'Grand Pogo naturel', 250, '{"components":{"1":{"Drawable":147,"Palette":0,"Texture":0}},"modelLabel":"Grand Pogo","colorLabel":"naturel"}', 0), + (60998, 4, 38, 'Fraise naturel', 250, '{"components":{"1":{"Drawable":149,"Palette":0,"Texture":0}},"modelLabel":"Fraise","colorLabel":"naturel"}', 0), + (60999, 4, 38, 'Citron naturel', 250, '{"components":{"1":{"Drawable":150,"Palette":0,"Texture":0}},"modelLabel":"Citron","colorLabel":"naturel"}', 0), + (61000, 4, 38, 'Framboise naturel', 250, '{"components":{"1":{"Drawable":151,"Palette":0,"Texture":0}},"modelLabel":"Framboise","colorLabel":"naturel"}', 0), + (61001, 4, 38, 'Ananas naturel', 250, '{"components":{"1":{"Drawable":152,"Palette":0,"Texture":0}},"modelLabel":"Ananas","colorLabel":"naturel"}', 0), + (61002, 4, 38, 'Cerise naturel', 250, '{"components":{"1":{"Drawable":153,"Palette":0,"Texture":0}},"modelLabel":"Cerise","colorLabel":"naturel"}', 0), + (61003, 4, 38, 'Lucky Seven naturel', 250, '{"components":{"1":{"Drawable":154,"Palette":0,"Texture":0}},"modelLabel":"Lucky Seven","colorLabel":"naturel"}', 0), + (61004, 4, 38, 'Joker bleu', 250, '{"components":{"1":{"Drawable":155,"Palette":0,"Texture":0}},"modelLabel":"Joker","colorLabel":"bleu"}', 0), + (61005, 4, 38, 'Joker rouge', 250, '{"components":{"1":{"Drawable":155,"Palette":0,"Texture":1}},"modelLabel":"Joker","colorLabel":"rouge"}', 0), + (61006, 4, 38, 'Joker vert', 250, '{"components":{"1":{"Drawable":155,"Palette":0,"Texture":2}},"modelLabel":"Joker","colorLabel":"vert"}', 0), + (61007, 4, 38, 'Joker violet', 250, '{"components":{"1":{"Drawable":155,"Palette":0,"Texture":3}},"modelLabel":"Joker","colorLabel":"violet"}', 0), + (61008, 4, 38, 'Roi coeur', 250, '{"components":{"1":{"Drawable":156,"Palette":0,"Texture":0}},"modelLabel":"Roi","colorLabel":"coeur"}', 0), + (61009, 4, 38, 'Roi trèfle', 250, '{"components":{"1":{"Drawable":156,"Palette":0,"Texture":1}},"modelLabel":"Roi","colorLabel":"trèfle"}', 0), + (61010, 4, 38, 'Roi carreau', 250, '{"components":{"1":{"Drawable":156,"Palette":0,"Texture":2}},"modelLabel":"Roi","colorLabel":"carreau"}', 0), + (61011, 4, 38, 'Roi pique', 250, '{"components":{"1":{"Drawable":156,"Palette":0,"Texture":3}},"modelLabel":"Roi","colorLabel":"pique"}', 0), + (61012, 4, 38, 'Reine coeur', 250, '{"components":{"1":{"Drawable":157,"Palette":0,"Texture":0}},"modelLabel":"Reine","colorLabel":"coeur"}', 0), + (61013, 4, 38, 'Reine trèfle', 250, '{"components":{"1":{"Drawable":157,"Palette":0,"Texture":1}},"modelLabel":"Reine","colorLabel":"trèfle"}', 0), + (61014, 4, 38, 'Reine carreau', 250, '{"components":{"1":{"Drawable":157,"Palette":0,"Texture":2}},"modelLabel":"Reine","colorLabel":"carreau"}', 0), + (61015, 4, 38, 'Reine pique', 250, '{"components":{"1":{"Drawable":157,"Palette":0,"Texture":3}},"modelLabel":"Reine","colorLabel":"pique"}', 0), + (61016, 4, 38, 'Valet coeur', 250, '{"components":{"1":{"Drawable":158,"Palette":0,"Texture":0}},"modelLabel":"Valet","colorLabel":"coeur"}', 0), + (61017, 4, 38, 'Valet trèfle', 250, '{"components":{"1":{"Drawable":158,"Palette":0,"Texture":1}},"modelLabel":"Valet","colorLabel":"trèfle"}', 0), + (61018, 4, 38, 'Valet carreau', 250, '{"components":{"1":{"Drawable":158,"Palette":0,"Texture":2}},"modelLabel":"Valet","colorLabel":"carreau"}', 0), + (61019, 4, 38, 'Valet pique', 250, '{"components":{"1":{"Drawable":158,"Palette":0,"Texture":3}},"modelLabel":"Valet","colorLabel":"pique"}', 0), + (61020, 4, 38, 'As coeur', 250, '{"components":{"1":{"Drawable":159,"Palette":0,"Texture":0}},"modelLabel":"As","colorLabel":"coeur"}', 0), + (61021, 4, 38, 'As trèfle', 250, '{"components":{"1":{"Drawable":159,"Palette":0,"Texture":1}},"modelLabel":"As","colorLabel":"trèfle"}', 0), + (61022, 4, 38, 'As carreau', 250, '{"components":{"1":{"Drawable":159,"Palette":0,"Texture":2}},"modelLabel":"As","colorLabel":"carreau"}', 0), + (61023, 4, 38, 'As pique', 250, '{"components":{"1":{"Drawable":159,"Palette":0,"Texture":3}},"modelLabel":"As","colorLabel":"pique"}', 0), + (61024, 4, 33, 'Sourire de bébé naturel', 100, '{"components":{"1":{"Drawable":160,"Palette":0,"Texture":0}},"modelLabel":"Sourire de bébé","colorLabel":"naturel"}', 0), + (61025, 4, 33, 'Monstruosité naturel', 100, '{"components":{"1":{"Drawable":161,"Palette":0,"Texture":0}},"modelLabel":"Monstruosité","colorLabel":"naturel"}', 0), + (61026, 4, 33, 'Cochonnet naturel', 100, '{"components":{"1":{"Drawable":162,"Palette":0,"Texture":0}},"modelLabel":"Cochonnet","colorLabel":"naturel"}', 0), + (61027, 4, 33, 'Singe naturel', 100, '{"components":{"1":{"Drawable":163,"Palette":0,"Texture":0}},"modelLabel":"Singe","colorLabel":"naturel"}', 0), + (61028, 4, 33, 'Sourire rassurant naturel', 100, '{"components":{"1":{"Drawable":164,"Palette":0,"Texture":0}},"modelLabel":"Sourire rassurant","colorLabel":"naturel"}', 0), + (61029, 4, 33, 'Lapin duveteux naturel', 100, '{"components":{"1":{"Drawable":165,"Palette":0,"Texture":0}},"modelLabel":"Lapin duveteux","colorLabel":"naturel"}', 0), + (61030, 4, 35, 'Respirateur noir', 100, '{"components":{"1":{"Drawable":166,"Palette":0,"Texture":0}},"modelLabel":"Respirateur","colorLabel":"noir"}', 0), + (61031, 4, 35, 'Respirateur jaune', 100, '{"components":{"1":{"Drawable":166,"Palette":0,"Texture":1}},"modelLabel":"Respirateur","colorLabel":"jaune"}', 0), + (61032, 4, 35, 'Respirateur bleu', 100, '{"components":{"1":{"Drawable":166,"Palette":0,"Texture":2}},"modelLabel":"Respirateur","colorLabel":"bleu"}', 0), + (61033, 4, 35, 'Respirateur orange', 100, '{"components":{"1":{"Drawable":166,"Palette":0,"Texture":3}},"modelLabel":"Respirateur","colorLabel":"orange"}', 0), + (61034, 4, 37, 'Sniper naturel', 100, '{"components":{"1":{"Drawable":167,"Palette":0,"Texture":0}},"modelLabel":"Sniper","colorLabel":"naturel"}', 0), + (61035, 4, 33, 'A nu naturel', 100, '{"components":{"1":{"Drawable":168,"Palette":0,"Texture":0}},"modelLabel":"A nu","colorLabel":"naturel"}', 0), + (61036, 4, 36, 'Renard géométrique naturel', 200, '{"components":{"1":{"Drawable":171,"Palette":0,"Texture":0}},"modelLabel":"Renard géométrique","colorLabel":"naturel"}', 0), + (61037, 4, 36, 'Chat géométrique roux-blanc', 200, '{"components":{"1":{"Drawable":172,"Palette":0,"Texture":0}},"modelLabel":"Chat géométrique","colorLabel":"roux-blanc"}', 0), + (61038, 4, 36, 'Chat géométrique gris-blanc', 200, '{"components":{"1":{"Drawable":172,"Palette":0,"Texture":1}},"modelLabel":"Chat géométrique","colorLabel":"gris-blanc"}', 0), + (61039, 4, 36, 'Chat géométrique noir-blanc', 200, '{"components":{"1":{"Drawable":172,"Palette":0,"Texture":2}},"modelLabel":"Chat géométrique","colorLabel":"noir-blanc"}', 0), + (61040, 4, 36, 'Cochon géométrique naturel', 200, '{"components":{"1":{"Drawable":173,"Palette":0,"Texture":0}},"modelLabel":"Cochon géométrique","colorLabel":"naturel"}', 0), + (61041, 4, 39, 'Cagoule cuir gris et rouge', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":0}},"modelLabel":"Cagoule cuir","colorLabel":"gris et rouge"}', 0), + (61042, 4, 39, 'Cagoule cuir cendre et blanc', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":1}},"modelLabel":"Cagoule cuir","colorLabel":"cendre et blanc"}', 0), + (61043, 4, 39, 'Cagoule cuir gris et blanc', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":2}},"modelLabel":"Cagoule cuir","colorLabel":"gris et blanc"}', 0), + (61044, 4, 39, 'Cagoule cuir rouge usé', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":3}},"modelLabel":"Cagoule cuir","colorLabel":"rouge usé"}', 0), + (61045, 4, 39, 'Cagoule cuir jaune usé', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":4}},"modelLabel":"Cagoule cuir","colorLabel":"jaune usé"}', 0), + (61046, 4, 39, 'Cagoule cuir vert usé', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":5}},"modelLabel":"Cagoule cuir","colorLabel":"vert usé"}', 0), + (61047, 4, 39, 'Cagoule cuir volutes noires', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":6}},"modelLabel":"Cagoule cuir","colorLabel":"volutes noires"}', 0), + (61048, 4, 39, 'Cagoule cuir volutes rouges', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":7}},"modelLabel":"Cagoule cuir","colorLabel":"volutes rouges"}', 0), + (61049, 4, 39, 'Cagoule cuir volutes jaunes', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":8}},"modelLabel":"Cagoule cuir","colorLabel":"volutes jaunes"}', 0), + (61050, 4, 39, 'Cagoule cuir pâle', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":9}},"modelLabel":"Cagoule cuir","colorLabel":"pâle"}', 0), + (61051, 4, 39, 'Cagoule cuir lèvres rouges', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":10}},"modelLabel":"Cagoule cuir","colorLabel":"lèvres rouges"}', 0), + (61052, 4, 39, 'Cagoule cuir gris foncé', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":11}},"modelLabel":"Cagoule cuir","colorLabel":"gris foncé"}', 0), + (61053, 4, 39, 'Cagoule cuir rouge', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":12}},"modelLabel":"Cagoule cuir","colorLabel":"rouge"}', 0), + (61054, 4, 39, 'Cagoule cuir cyan', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":13}},"modelLabel":"Cagoule cuir","colorLabel":"cyan"}', 0), + (61055, 4, 39, 'Cagoule cuir rose foncé', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":14}},"modelLabel":"Cagoule cuir","colorLabel":"rose foncé"}', 0), + (61056, 4, 39, 'Cagoule cuir vert', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":15}},"modelLabel":"Cagoule cuir","colorLabel":"vert"}', 0), + (61057, 4, 39, 'Cagoule cuir pêche', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":16}},"modelLabel":"Cagoule cuir","colorLabel":"pêche"}', 0), + (61058, 4, 39, 'Cagoule cuir mauve', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":17}},"modelLabel":"Cagoule cuir","colorLabel":"mauve"}', 0), + (61059, 4, 39, 'Cagoule cuir rose pâle', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":18}},"modelLabel":"Cagoule cuir","colorLabel":"rose pâle"}', 0), + (61060, 4, 39, 'Cagoule cuir ocre brun', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":19}},"modelLabel":"Cagoule cuir","colorLabel":"ocre brun"}', 0), + (61061, 4, 39, 'Cagoule cuir bleu ancien', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":20}},"modelLabel":"Cagoule cuir","colorLabel":"bleu ancien"}', 0), + (61062, 4, 39, 'Cagoule cuir gris', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":21}},"modelLabel":"Cagoule cuir","colorLabel":"gris"}', 0), + (61063, 4, 39, 'Cagoule cuir blanc cassé', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":22}},"modelLabel":"Cagoule cuir","colorLabel":"blanc cassé"}', 0), + (61064, 4, 39, 'Cagoule cuir blanc', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":23}},"modelLabel":"Cagoule cuir","colorLabel":"blanc"}', 0), + (61065, 4, 39, 'Cagoule cuir grège', 100, '{"components":{"1":{"Drawable":174,"Palette":0,"Texture":24}},"modelLabel":"Cagoule cuir","colorLabel":"grège"}', 0), + (61066, 4, 38, 'Respirateur doré', 250, '{"components":{"1":{"Drawable":175,"Palette":0,"Texture":0}},"modelLabel":"Respirateur","colorLabel":"doré"}', 0), + (61067, 4, 38, 'Respirateur orange', 250, '{"components":{"1":{"Drawable":175,"Palette":0,"Texture":1}},"modelLabel":"Respirateur","colorLabel":"orange"}', 0), + (61068, 4, 38, 'Respirateur visière verte', 250, '{"components":{"1":{"Drawable":175,"Palette":0,"Texture":2}},"modelLabel":"Respirateur","colorLabel":"visière verte"}', 0), + (61069, 4, 38, 'Respirateur visière jaune', 250, '{"components":{"1":{"Drawable":175,"Palette":0,"Texture":3}},"modelLabel":"Respirateur","colorLabel":"visière jaune"}', 0), + (61070, 4, 36, 'Chien géométrique doré', 200, '{"components":{"1":{"Drawable":176,"Palette":0,"Texture":0}},"modelLabel":"Chien géométrique","colorLabel":"doré"}', 0), + (61071, 4, 36, 'Chien géométrique blanc', 200, '{"components":{"1":{"Drawable":176,"Palette":0,"Texture":1}},"modelLabel":"Chien géométrique","colorLabel":"blanc"}', 0), + (61072, 4, 36, 'Chien géométrique marron', 200, '{"components":{"1":{"Drawable":176,"Palette":0,"Texture":2}},"modelLabel":"Chien géométrique","colorLabel":"marron"}', 0), + (61073, 4, 36, 'Chien géométrique gris', 200, '{"components":{"1":{"Drawable":176,"Palette":0,"Texture":3}},"modelLabel":"Chien géométrique","colorLabel":"gris"}', 0), + (61074, 4, 37, 'Cuir gris et rouge', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":0}},"modelLabel":"Cuir","colorLabel":"gris et rouge"}', 0), + (61075, 4, 37, 'Cuir cendre et blanc', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":1}},"modelLabel":"Cuir","colorLabel":"cendre et blanc"}', 0), + (61076, 4, 37, 'Cuir gris et blanc', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":2}},"modelLabel":"Cuir","colorLabel":"gris et blanc"}', 0), + (61077, 4, 37, 'Cuir rouge usé', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":3}},"modelLabel":"Cuir","colorLabel":"rouge usé"}', 0), + (61078, 4, 37, 'Cuir jaune usé', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":4}},"modelLabel":"Cuir","colorLabel":"jaune usé"}', 0), + (61079, 4, 37, 'Cuir vert usé', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":5}},"modelLabel":"Cuir","colorLabel":"vert usé"}', 0), + (61080, 4, 37, 'Cuir volutes noires', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":6}},"modelLabel":"Cuir","colorLabel":"volutes noires"}', 0), + (61081, 4, 37, 'Cuir volutes rouges', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":7}},"modelLabel":"Cuir","colorLabel":"volutes rouges"}', 0), + (61082, 4, 37, 'Cuir volutes jaunes', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":8}},"modelLabel":"Cuir","colorLabel":"volutes jaunes"}', 0), + (61083, 4, 37, 'Cuir pâle', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":9}},"modelLabel":"Cuir","colorLabel":"pâle"}', 0), + (61084, 4, 37, 'Cuir lèvres rouges', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":10}},"modelLabel":"Cuir","colorLabel":"lèvres rouges"}', 0), + (61085, 4, 37, 'Cuir gris foncé', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":11}},"modelLabel":"Cuir","colorLabel":"gris foncé"}', 0), + (61086, 4, 37, 'Cuir rouge', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":12}},"modelLabel":"Cuir","colorLabel":"rouge"}', 0), + (61087, 4, 37, 'Cuir cyan', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":13}},"modelLabel":"Cuir","colorLabel":"cyan"}', 0), + (61088, 4, 37, 'Cuir rose foncé', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":14}},"modelLabel":"Cuir","colorLabel":"rose foncé"}', 0), + (61089, 4, 37, 'Cuir vert', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":15}},"modelLabel":"Cuir","colorLabel":"vert"}', 0), + (61090, 4, 37, 'Cuir pêche', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":16}},"modelLabel":"Cuir","colorLabel":"pêche"}', 0), + (61091, 4, 37, 'Cuir mauve', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":17}},"modelLabel":"Cuir","colorLabel":"mauve"}', 0), + (61092, 4, 37, 'Cuir rose pâle', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":18}},"modelLabel":"Cuir","colorLabel":"rose pâle"}', 0), + (61093, 4, 37, 'Cuir ocre brun', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":19}},"modelLabel":"Cuir","colorLabel":"ocre brun"}', 0), + (61094, 4, 37, 'Cuir bleu ancien', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":20}},"modelLabel":"Cuir","colorLabel":"bleu ancien"}', 0), + (61095, 4, 37, 'Cuir gris', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":21}},"modelLabel":"Cuir","colorLabel":"gris"}', 0), + (61096, 4, 37, 'Cuir blanc cassé', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":22}},"modelLabel":"Cuir","colorLabel":"blanc cassé"}', 0), + (61097, 4, 37, 'Cuir blanc', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":23}},"modelLabel":"Cuir","colorLabel":"blanc"}', 0), + (61098, 4, 37, 'Cuir grège', 100, '{"components":{"1":{"Drawable":178,"Palette":0,"Texture":24}},"modelLabel":"Cuir","colorLabel":"grège"}', 0), + (61099, 4, 37, 'Smiley sourire', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":0}},"modelLabel":"Smiley","colorLabel":"sourire"}', 0), + (61100, 4, 37, 'Smiley pleurs', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":1}},"modelLabel":"Smiley","colorLabel":"pleurs"}', 0), + (61101, 4, 37, 'Smiley rire', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":2}},"modelLabel":"Smiley","colorLabel":"rire"}', 0), + (61102, 4, 37, 'Smiley grimace', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":3}},"modelLabel":"Smiley","colorLabel":"grimace"}', 0), + (61103, 4, 37, 'Smiley amour', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":4}},"modelLabel":"Smiley","colorLabel":"amour"}', 0), + (61104, 4, 37, 'Smiley bisou', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":5}},"modelLabel":"Smiley","colorLabel":"bisou"}', 0), + (61105, 4, 37, 'Smiley exclamation', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":6}},"modelLabel":"Smiley","colorLabel":"exclamation"}', 0), + (61106, 4, 37, 'Smiley clin d\'oeil', 100, '{"components":{"1":{"Drawable":179,"Palette":0,"Texture":7}},"modelLabel":"Smiley","colorLabel":"clin d\'oeil"}', 0), + (61107, 4, 33, 'Alien jaune', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":0}},"modelLabel":"Alien","colorLabel":"jaune"}', 0), + (61108, 4, 33, 'Alien rouge à tâches', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":1}},"modelLabel":"Alien","colorLabel":"rouge à tâches"}', 0), + (61109, 4, 33, 'Alien gris', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":2}},"modelLabel":"Alien","colorLabel":"gris"}', 0), + (61110, 4, 33, 'Alien bleu', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":3}},"modelLabel":"Alien","colorLabel":"bleu"}', 0), + (61111, 4, 33, 'Alien mauve', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":4}},"modelLabel":"Alien","colorLabel":"mauve"}', 0), + (61112, 4, 33, 'Alien vert clair', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":5}},"modelLabel":"Alien","colorLabel":"vert clair"}', 0), + (61113, 4, 33, 'Alien bleu à tâches', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":6}},"modelLabel":"Alien","colorLabel":"bleu à tâches"}', 0), + (61114, 4, 33, 'Alien turquoise', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":7}},"modelLabel":"Alien","colorLabel":"turquoise"}', 0), + (61115, 4, 33, 'Alien marron', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":8}},"modelLabel":"Alien","colorLabel":"marron"}', 0), + (61116, 4, 33, 'Alien bleu clair', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":9}},"modelLabel":"Alien","colorLabel":"bleu clair"}', 0), + (61117, 4, 33, 'Alien albinos', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":10}},"modelLabel":"Alien","colorLabel":"albinos"}', 0), + (61118, 4, 33, 'Alien vert à tâches', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":11}},"modelLabel":"Alien","colorLabel":"vert à tâches"}', 0), + (61119, 4, 33, 'Alien préhistorique', 100, '{"components":{"1":{"Drawable":180,"Palette":0,"Texture":12}},"modelLabel":"Alien","colorLabel":"préhistorique"}', 0), + (61120, 4, 36, 'Tortue verte', 200, '{"components":{"1":{"Drawable":181,"Palette":0,"Texture":0}},"modelLabel":"Tortue","colorLabel":"verte"}', 0), + (61121, 4, 36, 'Tortue marron', 200, '{"components":{"1":{"Drawable":181,"Palette":0,"Texture":1}},"modelLabel":"Tortue","colorLabel":"marron"}', 0), + (61122, 4, 36, 'Tortue vert mousse', 200, '{"components":{"1":{"Drawable":181,"Palette":0,"Texture":2}},"modelLabel":"Tortue","colorLabel":"vert mousse"}', 0), + (61123, 4, 36, 'Tortue des marais', 200, '{"components":{"1":{"Drawable":181,"Palette":0,"Texture":3}},"modelLabel":"Tortue","colorLabel":"des marais"}', 0), + (61124, 4, 36, 'Souris blanche', 200, '{"components":{"1":{"Drawable":182,"Palette":0,"Texture":0}},"modelLabel":"Souris","colorLabel":"blanche"}', 0), + (61125, 4, 36, 'Souris marron', 200, '{"components":{"1":{"Drawable":182,"Palette":0,"Texture":1}},"modelLabel":"Souris","colorLabel":"marron"}', 0), + (61126, 4, 36, 'Souris brun clair', 200, '{"components":{"1":{"Drawable":182,"Palette":0,"Texture":2}},"modelLabel":"Souris","colorLabel":"brun clair"}', 0), + (61127, 4, 36, 'Souris grise', 200, '{"components":{"1":{"Drawable":182,"Palette":0,"Texture":3}},"modelLabel":"Souris","colorLabel":"grise"}', 0), + (61128, 4, 37, 'Hockey sourire vert', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":0}},"modelLabel":"Hockey","colorLabel":"sourire vert"}', 0), + (61129, 4, 37, 'Hockey sourire marron', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":1}},"modelLabel":"Hockey","colorLabel":"sourire marron"}', 0), + (61130, 4, 37, 'Hockey sourire bleu', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":2}},"modelLabel":"Hockey","colorLabel":"sourire bleu"}', 0), + (61131, 4, 37, 'Hockey sourire rose', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":3}},"modelLabel":"Hockey","colorLabel":"sourire rose"}', 0), + (61132, 4, 37, 'Hockey sourire pixels vert', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":4}},"modelLabel":"Hockey","colorLabel":"sourire pixels vert"}', 0), + (61133, 4, 37, 'Hockey sourire pixels marron', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":5}},"modelLabel":"Hockey","colorLabel":"sourire pixels marron"}', 0), + (61134, 4, 37, 'Hockey sourire pixels bleu', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":6}},"modelLabel":"Hockey","colorLabel":"sourire pixels bleu"}', 0), + (61135, 4, 37, 'Hockey sourire pixels rose', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":7}},"modelLabel":"Hockey","colorLabel":"sourire pixels rose"}', 0), + (61136, 4, 37, 'Hockey T vert', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":8}},"modelLabel":"Hockey","colorLabel":"T vert"}', 0), + (61137, 4, 37, 'Hockey T orange', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":9}},"modelLabel":"Hockey","colorLabel":"T orange"}', 0), + (61138, 4, 37, 'Hockey T bleu', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":10}},"modelLabel":"Hockey","colorLabel":"T bleu"}', 0), + (61139, 4, 37, 'Hockey T rose', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":11}},"modelLabel":"Hockey","colorLabel":"T rose"}', 0), + (61140, 4, 37, 'Hockey sourire vert', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":12}},"modelLabel":"Hockey","colorLabel":"sourire vert"}', 0), + (61141, 4, 37, 'Hockey sourire orange', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":13}},"modelLabel":"Hockey","colorLabel":"sourire orange"}', 0), + (61142, 4, 37, 'Hockey sourire bleu', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":14}},"modelLabel":"Hockey","colorLabel":"sourire bleu"}', 0), + (61143, 4, 37, 'Hockey sourire rose', 100, '{"components":{"1":{"Drawable":183,"Palette":0,"Texture":15}},"modelLabel":"Hockey","colorLabel":"sourire rose"}', 0), + (61144, 4, 36, 'Hyène marron', 200, '{"components":{"1":{"Drawable":184,"Palette":0,"Texture":0}},"modelLabel":"Hyène","colorLabel":"marron"}', 0), + (61145, 4, 36, 'Hyène grise', 200, '{"components":{"1":{"Drawable":184,"Palette":0,"Texture":1}},"modelLabel":"Hyène","colorLabel":"grise"}', 0), + (61146, 4, 36, 'Hyène grège', 200, '{"components":{"1":{"Drawable":184,"Palette":0,"Texture":2}},"modelLabel":"Hyène","colorLabel":"grège"}', 0), + (61147, 4, 36, 'Hyène gris foncé', 200, '{"components":{"1":{"Drawable":184,"Palette":0,"Texture":3}},"modelLabel":"Hyène","colorLabel":"gris foncé"}', 0), + (61148, 4, 39, 'Cagoule tactique noir', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":0}},"modelLabel":"Cagoule tactique","colorLabel":"noir"}', 0), + (61149, 4, 39, 'Cagoule tactique blanc', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":1}},"modelLabel":"Cagoule tactique","colorLabel":"blanc"}', 0), + (61150, 4, 39, 'Cagoule tactique gris cendre', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":2}},"modelLabel":"Cagoule tactique","colorLabel":"gris cendre"}', 0), + (61151, 4, 39, 'Cagoule tactique rouge', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":3}},"modelLabel":"Cagoule tactique","colorLabel":"rouge"}', 0), + (61152, 4, 39, 'Cagoule tactique cramoisie', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":4}},"modelLabel":"Cagoule tactique","colorLabel":"cramoisie"}', 0), + (61153, 4, 39, 'Cagoule tactique crème', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":5}},"modelLabel":"Cagoule tactique","colorLabel":"crème"}', 0), + (61154, 4, 39, 'Cagoule tactique vert pixels', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":6}},"modelLabel":"Cagoule tactique","colorLabel":"vert pixels"}', 0), + (61155, 4, 39, 'Cagoule tactique camo. marron', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":7}},"modelLabel":"Cagoule tactique","colorLabel":"camo. marron"}', 0), + (61156, 4, 39, 'Cagoule tactique camo. gris', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":8}},"modelLabel":"Cagoule tactique","colorLabel":"camo. gris"}', 0), + (61157, 4, 39, 'Cagoule tactique camo. désert', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":9}},"modelLabel":"Cagoule tactique","colorLabel":"camo. désert"}', 0), + (61158, 4, 39, 'Cagoule tactique camo. forêt', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":10}},"modelLabel":"Cagoule tactique","colorLabel":"camo. forêt"}', 0), + (61159, 4, 39, 'Cagoule tactique camo. bleu', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":11}},"modelLabel":"Cagoule tactique","colorLabel":"camo. bleu"}', 0), + (61160, 4, 39, 'Cagoule tactique camo. grège', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":12}},"modelLabel":"Cagoule tactique","colorLabel":"camo. grège"}', 0), + (61161, 4, 39, 'Cagoule tactique camo. vert', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":13}},"modelLabel":"Cagoule tactique","colorLabel":"camo. vert"}', 0), + (61162, 4, 39, 'Cagoule tactique camo. beige', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":14}},"modelLabel":"Cagoule tactique","colorLabel":"camo. beige"}', 0), + (61163, 4, 39, 'Cagoule tactique rouille', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":15}},"modelLabel":"Cagoule tactique","colorLabel":"rouille"}', 0), + (61164, 4, 39, 'Cagoule tactique bleu', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":16}},"modelLabel":"Cagoule tactique","colorLabel":"bleu"}', 0), + (61165, 4, 39, 'Cagoule tactique jaune', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":17}},"modelLabel":"Cagoule tactique","colorLabel":"jaune"}', 0), + (61166, 4, 39, 'Cagoule tactique vert', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":18}},"modelLabel":"Cagoule tactique","colorLabel":"vert"}', 0), + (61167, 4, 39, 'Cagoule tactique rose', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":19}},"modelLabel":"Cagoule tactique","colorLabel":"rose"}', 0), + (61168, 4, 39, 'Cagoule tactique vert mousse', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":20}},"modelLabel":"Cagoule tactique","colorLabel":"vert mousse"}', 0), + (61169, 4, 39, 'Cagoule tactique vert tâché', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":21}},"modelLabel":"Cagoule tactique","colorLabel":"vert tâché"}', 0), + (61170, 4, 39, 'Cagoule tactique mauve tâché', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":22}},"modelLabel":"Cagoule tactique","colorLabel":"mauve tâché"}', 0), + (61171, 4, 39, 'Cagoule tactique vert éclats', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":23}},"modelLabel":"Cagoule tactique","colorLabel":"vert éclats"}', 0), + (61172, 4, 39, 'Cagoule tactique violet', 100, '{"components":{"1":{"Drawable":185,"Palette":0,"Texture":24}},"modelLabel":"Cagoule tactique","colorLabel":"violet"}', 0), + (61173, 4, 35, 'Masque logo Bigness noir', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":0}},"modelLabel":"Masque logo","colorLabel":"Bigness noir"}', 0), + (61174, 4, 35, 'Masque logo Bigness jaune', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":1}},"modelLabel":"Masque logo","colorLabel":"Bigness jaune"}', 0), + (61175, 4, 35, 'Masque logo VDG jaune', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":2}},"modelLabel":"Masque logo","colorLabel":"VDG jaune"}', 0), + (61176, 4, 35, 'Masque logo VDG gris', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":3}},"modelLabel":"Masque logo","colorLabel":"VDG gris"}', 0), + (61177, 4, 35, 'Masque logo jaune à motifs', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":4}},"modelLabel":"Masque logo","colorLabel":"jaune à motifs"}', 0), + (61178, 4, 35, 'Masque logo noir à motifs', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":5}},"modelLabel":"Masque logo","colorLabel":"noir à motifs"}', 0), + (61179, 4, 35, 'Masque logo Trickster jaune', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":6}},"modelLabel":"Masque logo","colorLabel":"Trickster jaune"}', 0), + (61180, 4, 35, 'Masque logo Trickster noir', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":7}},"modelLabel":"Masque logo","colorLabel":"Trickster noir"}', 0), + (61181, 4, 35, 'Masque logo camo. jaune', 100, '{"components":{"1":{"Drawable":186,"Palette":0,"Texture":8}},"modelLabel":"Masque logo","colorLabel":"camo. jaune"}', 0), + (61182, 4, 37, 'Masque à motifs grotesque marron', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":0}},"modelLabel":"Masque à motifs","colorLabel":"grotesque marron"}', 0), + (61183, 4, 37, 'Masque à motifs grotesque bleu', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":1}},"modelLabel":"Masque à motifs","colorLabel":"grotesque bleu"}', 0), + (61184, 4, 37, 'Masque à motifs flammes rouge', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":2}},"modelLabel":"Masque à motifs","colorLabel":"flammes rouge"}', 0), + (61185, 4, 37, 'Masque à motifs flammes bleues', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":3}},"modelLabel":"Masque à motifs","colorLabel":"flammes bleues"}', 0), + (61186, 4, 37, 'Masque à motifs île', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":4}},"modelLabel":"Masque à motifs","colorLabel":"île"}', 0), + (61187, 4, 37, 'Masque à motifs empreinte de main', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":5}},"modelLabel":"Masque à motifs","colorLabel":"empreinte de main"}', 0), + (61188, 4, 37, 'Masque à motifs sourire vert', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":6}},"modelLabel":"Masque à motifs","colorLabel":"sourire vert"}', 0), + (61189, 4, 37, 'Masque à motifs sourire rouge', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":7}},"modelLabel":"Masque à motifs","colorLabel":"sourire rouge"}', 0), + (61190, 4, 37, 'Masque à motifs sourire jaune', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":8}},"modelLabel":"Masque à motifs","colorLabel":"sourire jaune"}', 0), + (61191, 4, 37, 'Masque à motifs tribal rouge', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":9}},"modelLabel":"Masque à motifs","colorLabel":"tribal rouge"}', 0), + (61192, 4, 37, 'Masque à motifs tribal blanc', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":10}},"modelLabel":"Masque à motifs","colorLabel":"tribal blanc"}', 0), + (61193, 4, 37, 'Masque à motifs tribal noir', 100, '{"components":{"1":{"Drawable":188,"Palette":0,"Texture":11}},"modelLabel":"Masque à motifs","colorLabel":"tribal noir"}', 0), + (61194, 4, 33, 'Crâne à cornes blanc', 100, '{"components":{"1":{"Drawable":190,"Palette":0,"Texture":0}},"modelLabel":"Crâne à cornes","colorLabel":"blanc"}', 0), + (61195, 4, 33, 'Crâne à cornes sombre', 100, '{"components":{"1":{"Drawable":190,"Palette":0,"Texture":1}},"modelLabel":"Crâne à cornes","colorLabel":"sombre"}', 0), + (61196, 4, 33, 'Crâne à cornes vieilli', 100, '{"components":{"1":{"Drawable":190,"Palette":0,"Texture":2}},"modelLabel":"Crâne à cornes","colorLabel":"vieilli"}', 0), + (61197, 4, 33, 'Crâne à cornes buriné', 100, '{"components":{"1":{"Drawable":190,"Palette":0,"Texture":3}},"modelLabel":"Crâne à cornes","colorLabel":"buriné"}', 0), + (61198, 4, 33, 'Barbelé rapiécé orange', 100, '{"components":{"1":{"Drawable":191,"Palette":0,"Texture":0}},"modelLabel":"Barbelé rapiécé","colorLabel":"orange"}', 0), + (61199, 4, 33, 'Barbelé rapiécé rouge', 100, '{"components":{"1":{"Drawable":191,"Palette":0,"Texture":1}},"modelLabel":"Barbelé rapiécé","colorLabel":"rouge"}', 0), + (61200, 4, 33, 'Barbelé rapiécé blanc', 100, '{"components":{"1":{"Drawable":191,"Palette":0,"Texture":2}},"modelLabel":"Barbelé rapiécé","colorLabel":"blanc"}', 0), + (61201, 4, 33, 'Barbelé rapiécé jaune', 100, '{"components":{"1":{"Drawable":191,"Palette":0,"Texture":3}},"modelLabel":"Barbelé rapiécé","colorLabel":"jaune"}', 0), + (61202, 4, 33, 'Crâne à pointes uni', 100, '{"components":{"1":{"Drawable":192,"Palette":0,"Texture":0}},"modelLabel":"Crâne à pointes","colorLabel":"uni"}', 0), + (61203, 4, 33, 'Crâne à pointes chair', 100, '{"components":{"1":{"Drawable":192,"Palette":0,"Texture":1}},"modelLabel":"Crâne à pointes","colorLabel":"chair"}', 0), + (61204, 4, 33, 'Crâne à pointes vert mousse', 100, '{"components":{"1":{"Drawable":192,"Palette":0,"Texture":2}},"modelLabel":"Crâne à pointes","colorLabel":"vert mousse"}', 0), + (61205, 4, 33, 'Crâne à pointes sombre', 100, '{"components":{"1":{"Drawable":192,"Palette":0,"Texture":3}},"modelLabel":"Crâne à pointes","colorLabel":"sombre"}', 0), + (61206, 4, 36, 'Grizzly naturel', 200, '{"components":{"1":{"Drawable":193,"Palette":0,"Texture":0}},"modelLabel":"Grizzly","colorLabel":"naturel"}', 0), + (61207, 4, 36, 'Poisson orange', 200, '{"components":{"1":{"Drawable":195,"Palette":0,"Texture":0}},"modelLabel":"Poisson","colorLabel":"orange"}', 0), + (61208, 4, 36, 'Poisson violet', 200, '{"components":{"1":{"Drawable":195,"Palette":0,"Texture":1}},"modelLabel":"Poisson","colorLabel":"violet"}', 0), + (61209, 4, 36, 'Poisson bronze', 200, '{"components":{"1":{"Drawable":195,"Palette":0,"Texture":2}},"modelLabel":"Poisson","colorLabel":"bronze"}', 0), + (61210, 4, 36, 'Poisson clown', 200, '{"components":{"1":{"Drawable":195,"Palette":0,"Texture":3}},"modelLabel":"Poisson","colorLabel":"clown"}', 0), + (61211, 4, 36, 'Goéland juvénile', 200, '{"components":{"1":{"Drawable":196,"Palette":0,"Texture":0}},"modelLabel":"Goéland","colorLabel":"juvénile"}', 0), + (61212, 4, 36, 'Goéland fuligineux', 200, '{"components":{"1":{"Drawable":196,"Palette":0,"Texture":1}},"modelLabel":"Goéland","colorLabel":"fuligineux"}', 0), + (61213, 4, 36, 'Goéland à tête noire', 200, '{"components":{"1":{"Drawable":196,"Palette":0,"Texture":2}},"modelLabel":"Goéland","colorLabel":"à tête noire"}', 0), + (61214, 4, 36, 'Goéland argenté', 200, '{"components":{"1":{"Drawable":196,"Palette":0,"Texture":3}},"modelLabel":"Goéland","colorLabel":"argenté"}', 0), + (61215, 4, 36, 'Lion de mer marron', 200, '{"components":{"1":{"Drawable":197,"Palette":0,"Texture":0}},"modelLabel":"Lion de mer","colorLabel":"marron"}', 0), + (61216, 4, 36, 'Lion de mer noir', 200, '{"components":{"1":{"Drawable":197,"Palette":0,"Texture":1}},"modelLabel":"Lion de mer","colorLabel":"noir"}', 0), + (61217, 4, 36, 'Lion de mer tâché', 200, '{"components":{"1":{"Drawable":197,"Palette":0,"Texture":2}},"modelLabel":"Lion de mer","colorLabel":"tâché"}', 0), + (61218, 4, 36, 'Lion de mer gris', 200, '{"components":{"1":{"Drawable":197,"Palette":0,"Texture":3}},"modelLabel":"Lion de mer","colorLabel":"gris"}', 0), + (61219, 4, 33, 'Ent souriant naturel', 100, '{"components":{"1":{"Drawable":198,"Palette":0,"Texture":0}},"modelLabel":"Ent souriant","colorLabel":"naturel"}', 0), + (61220, 4, 33, 'Vampire classique', 100, '{"components":{"1":{"Drawable":199,"Palette":0,"Texture":0}},"modelLabel":"Vampire","colorLabel":"classique"}', 0), + (61221, 4, 33, 'Vampire vintage', 100, '{"components":{"1":{"Drawable":199,"Palette":0,"Texture":1}},"modelLabel":"Vampire","colorLabel":"vintage"}', 0), + (61222, 4, 33, 'Vampire jaune', 100, '{"components":{"1":{"Drawable":199,"Palette":0,"Texture":2}},"modelLabel":"Vampire","colorLabel":"jaune"}', 0), + (61223, 4, 37, 'Masque ensanglanté naturel', 100, '{"components":{"1":{"Drawable":201,"Palette":0,"Texture":0}},"modelLabel":"Masque ensanglanté","colorLabel":"naturel"}', 0), + (61224, 4, 33, 'Ent maléfique naturel', 100, '{"components":{"1":{"Drawable":202,"Palette":0,"Texture":0}},"modelLabel":"Ent maléfique","colorLabel":"naturel"}', 0), + (61225, 4, 36, 'Tigre Sibérie', 200, '{"components":{"1":{"Drawable":203,"Palette":0,"Texture":0}},"modelLabel":"Tigre","colorLabel":"Sibérie"}', 0), + (61226, 4, 36, 'Tigre blanc', 200, '{"components":{"1":{"Drawable":203,"Palette":0,"Texture":1}},"modelLabel":"Tigre","colorLabel":"blanc"}', 0), + (61227, 4, 36, 'Tigre marron', 200, '{"components":{"1":{"Drawable":203,"Palette":0,"Texture":2}},"modelLabel":"Tigre","colorLabel":"marron"}', 0), + (61228, 4, 36, 'Tigre psychédélique', 200, '{"components":{"1":{"Drawable":203,"Palette":0,"Texture":3}},"modelLabel":"Tigre","colorLabel":"psychédélique"}', 0), + (61229, 4, 33, 'Momie blanc', 100, '{"components":{"1":{"Drawable":204,"Palette":0,"Texture":0}},"modelLabel":"Momie","colorLabel":"blanc"}', 0), + (61230, 4, 33, 'Momie vert', 100, '{"components":{"1":{"Drawable":204,"Palette":0,"Texture":1}},"modelLabel":"Momie","colorLabel":"vert"}', 0), + (61231, 4, 33, 'Momie orange', 100, '{"components":{"1":{"Drawable":204,"Palette":0,"Texture":2}},"modelLabel":"Momie","colorLabel":"orange"}', 0), + (61232, 4, 40, 'Citrouille naturel', 200, '{"components":{"1":{"Drawable":205,"Palette":0,"Texture":0}},"modelLabel":"Citrouille","colorLabel":"naturel"}', 0), + (61233, 4, 34, 'Conquête naturel', 250, '{"components":{"1":{"Drawable":206,"Palette":0,"Texture":0}},"modelLabel":"Conquête","colorLabel":"naturel"}', 0), + (61234, 4, 33, 'Frankenstein vert', 100, '{"components":{"1":{"Drawable":207,"Palette":0,"Texture":0}},"modelLabel":"Frankenstein","colorLabel":"vert"}', 0), + (61235, 4, 33, 'Frankenstein marron', 100, '{"components":{"1":{"Drawable":207,"Palette":0,"Texture":1}},"modelLabel":"Frankenstein","colorLabel":"marron"}', 0), + (61236, 4, 33, 'Frankenstein gris', 100, '{"components":{"1":{"Drawable":207,"Palette":0,"Texture":2}},"modelLabel":"Frankenstein","colorLabel":"gris"}', 0), + (61237, 4, 37, 'Démon tech. noir', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":0}},"modelLabel":"Démon tech.","colorLabel":"noir"}', 0), + (61238, 4, 37, 'Démon tech. gris', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":1}},"modelLabel":"Démon tech.","colorLabel":"gris"}', 0), + (61239, 4, 37, 'Démon tech. blanc', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":2}},"modelLabel":"Démon tech.","colorLabel":"blanc"}', 0), + (61240, 4, 37, 'Démon tech. vert', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":3}},"modelLabel":"Démon tech.","colorLabel":"vert"}', 0), + (61241, 4, 37, 'Démon tech. marron', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":4}},"modelLabel":"Démon tech.","colorLabel":"marron"}', 0), + (61242, 4, 37, 'Démon tech. mauve', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":5}},"modelLabel":"Démon tech.","colorLabel":"mauve"}', 0), + (61243, 4, 37, 'Démon tech. rose', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":6}},"modelLabel":"Démon tech.","colorLabel":"rose"}', 0), + (61244, 4, 37, 'Démon tech. motifs rouge', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":7}},"modelLabel":"Démon tech.","colorLabel":"motifs rouge"}', 0), + (61245, 4, 37, 'Démon tech. motifs bleu', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":8}},"modelLabel":"Démon tech.","colorLabel":"motifs bleu"}', 0), + (61246, 4, 37, 'Démon tech. motifs jaune', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":9}},"modelLabel":"Démon tech.","colorLabel":"motifs jaune"}', 0), + (61247, 4, 37, 'Démon tech. motifs vert', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":10}},"modelLabel":"Démon tech.","colorLabel":"motifs vert"}', 0), + (61248, 4, 37, 'Démon tech. motifs rose', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":11}},"modelLabel":"Démon tech.","colorLabel":"motifs rose"}', 0), + (61249, 4, 37, 'Démon tech. orange et blanc 1', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":12}},"modelLabel":"Démon tech.","colorLabel":"orange et blanc 1"}', 0), + (61250, 4, 37, 'Démon tech. rouge', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":13}},"modelLabel":"Démon tech.","colorLabel":"rouge"}', 0), + (61251, 4, 37, 'Démon tech. camo. vert', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":14}},"modelLabel":"Démon tech.","colorLabel":"camo. vert"}', 0), + (61252, 4, 37, 'Démon tech. camo. bleu', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":15}},"modelLabel":"Démon tech.","colorLabel":"camo. bleu"}', 0), + (61253, 4, 37, 'Démon tech. camo. forêt', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":16}},"modelLabel":"Démon tech.","colorLabel":"camo. forêt"}', 0), + (61254, 4, 37, 'Démon tech. jaune à motifs rouges', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":17}},"modelLabel":"Démon tech.","colorLabel":"jaune à motifs rouges"}', 0), + (61255, 4, 37, 'Démon tech. orange et blanc 2', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":18}},"modelLabel":"Démon tech.","colorLabel":"orange et blanc 2"}', 0), + (61256, 4, 37, 'Démon tech. vert et jaune', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":19}},"modelLabel":"Démon tech.","colorLabel":"vert et jaune"}', 0), + (61257, 4, 37, 'Démon tech. rose et blanc', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":20}},"modelLabel":"Démon tech.","colorLabel":"rose et blanc"}', 0), + (61258, 4, 37, 'Démon tech. vert clair et noir', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":21}},"modelLabel":"Démon tech.","colorLabel":"vert clair et noir"}', 0), + (61259, 4, 37, 'Démon tech. fuchsia et blanc', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":22}},"modelLabel":"Démon tech.","colorLabel":"fuchsia et blanc"}', 0), + (61260, 4, 37, 'Démon tech. gris', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":23}},"modelLabel":"Démon tech.","colorLabel":"gris"}', 0), + (61261, 4, 37, 'Démon tech. bleu', 100, '{"components":{"1":{"Drawable":208,"Palette":0,"Texture":24}},"modelLabel":"Démon tech.","colorLabel":"bleu"}', 0); + +SET FOREIGN_KEY_CHECKS=1; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230429184869_add_quads/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230429184869_add_quads/migration.sql new file mode 100644 index 0000000000..9afe3278a1 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230429184869_add_quads/migration.sql @@ -0,0 +1 @@ +UPDATE vehicles SET category='Quads' WHERE model in ('blazer', 'blazer3', 'blazer4') diff --git a/resources/[soz]/soz-core/prisma/migrations/20230516141125_drugs/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230516141125_drugs/migration.sql new file mode 100644 index 0000000000..c516cddc6b --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230516141125_drugs/migration.sql @@ -0,0 +1,52 @@ +-- CreateTable +CREATE TABLE `drugs_seedling` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `drug` VARCHAR(50) NOT NULL, + `location` TEXT NOT NULL, + `created_at` TIMESTAMP NOT NULL, + `nb_water` INTEGER NOT NULL, + `garden` VARCHAR(50), + + PRIMARY KEY (`id`) +); + +CREATE TABLE `drugs_sell_location` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `name` VARCHAR(50) NOT NULL, + `type` VARCHAR(50) NOT NULL, + `zone` TEXT NOT NULL, + + PRIMARY KEY (`id`), + UNIQUE KEY(`name`, `type`) +); + +CREATE TABLE `drugs_garden_guest` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `citizenid` VARCHAR(50) NOT NULL, + `guest` VARCHAR(50) NOT NULL, + + PRIMARY KEY (`id`), + UNIQUE KEY(`citizenid`, `guest`) +); + +INSERT INTO `drugs_sell_location` (`id`, `name`, `type`, `zone`) VALUES + (1, 'El Rancho', 'sell_contract', '{"center": [495.12, -1823.68, 28.87], "heading": 50, "length": 1, "maxZ": 29.87, "minZ":27.87, "width": 0.4}'), + (2, 'Paleto', 'sell_contract', '{"center": [-215.21, 6443.82, 31.31], "heading": 318, "length": 0.4, "maxZ": 32.31, "minZ":30.31, "width": 2.2}'), + (3, 'Mirror Park', 'sell_contract', '{"center": [1257.28, -660.13, 67.75], "heading": 300, "length": 1, "maxZ": 68.75, "minZ": 66.75, "width": 0.6}'), + (4, 'Marathon Avenue', 'sell_contract', '{"center": [-1455.25, -648.20, 33.38], "heading": 35, "length": 1, "maxZ": 34.38, "minZ": 32.38, "width": 0.6}'), + (5, 'Sandy Shores', 'sell_contract', '{"center": [1720.75, 3852.52, 34.81], "heading": 308, "length": 0.4, "maxZ": 35.81, "minZ":33.81, "width": 1.2}'), + (6, 'Chumash', 'sell_contract', '{"center": [-2997.75, 723.61, 28.50], "heading": 23, "length": 1.0, "maxZ": 29.50, "minZ": 27.50, "width": 1.0}'), + (7, 'Forum Drive', 'sell_contract', '{"center": [-129.42, -1646.99, 36.51], "heading": 50, "length": 1.0, "maxZ": 37.51, "minZ": 35.51, "width": 1.0}'), + (8, 'Little Seoul', 'sell_contract', '{"center": [-702.05, -1022.94, 16.11], "heading": 30, "length": 1.0, "maxZ": 17.11, "minZ": 15.11, "width": 1.0}'), + (9, 'Power Street', 'sell_contract', '{"center": [224.25, -160.60, 58.76], "heading": 343, "length": 1, "maxZ": 59.76, "minZ": 57.76, "width": 1}'), + (10, 'Prosperity Street', 'sell_contract', '{"center": [-1122.37, -1045.82, 1.15], "heading": 300, "length": 1.0, "maxZ": 2.15, "minZ": 0.15, "width": 0.4}'), + (11, 'Alta', 'heavy_sell_contract', '{"center": [24.48, -211.52, 52.86], "heading": 0, "length": 8, "maxZ": 54.86, "minZ": 51.86, "width": 8}'), + (12, 'Route 68', 'heavy_sell_contract', '{"center": [-106.37, 2795.83, 52.72], "heading": 0, "length": 8, "maxZ": 54.72, "minZ": 51.72, "width": 8}'), + (13, 'Paleto Boulevard', 'heavy_sell_contract', '{"center": [79.11, 6641.83, 31.24], "heading": 45, "length": 8, "maxZ": 33.24, "minZ": 30.24, "width": 8}'), + (14, 'Marina Drive', 'heavy_sell_contract', '{"center": [377.03, 3586.79, 33.13], "heading": 45, "length": 8, "maxZ": 35.13, "minZ": 32.13, "width": 8}'), + (15, 'Camps des cul nus', 'heavy_sell_contract', '{"center": [-1096.61, 4945.37, 218.12], "heading": -25, "length": 8, "maxZ": 220.12, "minZ": 217.12, "width": 8}'), + (16, 'Carson', 'heavy_sell_contract', '{"center": [410.28, -2069.6, 20.74], "heading": 45, "length": 8, "maxZ": 22.74, "minZ": 19.74, "width": 8}'), + (17, 'Lindsay', 'heavy_sell_contract', '{"center": [-605.8, -1034.84, 21.33], "heading": 0, "length": 8, "maxZ": 23.33, "minZ": 21.74, "width": 8}'), + (18, 'Innocence', 'heavy_sell_contract', '{"center": [-328.74, -1348.71, 30.98], "heading": 0, "length": 8, "maxZ": 32.98, "minZ": 29.98, "width": 8}'), + (19, 'Elgin', 'heavy_sell_contract', '{"center": [548.52, -205.05, 52.89], "heading": 0, "length": 8, "maxZ": 54.89, "minZ": 51.89, "width": 8}'), + (20, 'Grapeseed', 'heavy_sell_contract', '{"center": [1697.02, 4874.31, 41.8], "heading": 0, "length": 8, "maxZ": 43.8, "minZ": 40.8, "width": 8}'); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230524215902_pound/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230524215902_pound/migration.sql new file mode 100644 index 0000000000..f72bca1341 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230524215902_pound/migration.sql @@ -0,0 +1 @@ +ALTER TABLE player_vehicles ADD pound_price INT \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20230527235959_moving_oil_station_CM/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230527235959_moving_oil_station_CM/migration.sql new file mode 100644 index 0000000000..a7361e9ef6 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230527235959_moving_oil_station_CM/migration.sql @@ -0,0 +1,14 @@ +UPDATE fuel_storage +SET position = '{"x": -1907.9, "y": 1996.37, "z": 141.15, "w": 5.00}', + zone = '{ + "position": {"x": -1907.98, "y": 1996.37, "z":141.15}, + "length": 18.6, + "width": 13.4, + "options": { + "name": "Marius_car", + "heading": 0.0, + "minZ": 140.1, + "maxZ": 144.1 + } + }' +WHERE station = 'Marius_car'; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230619190239_add_storage_and_upw_indexes/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230619190239_add_storage_and_upw_indexes/migration.sql new file mode 100644 index 0000000000..3330d167ce --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230619190239_add_storage_and_upw_indexes/migration.sql @@ -0,0 +1,8 @@ +-- AlterTable +ALTER TABLE `player_vehicles` MODIFY `pound_price` INTEGER NULL DEFAULT 0; + +-- CreateIndex +CREATE INDEX `storageTypeOwner` ON `storages`(`name`, `type`, `owner`); + +-- CreateIndex +CREATE INDEX `identifier` ON `upw_facility`(`identifier`); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230627001340_bcso_mapping_update/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230627001340_bcso_mapping_update/migration.sql new file mode 100644 index 0000000000..fbb2ea6d5c --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230627001340_bcso_mapping_update/migration.sql @@ -0,0 +1 @@ +UPDATE persistent_prop SET position='{"x":1851.59,"y":3708.61,"z":32.27,"w":114.77}' where id=101 \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20230703233400_add_cayo_fuel/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230703233400_add_cayo_fuel/migration.sql new file mode 100644 index 0000000000..d35a70731a --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230703233400_add_cayo_fuel/migration.sql @@ -0,0 +1,4 @@ +INSERT INTO fuel_storage (station, fuel, type, owner, stock, price, position, model, zone) +VALUES ('Cayo_heli', 'kerosene', 'public', NULL, 2000, 5, '{"x": 4476.11, "y": -4450.51, "z": 3.04, "w": 20.30}', 1339433404, '{"position": {"x": 4476.11, "y": -4450.51, "z": 3.04}, "length": 20.0, "width": 20.0, "options": { "name": "Cayo_heli", "heading": 25.89, "minZ": 32.57, "maxZ": 38.57}}'); +INSERT INTO fuel_storage (station, fuel, type, owner, stock, price, position, model, zone) +VALUES ('Cayo', 'essence', 'public', NULL, 2000, 1.25, '{"x": 4428.46, "y": -4492.50, "z": 3.21, "w": 293.62}', 1694452750, '{"position": {"x": 4428.46, "y": -4492.50, "z": 3.21}, "length": 20.0, "width": 20.0, "options": { "name": "Cayo", "heading": 25.89, "minZ": 32.57, "maxZ": 38.57}}'); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230704141126_drugs2/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230704141126_drugs2/migration.sql new file mode 100644 index 0000000000..bdb868fe82 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230704141126_drugs2/migration.sql @@ -0,0 +1,3 @@ +ALTER TABLE `drugs_seedling` ADD COLUMN `citizenid` VARCHAR(50) NOT NULL; +ALTER TABLE `drugs_seedling` ADD COLUMN `skillBoost` BOOLEAN NOT NULL; +ALTER TABLE `drugs_seedling` ADD COLUMN `property` INTEGER; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230716194207_add_player_fish/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230716194207_add_player_fish/migration.sql new file mode 100644 index 0000000000..ad807bd0f5 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230716194207_add_player_fish/migration.sql @@ -0,0 +1,25 @@ +-- AlterTable +ALTER TABLE `drugs_seedling` MODIFY `drug` VARCHAR(191) NOT NULL; + +-- CreateTable +CREATE TABLE `player_fish` ( + `citizenId` VARCHAR(50) NOT NULL, + `fishId` VARCHAR(100) NOT NULL, + `quantity` INTEGER NOT NULL, + `maxWidth` INTEGER NOT NULL, + `maxWeight` INTEGER NOT NULL, + `lastFishAt` TIMESTAMP(0) NOT NULL DEFAULT CURRENT_TIMESTAMP(0), + + PRIMARY KEY (`citizenId`, `fishId`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- AddForeignKey +ALTER TABLE `player_fish` ADD CONSTRAINT `FK_fish_player` FOREIGN KEY (`citizenId`) REFERENCES `player`(`citizenid`) ON DELETE CASCADE ON UPDATE CASCADE; + +-- RedefineIndex +CREATE UNIQUE INDEX `drugs_garden_guest_citizenid_guest_key` ON `drugs_garden_guest`(`citizenid`, `guest`); +DROP INDEX `citizenid` ON `drugs_garden_guest`; + +-- RedefineIndex +CREATE UNIQUE INDEX `drugs_sell_location_name_type_key` ON `drugs_sell_location`(`name`, `type`); +DROP INDEX `name` ON `drugs_sell_location`; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230718102420_edit_player_fish/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230718102420_edit_player_fish/migration.sql new file mode 100644 index 0000000000..8137c6ef53 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230718102420_edit_player_fish/migration.sql @@ -0,0 +1,4 @@ +-- AlterTable +ALTER TABLE `player_fish` ADD COLUMN `maxResell` INT(11) NOT NULL AFTER `maxWeight`; + + diff --git a/resources/[soz]/soz-core/prisma/migrations/20230720164304_boats/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230720164304_boats/migration.sql new file mode 100644 index 0000000000..cad04082bc --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230720164304_boats/migration.sql @@ -0,0 +1,39 @@ +ALTER TABLE vehicles ADD maxStock INT; + +UPDATE vehicles SET maxStock = 14 WHERE category = 'Compacts'; +UPDATE vehicles SET maxStock = 10 WHERE category = 'Coupes'; +UPDATE vehicles SET maxStock = 6 WHERE category = 'Muscle'; +UPDATE vehicles SET maxStock = 6 WHERE category = 'Suvs'; +UPDATE vehicles SET maxStock = 10 WHERE category = 'Vans'; +UPDATE vehicles SET maxStock = 10 WHERE category = 'Off-road'; +UPDATE vehicles SET maxStock = 14 WHERE category = 'Sedans'; +UPDATE vehicles SET maxStock = 10 WHERE category = 'Motorcycles'; +UPDATE vehicles SET maxStock = 3 WHERE category = 'Helicopters'; +UPDATE vehicles SET maxStock = 99 WHERE category = 'Cycles'; +UPDATE vehicles SET maxStock = 100 WHERE category = 'Electric'; +UPDATE vehicles SET maxStock = 4 WHERE category = 'Boats'; +UPDATE vehicles SET maxStock = 2 WHERE dealership_id = 'luxury'; + +DELETE FROM vehicles where category = 'Boats'; + +INSERT INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`, `maxStock`) VALUES + ('predator', -488123221, 'Police Predator', 0, 'Boats', NULL, 'boat', 3, NULL, 0, 1, 0), + ('tropic3', 2003915289, 'Tropic CarlJr', 0, 'Boats', NULL, 'boat', 3, NULL, 0, 0, 0), + ('dinghy', 276773164, 'Dinghy', 58000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('jetmax', 861409633, 'Jetmax', 320000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('marquis', -1043459709, 'Marquis', 90000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('seashark', -1030275036, 'Seashark', 8000, 'Boats', 'boat', 'boat', 1, NULL, 0, 0, 0), + ('speeder', 231083307, 'Speeder', 240000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('speeder2', 437538602, 'Seashark Deluxe', 260000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('squalo', 400514754, 'Squalo', 180000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('suntrap', -282946103, 'Suntrap', 34000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('toro', 1070967343, 'Suntrap', 116000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('toro2', 908897389, 'Toro Deluxe', 132000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('tropic', 290013743, 'Tropic', 64000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('tropic2', 1448677353, 'Tropic Deluxe', 74000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0), + ('longfin', 1861786828, 'Longfin', 400000, 'Boats', 'boat', 'boat', 3, NULL, 0, 0, 0); + +INSERT INTO concess_entreprise (job, vehicle, price, category, liverytype) VALUES + ('lspd', 'predator', 50000000, 'Boats', 0), + ('bcso', 'predator', 50000000, 'Boats', 0), + ('taxi', 'tropic3', 50000000, 'Boats', 0); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230721180700_fix_bin_placement/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230721180700_fix_bin_placement/migration.sql new file mode 100644 index 0000000000..38209815e4 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230721180700_fix_bin_placement/migration.sql @@ -0,0 +1 @@ +UPDATE persistent_prop SET position='{"x":-250.96685791015626,"y":-686.8984985351563,"z":32.55152572631836,"w":-216.0}' where id=27 \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20230721194111_shops_add_gloves/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230721194111_shops_add_gloves/migration.sql new file mode 100644 index 0000000000..a301ef19db --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230721194111_shops_add_gloves/migration.sql @@ -0,0 +1 @@ +INSERT INTO `shop_categories` (`shop_id`, `category_id`) VALUES (1, 50), (2, 50), (3, 50); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230727232404_job_price_boats/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230727232404_job_price_boats/migration.sql new file mode 100644 index 0000000000..d2b2059ff2 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230727232404_job_price_boats/migration.sql @@ -0,0 +1 @@ +UPDATE concess_entreprise SET price=30000 where vehicle IN ('predator', 'tropic3') diff --git a/resources/[soz]/soz-core/prisma/migrations/20230728092028_add_soz_hammer/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230728092028_add_soz_hammer/migration.sql new file mode 100644 index 0000000000..a174711036 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230728092028_add_soz_hammer/migration.sql @@ -0,0 +1,28 @@ +-- CreateTable +CREATE TABLE `collection_prop` ( + `id` BIGINT NOT NULL AUTO_INCREMENT, + `name` VARCHAR(50) NOT NULL, + `creator` VARCHAR(50) NOT NULL, + `date` TIMESTAMP(0) NOT NULL DEFAULT CURRENT_TIMESTAMP(0), + + UNIQUE INDEX `collection_prop_name_key`(`name`), + PRIMARY KEY (`id`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- CreateTable +CREATE TABLE `placed_prop` ( + `id` BIGINT NOT NULL AUTO_INCREMENT, + `unique_id` VARCHAR(255) NOT NULL, + `collection` VARCHAR(50) NOT NULL, + `model` VARCHAR(191) NOT NULL, + `position` LONGTEXT NOT NULL, + `matrix` LONGTEXT NULL, + `collision` BOOLEAN NOT NULL DEFAULT true, + + UNIQUE INDEX `placed_prop_unique_id_key`(`unique_id`), + INDEX `FK_placed_prop_soz_collection_prop`(`collection`), + PRIMARY KEY (`id`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- AddForeignKey +ALTER TABLE `placed_prop` ADD CONSTRAINT `FK_placed_prop_soz_collection_prop` FOREIGN KEY (`collection`) REFERENCES `collection_prop`(`name`) ON DELETE CASCADE ON UPDATE RESTRICT; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230728230720_add_sozedex_rewards/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230728230720_add_sozedex_rewards/migration.sql new file mode 100644 index 0000000000..17256cefb2 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230728230720_add_sozedex_rewards/migration.sql @@ -0,0 +1,11 @@ +-- CreateTable +CREATE TABLE IF NOT EXISTS `player_sozedex_rewards` ( + `citizenId` VARCHAR(50) NOT NULL, + `itemId` VARCHAR(100) NOT NULL, + `claimedAt` TIMESTAMP(0) NOT NULL DEFAULT CURRENT_TIMESTAMP(0), + + PRIMARY KEY (`citizenId`, `itemId`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- AddForeignKey + ALTER TABLE `player_sozedex_rewards` ADD CONSTRAINT `FK_player_sozedex_rewards` FOREIGN KEY (`citizenId`) REFERENCES `player`(`citizenid`) ON DELETE CASCADE ON UPDATE CASCADE; \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20230728232406_lsmc_boat/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230728232406_lsmc_boat/migration.sql new file mode 100644 index 0000000000..8629ede3e1 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230728232406_lsmc_boat/migration.sql @@ -0,0 +1,4 @@ +INSERT INTO `vehicles` (`model`, `hash`, `name`, `price`, `category`, `dealership_id`, `required_licence`, `size`, `job_name`, `stock`, `radio`, `maxStock`) VALUES + ('dinghy3', 1861786828, 'Dinghy3', 0, 'Boats', NULL, 'boat', 3, NULL, 0, 0, 0); + +INSERT INTO concess_entreprise (job, vehicle, price, category, liverytype) VALUES ('lsmc', 'dinghy3', 20000, 'Boats', 0); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230729161126_drugs_fix/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230729161126_drugs_fix/migration.sql new file mode 100644 index 0000000000..790ac33d92 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230729161126_drugs_fix/migration.sql @@ -0,0 +1 @@ +alter table drugs_seedling CHANGE created_at created_at timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230801141128_race/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230801141128_race/migration.sql new file mode 100644 index 0000000000..e5963e3bfd --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230801141128_race/migration.sql @@ -0,0 +1,29 @@ +-- CreateTable +CREATE TABLE IF NOT EXISTS `race` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `name` VARCHAR(50) NOT NULL, + `model` VARCHAR(50) NOT NULL, + `npc_position` TEXT NOT NULL, + `start` TEXT NOT NULL, + `checkpoints` TEXT NOT NULL, + `enabled` BOOLEAN NOT NULL, + + PRIMARY KEY (`id`) +); + +-- CreateTable +CREATE TABLE IF NOT EXISTS `race_score` ( + `citizenid` VARCHAR(50) NOT NULL, + `race_id` INTEGER NOT NULL, + `time` INTEGER NOT NULL, + + PRIMARY KEY (`citizenid`, `race_id`), + FOREIGN KEY (`race_id`) REFERENCES `race`(`id`) ON DELETE CASCADE ON UPDATE CASCADE, + FOREIGN KEY (`citizenid`) REFERENCES `player`(`citizenid`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE UTF8MB4_UNICODE_CI; + +-- AddForeignKey +ALTER TABLE `race_score` ADD CONSTRAINT `FK_race_scores_player` FOREIGN KEY (`citizenid`) REFERENCES `player`(`citizenid`) ON DELETE CASCADE ON UPDATE CASCADE; + +-- AddForeignKey +ALTER TABLE `race_score` ADD CONSTRAINT `FK_race_id` FOREIGN KEY (`race_id`) REFERENCES `race`(`id`) ON DELETE CASCADE ON UPDATE CASCADE; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230802202645_fix_housing_culling/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230802202645_fix_housing_culling/migration.sql new file mode 100644 index 0000000000..f5d749729f --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230802202645_fix_housing_culling/migration.sql @@ -0,0 +1,5 @@ +UPDATE housing_property SET exterior_culling='[3224803937, 2215051074,211831814]' WHERE identifier='vinewood_2'; +UPDATE housing_property SET exterior_culling='[1899287637,3977425805]' WHERE identifier='eclipse_business_tower'; +UPDATE housing_property SET exterior_culling='[2377268114,1357380670,521032509]' WHERE identifier='vespucci_02'; +UPDATE housing_property SET exterior_culling='[1272036709,3858902956,698620096,838894886,2129085253,1532951605]' WHERE identifier='dorset_complex'; +UPDATE housing_property SET exterior_culling='[3141477704,575092562,1147870520]' WHERE identifier='banner_tower'; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230803181127_radar/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230803181127_radar/migration.sql new file mode 100644 index 0000000000..f02877919b --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230803181127_radar/migration.sql @@ -0,0 +1,8 @@ +-- CreateTable +CREATE TABLE `radar` ( + `id` INTEGER NOT NULL, + `speed_record` INTEGER NOT NULL, + `citizedid_record` VARCHAR(50) NOT NULL, + + PRIMARY KEY (`id`) +); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230805195523_race_update/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230805195523_race_update/migration.sql new file mode 100644 index 0000000000..2cca66b1e4 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230805195523_race_update/migration.sql @@ -0,0 +1,5 @@ +ALTER TABLE `race_score` DROP COLUMN `time`; +ALTER TABLE `race_score` ADD COLUMN `best_run` TEXT NOT NULL; +ALTER TABLE `race_score` ADD COLUMN `best_splits` TEXT NOT NULL; + +ALTER TABLE `race` ADD COLUMN `fps` BOOLEAN NOT NULL; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230815120549_add_certifications_investigations/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230815120549_add_certifications_investigations/migration.sql new file mode 100644 index 0000000000..b0b84e8259 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230815120549_add_certifications_investigations/migration.sql @@ -0,0 +1,2 @@ +-- AlterTable +ALTER TABLE `investigation` ADD COLUMN `granted_certifications` LONGTEXT NULL; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230816011300_billboards/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230816011300_billboards/migration.sql new file mode 100644 index 0000000000..f993486d23 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230816011300_billboards/migration.sql @@ -0,0 +1,23 @@ +-- CreateTable +CREATE TABLE IF NOT EXISTS `billboard` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `name` VARCHAR(50) NOT NULL, + `position` VARCHAR(50) NOT NULL, + `originDictName` VARCHAR(50) NOT NULL, + `originTextureName` VARCHAR(50) NOT NULL, + `imageUrl` VARCHAR(200) NOT NULL, + `previewImageUrl` VARCHAR(200) NOT NULL, + `templateImageUrl` VARCHAR(200) NOT NULL, + `width` INTEGER NOT NULL, + `height` INTEGER NOT NULL, + `lastEdit` TIMESTAMP(0) NOT NULL DEFAULT CURRENT_TIMESTAMP(0), + `lastEditor` VARCHAR(50) NOT NULL, + `enabled` Boolean NOT NULL, + + PRIMARY KEY (`id`) +); + +INSERT INTO `billboard` (`id`, `name`, `position`, `originDictName`, `originTextureName`, `imageUrl`, `previewImageUrl`, `templateImageUrl`, `width`, `height`, `lastEdit`, `lastEditor`, `enabled`) VALUES + (1, 'Triptyque Gauche', '[-2.19, -1012.34, 77.18]', 'soz_billboards_txd', 'triptyque_gauche', '', 'https://cdn.discordapp.com/attachments/877529170039672852/1148711826889129984/triptyque_gauche_template.webp', 'https://cdn.discordapp.com/attachments/877529170039672852/1148711826889129984/triptyque_gauche_template.webp', 412, 1024, '2023-08-16 01:22:34', '', 0), + (2, 'Triptyque Droite', '[-2.19, -1012.34, 77.18]', 'soz_billboards_txd', 'triptyque_droite', '', 'https://cdn.discordapp.com/attachments/877529170039672852/1148711826410971176/triptyque_droite_template.webp', 'https://cdn.discordapp.com/attachments/877529170039672852/1148711826410971176/triptyque_droite_template.webp', 412, 1024, '2023-09-01 07:52:31', '', 0), + (3, 'Triptyque Centre', '[-2.19, -1012.34, 77.18]', 'soz_billboards_txd', 'triptyque_centre', '', 'https://cdn.discordapp.com/attachments/877529170039672852/1148711827543445574/triptyque_centre_template.webp', 'https://cdn.discordapp.com/attachments/877529170039672852/1148711827543445574/triptyque_centre_template.webp', 342, 1024, '2023-08-16 01:22:34', '', 1); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230818093108_phone_tetris_app/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230818093108_phone_tetris_app/migration.sql new file mode 100644 index 0000000000..733cd31896 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230818093108_phone_tetris_app/migration.sql @@ -0,0 +1,8 @@ +-- CreateTable +CREATE TABLE `tetris_score` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `identifier` VARCHAR(50) NOT NULL, + `score` INTEGER NOT NULL, + + PRIMARY KEY (`id`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230821195523_race_update2/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230821195523_race_update2/migration.sql new file mode 100644 index 0000000000..4e903b434a --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230821195523_race_update2/migration.sql @@ -0,0 +1 @@ +ALTER TABLE `race` ADD COLUMN `garage` TEXT; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230821195524_sasp_gouv/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230821195524_sasp_gouv/migration.sql new file mode 100644 index 0000000000..3665f3a06b --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230821195524_sasp_gouv/migration.sql @@ -0,0 +1,26 @@ +INSERT INTO job_grades (jobId, name, weight, salary, owner, permissions) +VALUES + ('gouv', 'Gouverneur', 10, 250, 1, '["manage-grade"]'), + ('gouv', 'Assistant', 5, 200, 0, '["manage-grade"]'), + ('sasp', 'Commissioner', 10, 250, 1, '["manage-grade"]'), + ('sasp', 'Deputy Commissioner', 9, 200, 0, '["manage-grade"]'), + ('sasp', 'Lieutenant', 8, 150, 0, '[]'), + ('sasp', 'Sergeant', 5, 100, 0, '[]'), + ('sasp', 'Trooper', 1, 50, 0, '[]'); + +INSERT INTO concess_entreprise (job, vehicle, price, category, liverytype) +VALUES + ('sasp', 'sasp1', 100000, 'car', 0), + ('gouv', 'xls2', 130000, 'car', 0), + ('gouv', 'schafter6', 100000, 'car', 0); + +INSERT INTO fuel_storage (station, fuel, type, owner, stock, position, model, zone) +VALUES + ('sasp_car', 'essence', 'private', 'sasp', 200, '{"x": -454.50, "y": -611.63, "z": 30.32, "w": 90.0}', 1694452750, '{"position": {"x": -454.50, "y": -611.63, "z": 30.32}, "length": 20.0, "width": 20.0, "options": { "name": "sasp_car", "heading": 90.0, "minZ": 28.44, "maxZ": 33.44}}'), + ('gouv_car', 'essence', 'private', 'gouv', 200, '{"x": -454.41, "y": -626.41, "z": 30.32, "w": 90.0}', 1694452750, '{"position": {"x": -454.41, "y": -626.41, "z": 30.32}, "length": 20.0, "width": 20.0, "options": { "name": "gouv_car", "heading": 90.0, "minZ": 28.44, "maxZ": 33.44}}'); + +INSERT IGNORE INTO vehicles (model, hash, name, price, category, dealership_id, required_licence, size, job_name, stock, radio, maxStock) +VALUES + ('sasp1', -1530015901, 'Dominator SASP', 100000, 'Sports', null, 'car', 1, null, 0, 1, 0), + ('xls2', -432008408, 'XLS Blindé', 130000, 'Suvs', null, 'car', 1, null, 0, 1, 0), + ('schafter6', 1922255844, 'Schafter LWB Blindé', 100000, 'Sedans', null, 'car', 1, null, 0, 1, 0); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230826195523_race_update3/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230826195523_race_update3/migration.sql new file mode 100644 index 0000000000..e2859ac5e0 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230826195523_race_update3/migration.sql @@ -0,0 +1 @@ +ALTER TABLE `race` ADD COLUMN `configuration` TEXT; diff --git a/resources/[soz]/soz-core/prisma/migrations/20230910190405_increase_upw_plant_max_capacity/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230910190405_increase_upw_plant_max_capacity/migration.sql new file mode 100644 index 0000000000..e4f4ba79b7 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230910190405_increase_upw_plant_max_capacity/migration.sql @@ -0,0 +1,19 @@ +UPDATE upw_facility SET data=JSON_SET(data, '$.maxCapacity',15000) WHERE identifier='fossil1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.maxCapacity',2250) WHERE identifier='wind1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.maxCapacity',2250) WHERE identifier='hydro1'; + + +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',60) WHERE identifier='fossil1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',120) WHERE identifier='fossil1'; + +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',1.2) WHERE identifier='wind1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',12) WHERE identifier='wind1'; + +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',6) WHERE identifier='hydro1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',9.6) WHERE identifier='hydro1'; + +ALTER TABLE upw_stations ADD COLUMN job TEXT; +INSERT INTO upw_stations (station, stock, max_stock, price, position, job) VALUES ('stationUpw', 0, 600, 0, '{"x":580.59,"y":2787.12,"z":41.07,"w":-176.0}', 'upw'); +INSERT INTO upw_chargers (station, position, active) VALUES ('stationUpw', '{"x":580.59,"y":2787.12,"z":41.07,"w":-176.0}',1); + +INSERT INTO upw_facility (type, identifier, data) VALUES ('plant', 'solar1', '{"active":true,"maxWaste":1000,"productionPerMinute":{"max":12,"min":1.2},"waste":0.0,"wastePerMinute":0,"maxCapacity":2250,"zones":{"energyZone":{"sy":5,"sx":5,"maxZ":9,"minZ":4.9,"heading":290,"coords":{"z":5.56,"y":-4594.7,"x":4481.2}}},"pollutionPerUnit":0.05,"type":"plant","capacity":0.0}'); diff --git a/resources/[soz]/soz-core/prisma/migrations/20230916205005_upw_increase/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230916205005_upw_increase/migration.sql new file mode 100644 index 0000000000..5380cf7990 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230916205005_upw_increase/migration.sql @@ -0,0 +1,12 @@ +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',60) WHERE identifier='fossil1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',120) WHERE identifier='fossil1'; + +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',3) WHERE identifier='wind1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',10) WHERE identifier='wind1'; + +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',6) WHERE identifier='hydro1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',10) WHERE identifier='hydro1'; + +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.min',3) WHERE identifier='solar1'; +UPDATE upw_facility SET data=JSON_SET(data, '$.productionPerMinute.max',10) WHERE identifier='solar1'; + diff --git a/resources/[soz]/soz-core/prisma/migrations/20230924225900_pawl_review/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230924225900_pawl_review/migration.sql new file mode 100644 index 0000000000..9aa59cd270 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230924225900_pawl_review/migration.sql @@ -0,0 +1,2 @@ +INSERT INTO field (identifier, owner, data) VALUES ('grapeseed', 'pawl','{"field":[{"harvestTime":1683641461,"position":{"x":1815.407,"y":5138.424,"z":71.14533,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1793.897,"y":5170.41,"z":89.48294,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1808.786,"y":5201.852,"z":71.76514,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1859.039,"y":5230.797,"z":70.08214,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1879.092,"y":5244.072,"z":83.56685,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1921.029,"y":5229.957,"z":69.27276,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1920.839,"y":5256.134,"z":90.96536,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1763.028,"y":5183.804,"z":97.09729,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1745.07,"y":5164.258,"z":106.6717,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1743.265,"y":5127.119,"z":111.6434,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1748.127,"y":5102.52,"z":96.80992,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1781.036,"y":5142.692,"z":83.97516,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1770.985,"y":5226.91,"z":91.09876,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1885.651,"y":5295.036,"z":120.629,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1915.217,"y":5298.652,"z":129.6326,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1939.719,"y":5272.664,"z":103.7679,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1955.625,"y":5265.381,"z":97.11533,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":2033.163,"y":5288.305,"z":104.422,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1999.9,"y":5298.388,"z":109.6753,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1803.237,"y":5259.815,"z":87.61389,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1761.276,"y":5160.809,"z":101.1531,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1763.744,"y":5081.236,"z":78.13644,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1745.432,"y":5041.915,"z":64.18299,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1715.48,"y":5083.591,"z":90.66499,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1708.259,"y":5040.562,"z":71.49039,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1658.502,"y":5018.542,"z":54.63263,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1686.026,"y":4997.058,"z":52.50906,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1626.046,"y":5053.756,"z":83.44867,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1597.691,"y":5080.834,"z":110.4458,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1580.835,"y":5057.166,"z":99.0755,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":2091.575,"y":5273.079,"z":89.80773,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":2110.928,"y":5255.757,"z":77.77741,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":2126.638,"y":5301.569,"z":106.895,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":2156.888,"y":5303.898,"z":100.6944,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":2176.122,"y":5338.618,"z":136.9038,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":2103.919,"y":5317.318,"z":118.7924,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":2044.547,"y":5330.616,"z":139.5691,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":2175.371,"y":5275.408,"z":86.98471,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1633.876,"y":4969.569,"z":48.87263,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1606.205,"y":4978.91,"z":64.50439,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1608.021,"y":4935.897,"z":43.07699,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1547.244,"y":4996.152,"z":87.53358,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1510.31,"y":4985.981,"z":93.87067,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1578.266,"y":5028.512,"z":83.96823,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1605.256,"y":5044.869,"z":93.03599,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1487.301,"y":4995.315,"z":98.81656,"w":58.01},"model":"soz_prop_tree_cedar_02"},{"harvestTime":1683641461,"position":{"x":1429.176,"y":4971.33,"z":96.85224,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1455.167,"y":4986.74,"z":84.06832,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1428.399,"y":4927.002,"z":106.1584,"w":58.01},"model":"soz_prop_tree_cedar_03"},{"harvestTime":1683641461,"position":{"x":1719.182,"y":5154.129,"z":120.3454,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1664.438,"y":5143.727,"z":148.7986,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1643.944,"y":5154.901,"z":150.0367,"w":58.01},"model":"soz_prop_tree_cedar_04"},{"harvestTime":1683641461,"position":{"x":1670.391,"y":5182.071,"z":152.6962,"w":58.01},"model":"soz_prop_tree_cedar_02"}],"radius":200.0,"position":{"x":1758.03,"y":5147.38,"z":108.45},"refillDelay":14400000}'); +INSERT INTO field (identifier, owner, data) VALUES ('baytree_canyon', 'pawl','{"field":[{"model":"soz_prop_tree_cedar_03","position":{"x":545.4664,"y":2233.715,"z":64.77684,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":509.6548,"y":2234.974,"z":64.58481,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":485.5359,"y":2325.327,"z":63.57721,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":476.4074,"y":2288.036,"z":70.49584,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":516.8221,"y":2352.695,"z":48.66526,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":416.2039,"y":2327.308,"z":58.50854,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":446.9131,"y":2288.913,"z":74.16174,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":449.9966,"y":2356.523,"z":55.18961,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":453.8318,"y":2315.243,"z":65.59768,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":387.1369,"y":2372.944,"z":56.38532,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":469.6287,"y":2351.883,"z":60.28247,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":313.3321,"y":2337.106,"z":76.43298,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":334.66,"y":2324.855,"z":76.54441,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":327.1777,"y":2354.877,"z":67.64656,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":293.9677,"y":2298.971,"z":89.90237,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":359.8311,"y":2363.916,"z":62.82459,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":437.0105,"y":2242.629,"z":87.58149,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":426.6916,"y":2207.344,"z":92.57716,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":361.2138,"y":2223.087,"z":81.99738,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":358.8826,"y":2170.266,"z":95.79549,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":403.0708,"y":2160.882,"z":102.0597,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":448.7417,"y":2183.054,"z":86.64012,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":418.2139,"y":2229.487,"z":87.18769,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":254.4515,"y":2262.149,"z":97.99924,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":279.5817,"y":2244.656,"z":93.94074,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":308.3899,"y":2409.799,"z":48.91927,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":323.2256,"y":2423.411,"z":47.0385,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":357.6554,"y":2481.912,"z":45.27116,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":361.5205,"y":2410.523,"z":50.1115,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":140.0287,"y":2357.668,"z":99.59391,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":76.52108,"y":2376.067,"z":107.2356,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":108.1702,"y":2368.482,"z":103.7834,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":57.92264,"y":2391.597,"z":114.0518,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":114.9473,"y":2492.193,"z":69.89608,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":247.6787,"y":2388.25,"z":55.46778,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":244.3977,"y":2429.548,"z":55.56379,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":230.4625,"y":2454.154,"z":54.26295,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":329.9562,"y":2405.164,"z":50.50242,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":368.3528,"y":2329.771,"z":62.48232,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":345.5225,"y":2370.278,"z":61.90484,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":584.5103,"y":2219.638,"z":62.12924,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":638.3945,"y":2245.316,"z":55.39158,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":655.6551,"y":2259.693,"z":53.28142,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":686.2099,"y":2226.322,"z":54.1406,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":337.7663,"y":2163.727,"z":93.0557,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":212.3761,"y":2166.847,"z":121.6934,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":202.0668,"y":2185.821,"z":117.1431,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":243.0645,"y":2231.895,"z":103.7989,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":350.0077,"y":2392.197,"z":54.34823,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":311.2217,"y":2371.585,"z":60.88324,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":304.7394,"y":2281.61,"z":87.99824,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":313.3794,"y":2269.654,"z":82.58496,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":284.8559,"y":2313.44,"z":79.08048,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":419.383,"y":2430.078,"z":46.98492,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":275.3971,"y":2460.771,"z":51.19306,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":293.6258,"y":2481.366,"z":49.90772,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":311.4464,"y":2534.609,"z":43.9717,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":591.1385,"y":2394.836,"z":49.59828,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":624.169,"y":2414.375,"z":52.07612,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":544.5052,"y":2307.737,"z":57.10681,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":491.1322,"y":2280.987,"z":66.82382,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":612.8993,"y":2201.867,"z":60.26002,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":638.3633,"y":2438.435,"z":56.61855,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":355.162,"y":2248.159,"z":71.73427,"w":25.01},"harvestTime":1683641461},{"model":"soz_prop_tree_cedar_03","position":{"x":414.2353,"y":2194.145,"z":96.14842,"w":25.01},"harvestTime":1683641461}],"radius":200.0,"position":{"x":509.6548,"y":2234.974,"z":64.58481},"refillDelay":14400000}'); \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20230924225900_pawl_storages_upgrade/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20230924225900_pawl_storages_upgrade/migration.sql new file mode 100644 index 0000000000..8356cd1c16 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20230924225900_pawl_storages_upgrade/migration.sql @@ -0,0 +1,3 @@ +UPDATE storages SET max_weight=40000000 WHERE name='pawl_log_storage'; +UPDATE storages SET max_weight=2000000 WHERE name='pawl_sawdust_storage'; +UPDATE storages SET max_weight=2000000 WHERE name='pawl_plank_storage'; \ No newline at end of file diff --git a/resources/[soz]/soz-core/prisma/migrations/20231000917112_vandalism/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20231000917112_vandalism/migration.sql new file mode 100644 index 0000000000..20d2d00c57 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20231000917112_vandalism/migration.sql @@ -0,0 +1,10 @@ +-- CreateTable +CREATE TABLE `vandalism_props` ( + `id` VARCHAR(50) NOT NULL, + `kind` VARCHAR(50) NOT NULL, + `location` VARCHAR(200) NOT NULL, + `model_group` VARCHAR(50) NOT NULL, + `value` INTEGER NOT NULL, + + PRIMARY KEY (`id`, `kind`) +); diff --git a/resources/[soz]/soz-core/prisma/migrations/20231001162840_add_zone/migration.sql b/resources/[soz]/soz-core/prisma/migrations/20231001162840_add_zone/migration.sql new file mode 100644 index 0000000000..e03ef6e1a3 --- /dev/null +++ b/resources/[soz]/soz-core/prisma/migrations/20231001162840_add_zone/migration.sql @@ -0,0 +1,24 @@ +-- DropForeignKey +ALTER TABLE `race_score` DROP FOREIGN KEY `race_score_ibfk_1`; + +-- DropForeignKey +ALTER TABLE `race_score` DROP FOREIGN KEY `race_score_ibfk_2`; + +-- AlterTable +ALTER TABLE `vandalism_props` MODIFY `location` TEXT NOT NULL; + +-- AlterTable +ALTER TABLE `vehicles` MODIFY `maxStock` INTEGER NULL DEFAULT 2; + +-- CreateTable +CREATE TABLE `zone` ( + `id` INTEGER NOT NULL AUTO_INCREMENT, + `type` ENUM('NoStress') NOT NULL DEFAULT 'NoStress', + `zone` LONGTEXT NOT NULL, + `name` VARCHAR(50) NOT NULL, + + PRIMARY KEY (`id`) +) DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci; + +-- CreateIndex +CREATE INDEX `name` ON `race`(`name`); diff --git a/resources/[soz]/soz-core/prisma/schema.prisma b/resources/[soz]/soz-core/prisma/schema.prisma index 52f46bbdef..94ec272cd4 100644 --- a/resources/[soz]/soz-core/prisma/schema.prisma +++ b/resources/[soz]/soz-core/prisma/schema.prisma @@ -1,6 +1,6 @@ generator client { provider = "prisma-client-js" - previewFeatures = ["filterJson"] + previewFeatures = ["metrics"] binaryTargets = ["native", "linux-musl", "windows"] engineType = "binary" } @@ -79,23 +79,44 @@ model fuel_storage { zone String @db.Text } +model upw_stations { + id Int @id @default(autoincrement()) + station String @unique @db.VarChar(15) + stock Int @default(0) + max_stock Int @default(600) + price Float? @default(0.00) @db.Float + position String @db.Text + job String? @db.Text + chargers upw_chargers[] +} + +model upw_chargers { + id Int @id @default(autoincrement()) + station String + position String + active Int @default(0) + upw_station upw_stations @relation(fields: [station], references: [station], onDelete: Cascade, onUpdate: Restrict, map: "FK_upw_chargers_soz_test.upw_stations") + + @@index([station], map: "FK_upw_chargers_soz_test.upw_stations") +} + model housing_apartment { - id Int @id @default(autoincrement()) - property_id Int - identifier String? @db.VarChar(50) - label String? @db.VarChar(50) - price Int? - owner String? @db.VarChar(50) - roommate String? @db.VarChar(50) - inside_coord String? @db.LongText - exit_zone String? @db.LongText - fridge_zone String? @db.LongText - stash_zone String? @db.LongText - closet_zone String? @db.LongText - money_zone String? @db.LongText - tier Int? + id Int @id @default(autoincrement()) + property_id Int + identifier String? @db.VarChar(50) + label String? @db.VarChar(50) + price Int? + owner String? @db.VarChar(50) + roommate String? @db.VarChar(50) + inside_coord String? @db.LongText + exit_zone String? @db.LongText + fridge_zone String? @db.LongText + stash_zone String? @db.LongText + closet_zone String? @db.LongText + money_zone String? @db.LongText + tier Int? has_parking_place Int? - housing_property housing_property @relation(fields: [property_id], references: [id], onDelete: Cascade, map: "housing_apartment_housing_property_id_fk") + housing_property housing_property @relation(fields: [property_id], references: [id], onDelete: Cascade, map: "housing_apartment_housing_property_id_fk") @@index([property_id], map: "housing_apartment_housing_property_id_fk") } @@ -153,6 +174,27 @@ model persistent_prop { position String @db.LongText } +model collection_prop { + id BigInt @id @default(autoincrement()) + name String @unique @db.VarChar(50) + creator String @db.VarChar(50) + date DateTime @default(now()) @db.Timestamp(0) + props placed_prop[] +} + +model placed_prop { + id BigInt @id @default(autoincrement()) + unique_id String @unique @db.VarChar(255) + collection String @db.VarChar(50) + model String + position String @db.LongText + matrix String? @db.LongText + collision Boolean @default(true) + collection_prop collection_prop @relation(fields: [collection], references: [name], onDelete: Cascade, onUpdate: Restrict, map: "FK_placed_prop_soz_collection_prop") + + @@index([collection], map: "FK_placed_prop_soz_collection_prop") +} + model phone_calls { id Int @id @default(autoincrement()) identifier String? @db.VarChar(48) @@ -262,29 +304,32 @@ model phone_twitch_news { } model player { - id Int @default(autoincrement()) - citizenid String @id @db.VarChar(50) - cid Int? - license String @db.VarChar(255) - name String @db.VarChar(255) - money String @db.Text - charinfo String? @db.Text - job String @db.Text - gang String? @db.Text - position String @db.Text - metadata String @db.Text - inventory String? @db.LongText - last_updated DateTime @default(now()) @db.Timestamp(0) - created_at DateTime @default(now()) @db.Timestamp(0) - is_default Int @default(0) - skin String? @db.Text - cloth_config String? @db.Text - features String? @default("[]") @db.Text - player_cloth_set player_cloth_set[] - player_vehicles PlayerVehicle[] - records_history_player player_records_history[] @relation("records_history_player") - records_history_author player_records_history[] @relation("records_history_author") + id Int @default(autoincrement()) + citizenid String @id @db.VarChar(50) + cid Int? + license String @db.VarChar(255) + name String @db.VarChar(255) + money String @db.Text + charinfo String? @db.Text + job String @db.Text + gang String? @db.Text + position String @db.Text + metadata String @db.Text + inventory String? @db.LongText + last_updated DateTime @default(now()) @db.Timestamp(0) + created_at DateTime @default(now()) @db.Timestamp(0) + is_default Int @default(0) + skin String? @db.Text + cloth_config String? @db.Text + features String? @default("[]") @db.Text + player_cloth_set player_cloth_set[] + player_vehicles PlayerVehicle[] + records_history_player player_records_history[] @relation("records_history_player") + records_history_author player_records_history[] @relation("records_history_author") records_history_deletor player_records_history[] @relation("records_history_deletor") + fishes player_fish[] @relation("fishes") + sozedex_rewards player_sozedex_rewards[] @relation("sozedex_rewards") + race_scores race_score[] @relation("race_scores") @@index([id], map: "id") @@index([last_updated], map: "last_updated") @@ -337,6 +382,7 @@ model PlayerVehicle { status String? @db.Text boughttime Int @default(0) parkingtime Int @default(0) + pound_price Int? @default(0) player player? @relation(fields: [citizenid], references: [citizenid], onDelete: Cascade, map: "FK_playervehicles_players") @@index([citizenid], map: "citizenid") @@ -355,6 +401,7 @@ model storages { @@index([owner], map: "owner") @@index([type], map: "type") + @@index([name, type, owner], name: "storageTypeOwner") } model upw_facility { @@ -362,6 +409,8 @@ model upw_facility { type String @db.VarChar(50) identifier String @db.VarChar(50) data String? @db.LongText + + @@index([identifier], map: "identifier") } model Vehicle { @@ -376,6 +425,7 @@ model Vehicle { jobName String? @map("job_name") @db.Text stock Int? @default(0) radio Boolean @default(false) + maxStock Int? @default(2) @@index([category]) @@index([dealershipId], map: "vehicles_dealership_idx") @@ -426,6 +476,7 @@ model investigation { granted String? @db.LongText granted_services String? @db.LongText granted_jobgrade String? @db.LongText + granted_certifications String? @db.LongText supervisors String? @db.LongText concerned_people String? @db.LongText in_charge String? @db.LongText @@ -439,6 +490,7 @@ model investigation_revision { investigationId Int? citizenid String @db.VarChar(255) content String @db.LongText + note String @default("") @db.LongText created_at DateTime? @default(now()) @db.Timestamp(0) investigation investigation? @relation(fields: [investigationId], references: [id], onDelete: Restrict, onUpdate: Restrict, map: "fk_investigation") @@ -449,7 +501,7 @@ model player_records_history { id Int @id @unique(map: "playerrecordshistory_id_uindex") @default(autoincrement()) citizenid String @db.VarChar(255) author_citizenid String @db.VarChar(255) - delete_citizenid String? @db.VarChar(255) + delete_citizenid String? @db.VarChar(255) type String @db.VarChar(128) content String? @db.LongText isDeleted Boolean? @default(false) @@ -458,7 +510,7 @@ model player_records_history { deleted_at DateTime? @db.Timestamp(0) concerned_player player @relation(fields: [citizenid], references: [citizenid], onDelete: Cascade, map: "FK_playerrecordshistory_target", name: "records_history_player") author player @relation(fields: [author_citizenid], references: [citizenid], onDelete: Cascade, map: "FK_playerrecordshistory_author", name: "records_history_author") - deletor player? @relation(fields: [delete_citizenid], references: [citizenid], onDelete: Cascade, map: "FK_playerrecordshistory_deletor", name: "records_history_deletor") + deletor player? @relation(fields: [delete_citizenid], references: [citizenid], onDelete: Cascade, map: "FK_playerrecordshistory_deletor", name: "records_history_deletor") @@index([citizenid], map: "citizenid") } @@ -531,4 +583,133 @@ enum report_type { investigation report complaint -} \ No newline at end of file +} + +model drugs_seedling { + id Int @id @default(autoincrement()) + drug String + location String @db.Text + created_at DateTime @default(now()) @db.Timestamp(0) + nb_water Int + garden String? @db.VarChar(50) + citizenid String @db.VarChar(50) + skillBoost Boolean + property Int? +} + +model drugs_sell_location { + id Int @id @default(autoincrement()) + name String @db.VarChar(50) + type String @db.VarChar(50) + zone String @db.Text + + @@unique([name, type]) +} + +model drugs_garden_guest { + id Int @id @default(autoincrement()) + citizenid String @db.VarChar(50) + guest String @db.VarChar(50) + + @@unique([citizenid, guest]) +} + +model player_fish { + player player @relation(fields: [citizenId], references: [citizenid], onDelete: Cascade, map: "FK_fish_player", name: "fishes") + citizenId String @db.VarChar(50) + fishId String @db.VarChar(100) + quantity Int + maxWidth Int + maxWeight Int + maxResell Int + lastFishAt DateTime @default(now()) @db.Timestamp(0) + + @@id([citizenId, fishId]) +} + +model player_sozedex_rewards { + player player @relation(fields: [citizenId], references: [citizenid], onDelete: Cascade, map: "FK_player_sozedex_rewards", name: "sozedex_rewards") + citizenId String @db.VarChar(50) + itemId String @db.VarChar(100) + claimedAt DateTime @default(now()) @db.Timestamp(0) + + @@id([citizenId, itemId]) +} + +model race { + id Int @id @default(autoincrement()) + name String @db.VarChar(50) + model String @db.VarChar(50) + npc_position String @db.Text + start String @db.Text + checkpoints String @db.Text + enabled Boolean + fps Boolean + garage String? @db.Text + configuration String? @db.Text + + scores race_score[] @relation("race_scores_race") + + @@index([name], map: "name") +} + +model race_score { + player player @relation(fields: [citizenid], references: [citizenid], onDelete: Cascade, map: "FK_race_scores_player", name: "race_scores") + citizenid String @db.VarChar(50) + race race @relation(fields: [race_id], references: [id], onDelete: Cascade, map: "FK_race_id", name: "race_scores_race") + race_id Int + best_run String @db.Text + best_splits String @db.Text + + @@id([citizenid, race_id]) +} + +model radar { + id Int @id + speed_record Int + citizedid_record String @db.VarChar(50) +} + +model tetris_score { + id Int @id @default(autoincrement()) + identifier String @db.VarChar(50) + score Int +} +model billboard { + id Int @id @default(autoincrement()) + name String @db.VarChar(50) + position String @db.VarChar(50) + originDictName String @db.VarChar(50) + originTextureName String @db.VarChar(50) + imageUrl String @db.VarChar(200) + previewImageUrl String @db.VarChar(200) + templateImageUrl String @db.VarChar(200) + width Int @db.Int + height Int @db.Int + lastEdit DateTime @default(now()) @db.Timestamp(0) + lastEditor String @db.VarChar(50) + enabled Boolean +} + +model vandalism_props { + id String @db.VarChar(50) + kind String @db.VarChar(50) + location String @db.Text + model_group String @db.VarChar(50) + value Int @db.Int + + @@id([id, kind]) +} + +enum ZoneType { + NoStress +} + +model Zone { + id Int @id @default(autoincrement()) + type ZoneType @default(NoStress) + zone String @db.LongText + name String @db.VarChar(50) + + @@map("zone") +} diff --git a/resources/[soz]/soz-core/prisma/seed/vehicle.ts b/resources/[soz]/soz-core/prisma/seed/vehicle.ts index 2c7405b44e..9e3ccdf227 100644 --- a/resources/[soz]/soz-core/prisma/seed/vehicle.ts +++ b/resources/[soz]/soz-core/prisma/seed/vehicle.ts @@ -4,7 +4,7 @@ import { joaat } from '../../src/shared/joaat'; import { JobType } from '../../src/shared/job'; import { getRandomInt } from '../../src/shared/random'; -const baseList = [ +const baseList: [string, string, string, string, string | null][] = [ ['asea', 'Asea', 'Sedans', 'pdm', 'car'], ['akuma', 'Akuma', 'Motorcycles', 'moto', 'motorcycle'], ['alpha', 'Alpha', 'Sports', 'luxury', 'car'], @@ -64,6 +64,7 @@ baseList.forEach(vehicle => { requiredLicence: vehicle[4], size: 1, stock: getRandomInt(1, 10), + maxStock: 2, }); }); diff --git a/resources/[soz]/soz-core/private/client/player/player.talent.service.ts b/resources/[soz]/soz-core/private/client/player/player.talent.service.ts new file mode 100644 index 0000000000..a3cf7f63c8 --- /dev/null +++ b/resources/[soz]/soz-core/private/client/player/player.talent.service.ts @@ -0,0 +1,8 @@ +import { Injectable } from '@core/decorators/injectable'; + +@Injectable() +export class PlayerTalentService { + public getMaxInjuries(): number { + return 42; + } +} diff --git a/resources/[soz]/soz-core/private/client/repository/drug.seedling.repository.ts b/resources/[soz]/soz-core/private/client/repository/drug.seedling.repository.ts new file mode 100644 index 0000000000..4a9417d94c --- /dev/null +++ b/resources/[soz]/soz-core/private/client/repository/drug.seedling.repository.ts @@ -0,0 +1,8 @@ +import { Injectable } from '@core/decorators/injectable'; + +@Injectable() +export class DrugSeedlingRepository { + public async load() {} + // eslint-disable-next-line @typescript-eslint/no-unused-vars + public update(data) {} +} diff --git a/resources/[soz]/soz-core/private/client/repository/drug.sell.location.repository.ts b/resources/[soz]/soz-core/private/client/repository/drug.sell.location.repository.ts new file mode 100644 index 0000000000..eff0d532e8 --- /dev/null +++ b/resources/[soz]/soz-core/private/client/repository/drug.sell.location.repository.ts @@ -0,0 +1,8 @@ +import { Injectable } from '@core/decorators/injectable'; + +@Injectable() +export class DrugSellLocationRepository { + public async load() {} + // eslint-disable-next-line @typescript-eslint/no-unused-vars + public update(data) {} +} diff --git a/resources/[soz]/soz-core/private/nui/StatePrivateApp.tsx b/resources/[soz]/soz-core/private/nui/StatePrivateApp.tsx new file mode 100644 index 0000000000..057817bf09 --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/StatePrivateApp.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const StatePrivateApp: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/drug/DrugContractApp.tsx b/resources/[soz]/soz-core/private/nui/drug/DrugContractApp.tsx new file mode 100644 index 0000000000..74f3e422e3 --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/drug/DrugContractApp.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const DrugContractApp: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/drug/DrugLocation.ts b/resources/[soz]/soz-core/private/nui/drug/DrugLocation.ts new file mode 100644 index 0000000000..7179b738ac --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/drug/DrugLocation.ts @@ -0,0 +1,20 @@ +import { createModel } from '@rematch/core'; + +import { RootModel } from '../../../src/nui/models'; +import { DrugNuiZone } from '../../shared/drugs'; + +export const drugLocation = createModel()({ + state: [] as DrugNuiZone[], + reducers: { + setZones(state, any) { + return state; + }, + addUpdateZone(state, any) { + return state; + }, + removeZone(state, any) { + return state; + }, + }, + effects: () => ({}), +}); diff --git a/resources/[soz]/soz-core/private/nui/drug/DrugSkillApp.tsx b/resources/[soz]/soz-core/private/nui/drug/DrugSkillApp.tsx new file mode 100644 index 0000000000..662a3c5a9b --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/drug/DrugSkillApp.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const DrugSkillApp: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/drug/DrugTransformApp.tsx b/resources/[soz]/soz-core/private/nui/drug/DrugTransformApp.tsx new file mode 100644 index 0000000000..824899aa3b --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/drug/DrugTransformApp.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const DrugTransformApp: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/drug/MenuDrugAdminLocation.tsx b/resources/[soz]/soz-core/private/nui/drug/MenuDrugAdminLocation.tsx new file mode 100644 index 0000000000..d2bf98abae --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/drug/MenuDrugAdminLocation.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const MenuDrugAdminLocation: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/drug/MenuDrugGarden.tsx b/resources/[soz]/soz-core/private/nui/drug/MenuDrugGarden.tsx new file mode 100644 index 0000000000..b206f3f74f --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/drug/MenuDrugGarden.tsx @@ -0,0 +1,9 @@ +import { FunctionComponent } from 'react'; + +type MenuDrugGardenProps = { + data: any; +}; + +export const DrugGardenMenu: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/fishing/FishingApp.tsx b/resources/[soz]/soz-core/private/nui/fishing/FishingApp.tsx new file mode 100644 index 0000000000..d561bc24c0 --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/fishing/FishingApp.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const FishingApp: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/nui/illegalshop/MenuIllegalShop.tsx b/resources/[soz]/soz-core/private/nui/illegalshop/MenuIllegalShop.tsx index e95172c38c..a7a6cca3a5 100644 --- a/resources/[soz]/soz-core/private/nui/illegalshop/MenuIllegalShop.tsx +++ b/resources/[soz]/soz-core/private/nui/illegalshop/MenuIllegalShop.tsx @@ -1,5 +1,9 @@ import { FunctionComponent } from 'react'; -export const MenuIllegalShop: FunctionComponent = () => { +export type MenuIllegalShopProps = { + data: any; +}; + +export const MenuIllegalShop: FunctionComponent = () => { return null; }; diff --git a/resources/[soz]/soz-core/private/nui/sozedex/SozedexApp.tsx b/resources/[soz]/soz-core/private/nui/sozedex/SozedexApp.tsx new file mode 100644 index 0000000000..30fee3f1b2 --- /dev/null +++ b/resources/[soz]/soz-core/private/nui/sozedex/SozedexApp.tsx @@ -0,0 +1,5 @@ +import { FunctionComponent } from 'react'; + +export const SozedexApp: FunctionComponent = () => { + return null; +}; diff --git a/resources/[soz]/soz-core/private/server/mock.module.ts b/resources/[soz]/soz-core/private/server/mock.module.ts new file mode 100644 index 0000000000..ab1a692cb5 --- /dev/null +++ b/resources/[soz]/soz-core/private/server/mock.module.ts @@ -0,0 +1,8 @@ +import { Module } from '@core/decorators/module'; + +import { MockProvider } from './mock.provider'; + +@Module({ + providers: [MockProvider], +}) +export class MockModule {} diff --git a/resources/[soz]/soz-core/private/server/mock.provider.ts b/resources/[soz]/soz-core/private/server/mock.provider.ts new file mode 100644 index 0000000000..e4fa4658c0 --- /dev/null +++ b/resources/[soz]/soz-core/private/server/mock.provider.ts @@ -0,0 +1,10 @@ +import { Exportable } from '@core/decorators/exports'; +import { Provider } from '@core/decorators/provider'; + +@Provider() +export class MockProvider { + @Exportable('HasTemporaryCrimiWeight') + public hasTemporaryCrimiWeight(): boolean { + return false; + } +} diff --git a/resources/[soz]/soz-core/private/server/modules.ts b/resources/[soz]/soz-core/private/server/modules.ts index dce5e88291..d00e4c498d 100644 --- a/resources/[soz]/soz-core/private/server/modules.ts +++ b/resources/[soz]/soz-core/private/server/modules.ts @@ -1 +1,3 @@ -export const modules = []; +import { MockModule } from './mock.module'; + +export const modules = [MockModule]; diff --git a/resources/[soz]/soz-core/private/server/player/player.injuries.provider.ts b/resources/[soz]/soz-core/private/server/player/player.injuries.provider.ts new file mode 100644 index 0000000000..3fb3f543b8 --- /dev/null +++ b/resources/[soz]/soz-core/private/server/player/player.injuries.provider.ts @@ -0,0 +1,8 @@ +import { Injectable } from '@core/decorators/injectable'; + +@Injectable() +export class PlayerInjuryProvider { + public remainingForcedITT(target: number): number { + return 0; + } +} diff --git a/resources/[soz]/soz-core/private/server/player/player.talent.service.ts b/resources/[soz]/soz-core/private/server/player/player.talent.service.ts new file mode 100644 index 0000000000..53b0f5dfae --- /dev/null +++ b/resources/[soz]/soz-core/private/server/player/player.talent.service.ts @@ -0,0 +1,9 @@ +import { Injectable } from '@core/decorators/injectable'; +import { Talent } from '@private/shared/talent'; + +@Injectable() +export class PlayerTalentService { + public hasTalent(_source: number, _talent: Talent): boolean { + return false; + } +} diff --git a/resources/[soz]/soz-core/private/server/resources/drug.seedling.repository.ts b/resources/[soz]/soz-core/private/server/resources/drug.seedling.repository.ts new file mode 100644 index 0000000000..4a36a8fa35 --- /dev/null +++ b/resources/[soz]/soz-core/private/server/resources/drug.seedling.repository.ts @@ -0,0 +1,14 @@ +import { Inject, Injectable } from '@core/decorators/injectable'; +import { PrismaService } from '@public/server/database/prisma.service'; + +import { RepositoryLegacy } from '../../../src/server/repository/repository'; + +@Injectable() +export class DrugSeedlingRepository extends RepositoryLegacy { + @Inject(PrismaService) + private prismaService: PrismaService; + + protected async load(): Promise { + return 0; + } +} diff --git a/resources/[soz]/soz-core/private/server/resources/drug.sell.location.repository.ts b/resources/[soz]/soz-core/private/server/resources/drug.sell.location.repository.ts new file mode 100644 index 0000000000..b1389b1e92 --- /dev/null +++ b/resources/[soz]/soz-core/private/server/resources/drug.sell.location.repository.ts @@ -0,0 +1,14 @@ +import { Inject, Injectable } from '@core/decorators/injectable'; +import { PrismaService } from '@public/server/database/prisma.service'; + +import { RepositoryLegacy } from '../../../src/server/repository/repository'; + +@Injectable() +export class DrugSellLocationRepository extends RepositoryLegacy { + @Inject(PrismaService) + private prismaService: PrismaService; + + protected async load(): Promise { + return 0; + } +} diff --git a/resources/[soz]/soz-core/private/shared/drugs.ts b/resources/[soz]/soz-core/private/shared/drugs.ts new file mode 100644 index 0000000000..d9dfdb35a3 --- /dev/null +++ b/resources/[soz]/soz-core/private/shared/drugs.ts @@ -0,0 +1,6 @@ +export type DrugContractInfo = any; + +export enum DrugSkill {} + +export type DrugNuiZone = any; +export type DrugTransformList = any; diff --git a/resources/[soz]/soz-core/private/shared/missive.ts b/resources/[soz]/soz-core/private/shared/missive.ts new file mode 100644 index 0000000000..8ec54350c3 --- /dev/null +++ b/resources/[soz]/soz-core/private/shared/missive.ts @@ -0,0 +1 @@ +export enum MissiveType {} diff --git a/resources/[soz]/soz-core/private/shared/talent.ts b/resources/[soz]/soz-core/private/shared/talent.ts index 802065c045..b18623ae2a 100644 --- a/resources/[soz]/soz-core/private/shared/talent.ts +++ b/resources/[soz]/soz-core/private/shared/talent.ts @@ -1,3 +1,5 @@ -export enum Talent {} +export enum Talent { + AllowJobCarjacking = 23, +} export enum MissiveType {} diff --git a/resources/[soz]/soz-core/public/audio/confection/effect.mp3 b/resources/[soz]/soz-core/public/audio/confection/effect.mp3 deleted file mode 100644 index d2f579edbc..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/confection/effect.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part1.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part1.mp3 deleted file mode 100644 index c766835abd..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part1.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part2.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part2.mp3 deleted file mode 100644 index 7305368204..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part2.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part3.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part3.mp3 deleted file mode 100644 index c3b23042f9..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part3.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part4.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part4.mp3 deleted file mode 100644 index b5d04d3ccd..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part4.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part5.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part5.mp3 deleted file mode 100644 index 5ea0d2a80c..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part5.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part6.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part6.mp3 deleted file mode 100644 index 109d2369ab..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part6.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part7.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part7.mp3 deleted file mode 100644 index 530f51762d..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario1/part7.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part1.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part1.mp3 deleted file mode 100644 index 2cd4465019..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part1.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part2.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part2.mp3 deleted file mode 100644 index cc9b9ded9e..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part2.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part3.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part3.mp3 deleted file mode 100644 index c76c1b1d54..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part3.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part4.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part4.mp3 deleted file mode 100644 index f632aa9d36..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part4.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part6.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part6.mp3 deleted file mode 100644 index ed73cd3123..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario2/part6.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part1.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part1.mp3 deleted file mode 100644 index b22eb83d4f..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part1.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part2.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part2.mp3 deleted file mode 100644 index cf4a53c53f..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part2.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part3.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part3.mp3 deleted file mode 100644 index d42cb0d0e5..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part3.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part4.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part4.mp3 deleted file mode 100644 index f7990b7f45..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part4.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part5.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part5.mp3 deleted file mode 100644 index 08a0853f12..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario3/part5.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part1.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part1.mp3 deleted file mode 100644 index 711a69d5cd..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part1.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part2.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part2.mp3 deleted file mode 100644 index eddcbc8d4f..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part2.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part3.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part3.mp3 deleted file mode 100644 index 0ab762501a..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part3.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part4.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part4.mp3 deleted file mode 100644 index 542222a424..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part4.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part5.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part5.mp3 deleted file mode 100644 index fb259d1188..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part5.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part7.mp3 b/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part7.mp3 deleted file mode 100644 index 22669f8c99..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/halloween-2022/scenario4/part7.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Dialogue_Base_Heist.mp3 b/resources/[soz]/soz-core/public/audio/hub/Dialogue_Base_Heist.mp3 deleted file mode 100644 index d995d4962c..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Dialogue_Base_Heist.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Talent_14.mp3 b/resources/[soz]/soz-core/public/audio/hub/Talent_14.mp3 deleted file mode 100644 index 854ae5db41..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Talent_14.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Talent_21.mp3 b/resources/[soz]/soz-core/public/audio/hub/Talent_21.mp3 deleted file mode 100644 index e07791c951..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Talent_21.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Talent_26.mp3 b/resources/[soz]/soz-core/public/audio/hub/Talent_26.mp3 deleted file mode 100644 index 3831a5d56f..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Talent_26.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Talent_30.mp3 b/resources/[soz]/soz-core/public/audio/hub/Talent_30.mp3 deleted file mode 100644 index 1d8fde01c4..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Talent_30.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Talent_34.mp3 b/resources/[soz]/soz-core/public/audio/hub/Talent_34.mp3 deleted file mode 100644 index 23942e6895..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Talent_34.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/audio/hub/Talent_6.mp3 b/resources/[soz]/soz-core/public/audio/hub/Talent_6.mp3 deleted file mode 100644 index 53df55b145..0000000000 Binary files a/resources/[soz]/soz-core/public/audio/hub/Talent_6.mp3 and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/banner/MenuRaceRank.webp b/resources/[soz]/soz-core/public/images/banner/MenuRaceRank.webp new file mode 100644 index 0000000000..f0ea48e60e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/banner/MenuRaceRank.webp differ diff --git a/resources/[soz]/soz-core/public/images/banner/soz_hammer.webp b/resources/[soz]/soz-core/public/images/banner/soz_hammer.webp new file mode 100644 index 0000000000..6ede451024 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/banner/soz_hammer.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/health/health-book-0.webp b/resources/[soz]/soz-core/public/images/book/health/health-book-0.webp new file mode 100644 index 0000000000..ceeed46011 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/health/health-book-0.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/health/health-book-1.webp b/resources/[soz]/soz-core/public/images/book/health/health-book-1.webp new file mode 100644 index 0000000000..88157b6156 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/health/health-book-1.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/health/health-book-2.webp b/resources/[soz]/soz-core/public/images/book/health/health-book-2.webp new file mode 100644 index 0000000000..5fad7b165c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/health/health-book-2.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/health/health-book-3.webp b/resources/[soz]/soz-core/public/images/book/health/health-book-3.webp new file mode 100644 index 0000000000..4d78a3a075 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/health/health-book-3.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-01.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-01.webp new file mode 100644 index 0000000000..ad6ef80f80 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-01.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-02.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-02.webp new file mode 100644 index 0000000000..718896f463 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-02.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-03.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-03.webp new file mode 100644 index 0000000000..7cfbf9d874 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-03.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-04.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-04.webp new file mode 100644 index 0000000000..dfb3e6d90e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-04.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-05.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-05.webp new file mode 100644 index 0000000000..e012ac4c25 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-05.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-06.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-06.webp new file mode 100644 index 0000000000..bb12ddd7ca Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-06.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-07.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-07.webp new file mode 100644 index 0000000000..70ff81cffd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-07.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-08.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-08.webp new file mode 100644 index 0000000000..3c04c65ac8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-08.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-09.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-09.webp new file mode 100644 index 0000000000..803a1ac589 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-09.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-10.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-10.webp new file mode 100644 index 0000000000..c24803aeca Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-10.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-11.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-11.webp new file mode 100644 index 0000000000..f2c6f02667 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-11.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-12.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-12.webp new file mode 100644 index 0000000000..d2aac7522a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-12.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-13.webp b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-13.webp new file mode 100644 index 0000000000..4ba6d5ecc0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/lsmc-calendar-2023/lsmc-calendar-2023-13.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-0.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-0.webp new file mode 100644 index 0000000000..b8da523281 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-0.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-1.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-1.webp new file mode 100644 index 0000000000..c32f64df9a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-1.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-2.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-2.webp new file mode 100644 index 0000000000..7afa1309e3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-2.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-3.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-3.webp new file mode 100644 index 0000000000..54c638d01f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-3.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-4.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-4.webp new file mode 100644 index 0000000000..3cf2d812de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-4.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-5.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-5.webp new file mode 100644 index 0000000000..cbeae44f39 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-5.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-6.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-6.webp new file mode 100644 index 0000000000..fdd33f86e9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-6.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/politic/politic-7.webp b/resources/[soz]/soz-core/public/images/book/politic/politic-7.webp new file mode 100644 index 0000000000..89fe8f2ece Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/politic/politic-7.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-0.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-0.webp new file mode 100644 index 0000000000..a20abd8a66 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-0.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-1.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-1.webp new file mode 100644 index 0000000000..035982d44a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-1.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-2.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-2.webp new file mode 100644 index 0000000000..59609126b8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-2.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-3.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-3.webp new file mode 100644 index 0000000000..f036fa2a88 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-3.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-4.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-4.webp new file mode 100644 index 0000000000..444c07ce20 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-4.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-5.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-5.webp new file mode 100644 index 0000000000..355b62978c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-5.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-6.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-6.webp new file mode 100644 index 0000000000..b8e042c966 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-6.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-7.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-7.webp new file mode 100644 index 0000000000..32db747bf9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-7.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-8.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-8.webp new file mode 100644 index 0000000000..afa6bed2ff Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-8.webp differ diff --git a/resources/[soz]/soz-core/public/images/book/welcome/welcome-9.webp b/resources/[soz]/soz-core/public/images/book/welcome/welcome-9.webp new file mode 100644 index 0000000000..5c02bfdaf3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/book/welcome/welcome-9.webp differ diff --git a/resources/[soz]/soz-core/public/images/confection/energy.png b/resources/[soz]/soz-core/public/images/confection/energy.png deleted file mode 100644 index 2e0012fbc4..0000000000 Binary files a/resources/[soz]/soz-core/public/images/confection/energy.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/confection/energy.webp b/resources/[soz]/soz-core/public/images/confection/energy.webp new file mode 100644 index 0000000000..933472f2ed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/confection/energy.webp differ diff --git a/resources/[soz]/soz-core/public/images/confection/workshop.png b/resources/[soz]/soz-core/public/images/confection/workshop.png deleted file mode 100644 index d69c387a79..0000000000 Binary files a/resources/[soz]/soz-core/public/images/confection/workshop.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/confection/workshop.webp b/resources/[soz]/soz-core/public/images/confection/workshop.webp new file mode 100644 index 0000000000..06fbb122cb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/confection/workshop.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/drug-contract.webp b/resources/[soz]/soz-core/public/images/drug/drug-contract.webp new file mode 100644 index 0000000000..3732c0e875 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/drug-contract.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/1.webp b/resources/[soz]/soz-core/public/images/drug/talent/1.webp new file mode 100644 index 0000000000..12f6d085d8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/10.webp b/resources/[soz]/soz-core/public/images/drug/talent/10.webp new file mode 100644 index 0000000000..92e4603909 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/10.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/11.webp b/resources/[soz]/soz-core/public/images/drug/talent/11.webp new file mode 100644 index 0000000000..bd55e5b419 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/11.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/12.webp b/resources/[soz]/soz-core/public/images/drug/talent/12.webp new file mode 100644 index 0000000000..547cb37714 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/12.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/13.webp b/resources/[soz]/soz-core/public/images/drug/talent/13.webp new file mode 100644 index 0000000000..1fd79bc200 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/13.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/2.webp b/resources/[soz]/soz-core/public/images/drug/talent/2.webp new file mode 100644 index 0000000000..d28c4220c5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/3.webp b/resources/[soz]/soz-core/public/images/drug/talent/3.webp new file mode 100644 index 0000000000..712b686822 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/4.webp b/resources/[soz]/soz-core/public/images/drug/talent/4.webp new file mode 100644 index 0000000000..e404ae423a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/5.webp b/resources/[soz]/soz-core/public/images/drug/talent/5.webp new file mode 100644 index 0000000000..6fcc952abe Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/6.webp b/resources/[soz]/soz-core/public/images/drug/talent/6.webp new file mode 100644 index 0000000000..f770ff6e3c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/7.webp b/resources/[soz]/soz-core/public/images/drug/talent/7.webp new file mode 100644 index 0000000000..727c43ad75 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/8.webp b/resources/[soz]/soz-core/public/images/drug/talent/8.webp new file mode 100644 index 0000000000..a7889a2ba4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/talent/9.webp b/resources/[soz]/soz-core/public/images/drug/talent/9.webp new file mode 100644 index 0000000000..aa3aef7bdd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/talent/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/drug/transform.webp b/resources/[soz]/soz-core/public/images/drug/transform.webp new file mode 100644 index 0000000000..4108856310 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/drug/transform.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/bass.webp b/resources/[soz]/soz-core/public/images/fishing/bass.webp new file mode 100644 index 0000000000..9ed7748518 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/bass.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/big_lake_background.webp b/resources/[soz]/soz-core/public/images/fishing/big_lake_background.webp new file mode 100644 index 0000000000..e44da6df5b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/big_lake_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/book.webp b/resources/[soz]/soz-core/public/images/fishing/book.webp new file mode 100644 index 0000000000..583f0fff95 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/book.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/canals_background.webp b/resources/[soz]/soz-core/public/images/fishing/canals_background.webp new file mode 100644 index 0000000000..faca165b9e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/canals_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/example.webp b/resources/[soz]/soz-core/public/images/fishing/example.webp new file mode 100644 index 0000000000..53085eb351 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/example.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fish-1.webp b/resources/[soz]/soz-core/public/images/fishing/fish-1.webp new file mode 100644 index 0000000000..342562c388 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fish-1.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fish.webp b/resources/[soz]/soz-core/public/images/fishing/fish.webp new file mode 100644 index 0000000000..e8795254c9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fish.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fishing-background-compact.webp b/resources/[soz]/soz-core/public/images/fishing/fishing-background-compact.webp new file mode 100644 index 0000000000..aa42493b1a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fishing-background-compact.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fishing-background-detailed.webp b/resources/[soz]/soz-core/public/images/fishing/fishing-background-detailed.webp new file mode 100644 index 0000000000..243d0a2c1d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fishing-background-detailed.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fishing-float.webp b/resources/[soz]/soz-core/public/images/fishing/fishing-float.webp new file mode 100644 index 0000000000..899fd5ac79 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fishing-float.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fishing-net.webp b/resources/[soz]/soz-core/public/images/fishing/fishing-net.webp new file mode 100644 index 0000000000..2997617dbf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fishing-net.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/fishing-rod.webp b/resources/[soz]/soz-core/public/images/fishing/fishing-rod.webp new file mode 100644 index 0000000000..2499cd8d01 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/fishing-rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/gold-crown.webp b/resources/[soz]/soz-core/public/images/fishing/gold-crown.webp new file mode 100644 index 0000000000..706ab3065d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/gold-crown.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/hook.webp b/resources/[soz]/soz-core/public/images/fishing/hook.webp new file mode 100644 index 0000000000..2777e777f1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/hook.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-afternoon.webp b/resources/[soz]/soz-core/public/images/fishing/icon-afternoon.webp new file mode 100644 index 0000000000..4477a90edf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-afternoon.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-alcohol.webp b/resources/[soz]/soz-core/public/images/fishing/icon-alcohol.webp new file mode 100644 index 0000000000..ab56b8d93f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-alcohol.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-clean.webp b/resources/[soz]/soz-core/public/images/fishing/icon-clean.webp new file mode 100644 index 0000000000..23a5a62ad6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-clean.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-clock.webp b/resources/[soz]/soz-core/public/images/fishing/icon-clock.webp new file mode 100644 index 0000000000..c974f89e86 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-clock.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-dollar.webp b/resources/[soz]/soz-core/public/images/fishing/icon-dollar.webp new file mode 100644 index 0000000000..4fa708d879 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-dollar.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-drug.webp b/resources/[soz]/soz-core/public/images/fishing/icon-drug.webp new file mode 100644 index 0000000000..ef22a45643 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-drug.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-evening.webp b/resources/[soz]/soz-core/public/images/fishing/icon-evening.webp new file mode 100644 index 0000000000..b5fce006a9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-evening.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-fishing-rod.webp b/resources/[soz]/soz-core/public/images/fishing/icon-fishing-rod.webp new file mode 100644 index 0000000000..2ddd7073b3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-fishing-rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-health.webp b/resources/[soz]/soz-core/public/images/fishing/icon-health.webp new file mode 100644 index 0000000000..63bacab673 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-health.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-hook.webp b/resources/[soz]/soz-core/public/images/fishing/icon-hook.webp new file mode 100644 index 0000000000..89c9039aed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-hook.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-location.webp b/resources/[soz]/soz-core/public/images/fishing/icon-location.webp new file mode 100644 index 0000000000..38a68a7b50 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-location.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-morning.webp b/resources/[soz]/soz-core/public/images/fishing/icon-morning.webp new file mode 100644 index 0000000000..f1dec61d46 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-morning.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-night.webp b/resources/[soz]/soz-core/public/images/fishing/icon-night.webp new file mode 100644 index 0000000000..421712168a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-night.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-sell-tag.webp b/resources/[soz]/soz-core/public/images/fishing/icon-sell-tag.webp new file mode 100644 index 0000000000..70e0d52456 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-sell-tag.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-trophy.webp b/resources/[soz]/soz-core/public/images/fishing/icon-trophy.webp new file mode 100644 index 0000000000..8b2a6fa05b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-trophy.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-weather.webp b/resources/[soz]/soz-core/public/images/fishing/icon-weather.webp new file mode 100644 index 0000000000..39769aaa76 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-weather.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/icon-weight.webp b/resources/[soz]/soz-core/public/images/fishing/icon-weight.webp new file mode 100644 index 0000000000..e13665177b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/icon-weight.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/incomplete_background.webp b/resources/[soz]/soz-core/public/images/fishing/incomplete_background.webp new file mode 100644 index 0000000000..ec8e5c56de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/incomplete_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/little_lake_background.webp b/resources/[soz]/soz-core/public/images/fishing/little_lake_background.webp new file mode 100644 index 0000000000..00681080eb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/little_lake_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/littoral_background.webp b/resources/[soz]/soz-core/public/images/fishing/littoral_background.webp new file mode 100644 index 0000000000..41cdb7b581 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/littoral_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/north_sea_background.webp b/resources/[soz]/soz-core/public/images/fishing/north_sea_background.webp new file mode 100644 index 0000000000..1ee42379f9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/north_sea_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/paper-clip.webp b/resources/[soz]/soz-core/public/images/fishing/paper-clip.webp new file mode 100644 index 0000000000..1b54fbcb4b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/paper-clip.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/river_background.webp b/resources/[soz]/soz-core/public/images/fishing/river_background.webp new file mode 100644 index 0000000000..e9b14013de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/river_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/silver-crown.webp b/resources/[soz]/soz-core/public/images/fishing/silver-crown.webp new file mode 100644 index 0000000000..b6bebc2418 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/silver-crown.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/south_sea_background.webp b/resources/[soz]/soz-core/public/images/fishing/south_sea_background.webp new file mode 100644 index 0000000000..9b44602839 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/south_sea_background.webp differ diff --git a/resources/[soz]/soz-core/public/images/fishing/sticker.webp b/resources/[soz]/soz-core/public/images/fishing/sticker.webp new file mode 100644 index 0000000000..22652663bb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/fishing/sticker.webp differ diff --git a/resources/[soz]/soz-core/public/images/health/health_book.png b/resources/[soz]/soz-core/public/images/health/health_book.png deleted file mode 100644 index ac60adb6fb..0000000000 Binary files a/resources/[soz]/soz-core/public/images/health/health_book.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/housing/garage.png b/resources/[soz]/soz-core/public/images/housing/garage.png deleted file mode 100644 index 4ae34c2eb4..0000000000 Binary files a/resources/[soz]/soz-core/public/images/housing/garage.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/housing/garage.webp b/resources/[soz]/soz-core/public/images/housing/garage.webp new file mode 100644 index 0000000000..812add7228 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/housing/garage.webp differ diff --git a/resources/[soz]/soz-core/public/images/housing/maison.png b/resources/[soz]/soz-core/public/images/housing/maison.png deleted file mode 100644 index 5d66479a91..0000000000 Binary files a/resources/[soz]/soz-core/public/images/housing/maison.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/housing/maison.webp b/resources/[soz]/soz-core/public/images/housing/maison.webp new file mode 100644 index 0000000000..61f931f4ec Binary files /dev/null and b/resources/[soz]/soz-core/public/images/housing/maison.webp differ diff --git a/resources/[soz]/soz-core/public/images/hud/notification/bcso.webp b/resources/[soz]/soz-core/public/images/hud/notification/bcso.webp new file mode 100644 index 0000000000..4187c1dc4f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/hud/notification/bcso.webp differ diff --git a/resources/[soz]/soz-core/public/images/hud/notification/fdo.webp b/resources/[soz]/soz-core/public/images/hud/notification/fdo.webp new file mode 100644 index 0000000000..7d65ff55db Binary files /dev/null and b/resources/[soz]/soz-core/public/images/hud/notification/fdo.webp differ diff --git a/resources/[soz]/soz-core/public/images/hud/notification/lspd.webp b/resources/[soz]/soz-core/public/images/hud/notification/lspd.webp new file mode 100644 index 0000000000..eb4ee3720d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/hud/notification/lspd.webp differ diff --git a/resources/[soz]/soz-core/public/images/hud/notification/sasp.webp b/resources/[soz]/soz-core/public/images/hud/notification/sasp.webp new file mode 100644 index 0000000000..df8170c726 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/hud/notification/sasp.webp differ diff --git a/resources/[soz]/soz-core/public/images/identity/badge.webp b/resources/[soz]/soz-core/public/images/identity/badge.webp new file mode 100644 index 0000000000..285dc328d6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/identity/badge.webp differ diff --git a/resources/[soz]/soz-core/public/images/identity/health_book.webp b/resources/[soz]/soz-core/public/images/identity/health_book.webp new file mode 100644 index 0000000000..da80414793 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/identity/health_book.webp differ diff --git a/resources/[soz]/soz-core/public/images/identity/identity.webp b/resources/[soz]/soz-core/public/images/identity/identity.webp new file mode 100644 index 0000000000..150a26cdc1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/identity/identity.webp differ diff --git a/resources/[soz]/soz-core/public/images/identity/licenses.webp b/resources/[soz]/soz-core/public/images/identity/licenses.webp new file mode 100644 index 0000000000..af5abdba88 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/identity/licenses.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/10kgoldchain.webp b/resources/[soz]/soz-core/public/images/items/10kgoldchain.webp new file mode 100644 index 0000000000..794ec21c46 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/10kgoldchain.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/900k_album.webp b/resources/[soz]/soz-core/public/images/items/900k_album.webp new file mode 100644 index 0000000000..4aed904a72 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/900k_album.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/abat.webp b/resources/[soz]/soz-core/public/images/items/abat.webp new file mode 100644 index 0000000000..b8ab88a575 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/abat.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ablyssus.webp b/resources/[soz]/soz-core/public/images/items/ablyssus.webp new file mode 100644 index 0000000000..765ff5ab0c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ablyssus.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/accelerometer.webp b/resources/[soz]/soz-core/public/images/items/accelerometer.webp new file mode 100644 index 0000000000..5acf25f943 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/accelerometer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/acuattus.webp b/resources/[soz]/soz-core/public/images/items/acuattus.webp new file mode 100644 index 0000000000..0d4943f31b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/acuattus.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/akumaaaa.webp b/resources/[soz]/soz-core/public/images/items/akumaaaa.webp new file mode 100644 index 0000000000..2d92906fe4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/akumaaaa.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/aluminum.webp b/resources/[soz]/soz-core/public/images/items/aluminum.webp new file mode 100644 index 0000000000..44d1a06036 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/aluminum.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/aluminumoxide.webp b/resources/[soz]/soz-core/public/images/items/aluminumoxide.webp new file mode 100644 index 0000000000..6e5f9772ce Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/aluminumoxide.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_01.webp b/resources/[soz]/soz-core/public/images/items/ammo_01.webp new file mode 100644 index 0000000000..866aa5c1ab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_01.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_02.webp b/resources/[soz]/soz-core/public/images/items/ammo_02.webp new file mode 100644 index 0000000000..beb892523b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_02.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_03.webp b/resources/[soz]/soz-core/public/images/items/ammo_03.webp new file mode 100644 index 0000000000..82ef4249bc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_03.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_04.webp b/resources/[soz]/soz-core/public/images/items/ammo_04.webp new file mode 100644 index 0000000000..81b79d6400 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_04.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_07.webp b/resources/[soz]/soz-core/public/images/items/ammo_07.webp new file mode 100644 index 0000000000..00806b130c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_07.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_08.webp b/resources/[soz]/soz-core/public/images/items/ammo_08.webp new file mode 100644 index 0000000000..7830d6721f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_08.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_09.webp b/resources/[soz]/soz-core/public/images/items/ammo_09.webp new file mode 100644 index 0000000000..9ffb0025d2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_09.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ammo_17.webp b/resources/[soz]/soz-core/public/images/items/ammo_17.webp new file mode 100644 index 0000000000..c5e8a430fc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ammo_17.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ananas_juice.webp b/resources/[soz]/soz-core/public/images/items/ananas_juice.webp new file mode 100644 index 0000000000..02f0895184 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ananas_juice.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/angry_fish.webp b/resources/[soz]/soz-core/public/images/items/angry_fish.webp new file mode 100644 index 0000000000..4cab9f9dc8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/angry_fish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/antiacide.webp b/resources/[soz]/soz-core/public/images/items/antiacide.webp new file mode 100644 index 0000000000..5b1de1047c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/antiacide.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/antibiotic.webp b/resources/[soz]/soz-core/public/images/items/antibiotic.webp new file mode 100644 index 0000000000..e1c031a3d0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/antibiotic.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/antidepressant.webp b/resources/[soz]/soz-core/public/images/items/antidepressant.webp new file mode 100644 index 0000000000..20420ccb39 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/antidepressant.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/antistress_diy.webp b/resources/[soz]/soz-core/public/images/items/antistress_diy.webp new file mode 100644 index 0000000000..b4d18f3f18 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/antistress_diy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/antistress_pro.webp b/resources/[soz]/soz-core/public/images/items/antistress_pro.webp new file mode 100644 index 0000000000..bf10551fa8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/antistress_pro.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/apple_juice.webp b/resources/[soz]/soz-core/public/images/items/apple_juice.webp new file mode 100644 index 0000000000..e5d219f7aa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/apple_juice.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/aquatic_wood_runner.webp b/resources/[soz]/soz-core/public/images/items/aquatic_wood_runner.webp new file mode 100644 index 0000000000..cd59320f75 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/aquatic_wood_runner.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor.webp b/resources/[soz]/soz-core/public/images/items/armor.webp new file mode 100644 index 0000000000..ff63833ac0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_bcso.webp b/resources/[soz]/soz-core/public/images/items/armor_bcso.webp new file mode 100644 index 0000000000..6a2e005b64 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_bcso.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_fbi.webp b/resources/[soz]/soz-core/public/images/items/armor_fbi.webp new file mode 100644 index 0000000000..6a2e005b64 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_fbi.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_lsmc.webp b/resources/[soz]/soz-core/public/images/items/armor_lsmc.webp new file mode 100644 index 0000000000..01221f67d3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_lsmc.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_lspd.webp b/resources/[soz]/soz-core/public/images/items/armor_lspd.webp new file mode 100644 index 0000000000..6a2e005b64 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_lspd.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_news.webp b/resources/[soz]/soz-core/public/images/items/armor_news.webp new file mode 100644 index 0000000000..b640276db0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_news.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_sasp1.webp b/resources/[soz]/soz-core/public/images/items/armor_sasp1.webp new file mode 100644 index 0000000000..6bc57ace93 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_sasp1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_sasp2.webp b/resources/[soz]/soz-core/public/images/items/armor_sasp2.webp new file mode 100644 index 0000000000..a6e975cd9d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_sasp2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_stonk.webp b/resources/[soz]/soz-core/public/images/items/armor_stonk.webp new file mode 100644 index 0000000000..ad337f2ed1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_stonk.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/armor_unmark.webp b/resources/[soz]/soz-core/public/images/items/armor_unmark.webp new file mode 100644 index 0000000000..6a2e005b64 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/armor_unmark.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/artificial_fiber.webp b/resources/[soz]/soz-core/public/images/items/artificial_fiber.webp new file mode 100644 index 0000000000..0f7f43fd9b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/artificial_fiber.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/artisanal_jammer.webp b/resources/[soz]/soz-core/public/images/items/artisanal_jammer.webp new file mode 100644 index 0000000000..ff955ec4ed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/artisanal_jammer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/athenais_la_meduse_papillon.webp b/resources/[soz]/soz-core/public/images/items/athenais_la_meduse_papillon.webp new file mode 100644 index 0000000000..46834296f0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/athenais_la_meduse_papillon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/axowin_dragonnet_splendide.webp b/resources/[soz]/soz-core/public/images/items/axowin_dragonnet_splendide.webp new file mode 100644 index 0000000000..98a16db17a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/axowin_dragonnet_splendide.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_big_lake.webp b/resources/[soz]/soz-core/public/images/items/badge_big_lake.webp new file mode 100644 index 0000000000..6c51e899df Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_big_lake.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_canals.webp b/resources/[soz]/soz-core/public/images/items/badge_canals.webp new file mode 100644 index 0000000000..df1271dfb8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_canals.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_little_lake.webp b/resources/[soz]/soz-core/public/images/items/badge_little_lake.webp new file mode 100644 index 0000000000..90ec21f175 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_little_lake.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_littoral.webp b/resources/[soz]/soz-core/public/images/items/badge_littoral.webp new file mode 100644 index 0000000000..444df9efc2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_littoral.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_north_sea.webp b/resources/[soz]/soz-core/public/images/items/badge_north_sea.webp new file mode 100644 index 0000000000..bfc51bb915 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_north_sea.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_river.webp b/resources/[soz]/soz-core/public/images/items/badge_river.webp new file mode 100644 index 0000000000..0b5ba87e55 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_river.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/badge_south_sea.webp b/resources/[soz]/soz-core/public/images/items/badge_south_sea.webp new file mode 100644 index 0000000000..5ca566b7ea Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/badge_south_sea.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bag_kibble.webp b/resources/[soz]/soz-core/public/images/items/bag_kibble.webp new file mode 100644 index 0000000000..548839e4e9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bag_kibble.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/baleine_iris.webp b/resources/[soz]/soz-core/public/images/items/baleine_iris.webp new file mode 100644 index 0000000000..85a6489613 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/baleine_iris.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/barrycuda.webp b/resources/[soz]/soz-core/public/images/items/barrycuda.webp new file mode 100644 index 0000000000..2e9ac257f6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/barrycuda.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/basic_rod.webp b/resources/[soz]/soz-core/public/images/items/basic_rod.webp new file mode 100644 index 0000000000..0709938de2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/basic_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/batrachian_eye.webp b/resources/[soz]/soz-core/public/images/items/batrachian_eye.webp new file mode 100644 index 0000000000..670247e18a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/batrachian_eye.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/beer.webp b/resources/[soz]/soz-core/public/images/items/beer.webp new file mode 100644 index 0000000000..66e4140325 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/beer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bi_queue.webp b/resources/[soz]/soz-core/public/images/items/bi_queue.webp new file mode 100644 index 0000000000..32f06535fb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bi_queue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/big_lake_rod.webp b/resources/[soz]/soz-core/public/images/items/big_lake_rod.webp new file mode 100644 index 0000000000..9bab9db7ca Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/big_lake_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/big_moneybag.webp b/resources/[soz]/soz-core/public/images/items/big_moneybag.webp new file mode 100644 index 0000000000..8097058a57 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/big_moneybag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/big_moneybag_illegal.webp b/resources/[soz]/soz-core/public/images/items/big_moneybag_illegal.webp new file mode 100644 index 0000000000..31e53ff78f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/big_moneybag_illegal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bigornoob.webp b/resources/[soz]/soz-core/public/images/items/bigornoob.webp new file mode 100644 index 0000000000..101ecbb575 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bigornoob.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/binoculars.webp b/resources/[soz]/soz-core/public/images/items/binoculars.webp new file mode 100644 index 0000000000..4271e4f6fa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/binoculars.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/blobo_acanthus.webp b/resources/[soz]/soz-core/public/images/items/blobo_acanthus.webp new file mode 100644 index 0000000000..61ab2f6c79 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/blobo_acanthus.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bloodbag.webp b/resources/[soz]/soz-core/public/images/items/bloodbag.webp new file mode 100644 index 0000000000..aac89aa500 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bloodbag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bloody_knife.webp b/resources/[soz]/soz-core/public/images/items/bloody_knife.webp new file mode 100644 index 0000000000..3637a4a5f7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bloody_knife.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bolingbroke_fish.webp b/resources/[soz]/soz-core/public/images/items/bolingbroke_fish.webp new file mode 100644 index 0000000000..97e0e5b7ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bolingbroke_fish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/brand_new_smartphone.webp b/resources/[soz]/soz-core/public/images/items/brand_new_smartphone.webp new file mode 100644 index 0000000000..043ff95b8d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/brand_new_smartphone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/breathanalyzer.webp b/resources/[soz]/soz-core/public/images/items/breathanalyzer.webp new file mode 100644 index 0000000000..9170c0dbc0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/breathanalyzer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bronze_panther.webp b/resources/[soz]/soz-core/public/images/items/bronze_panther.webp new file mode 100644 index 0000000000..86e4beef86 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bronze_panther.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bulletproof_vest_low.webp b/resources/[soz]/soz-core/public/images/items/bulletproof_vest_low.webp new file mode 100644 index 0000000000..6147d5759b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bulletproof_vest_low.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bulletproof_vest_medium.webp b/resources/[soz]/soz-core/public/images/items/bulletproof_vest_medium.webp new file mode 100644 index 0000000000..fb8cab5b2b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bulletproof_vest_medium.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/bunny_ear.webp b/resources/[soz]/soz-core/public/images/items/bunny_ear.webp new file mode 100644 index 0000000000..599ca11a1b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/bunny_ear.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cabinet_zkea.webp b/resources/[soz]/soz-core/public/images/items/cabinet_zkea.webp new file mode 100644 index 0000000000..0b33ab52d1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cabinet_zkea.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cabinet_zkea_1.webp b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_1.webp new file mode 100644 index 0000000000..fb933966dc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cabinet_zkea_2.webp b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_2.webp new file mode 100644 index 0000000000..d54b0a0409 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cabinet_zkea_3.webp b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_3.webp new file mode 100644 index 0000000000..1db0697820 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cabinet_zkea_4.webp b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_4.webp new file mode 100644 index 0000000000..0b33ab52d1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cabinet_zkea_4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/calm_beverage.webp b/resources/[soz]/soz-core/public/images/items/calm_beverage.webp new file mode 100644 index 0000000000..2958cbe92a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/calm_beverage.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/calmar_amethyste.webp b/resources/[soz]/soz-core/public/images/items/calmar_amethyste.webp new file mode 100644 index 0000000000..0c2f91b58f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/calmar_amethyste.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/canals_rod.webp b/resources/[soz]/soz-core/public/images/items/canals_rod.webp new file mode 100644 index 0000000000..d92679a9ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/canals_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cane_sugar.webp b/resources/[soz]/soz-core/public/images/items/cane_sugar.webp new file mode 100644 index 0000000000..2f2c227a1a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cane_sugar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/capacitor.webp b/resources/[soz]/soz-core/public/images/items/capacitor.webp new file mode 100644 index 0000000000..eb22a38c4c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/capacitor.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/car_charger.webp b/resources/[soz]/soz-core/public/images/items/car_charger.webp new file mode 100644 index 0000000000..3a61407574 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/car_charger.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/car_portable_battery.webp b/resources/[soz]/soz-core/public/images/items/car_portable_battery.webp new file mode 100644 index 0000000000..e1e75d955d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/car_portable_battery.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cardbord.webp b/resources/[soz]/soz-core/public/images/items/cardbord.webp new file mode 100644 index 0000000000..fcaf73c65d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cardbord.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/carpe_diam.webp b/resources/[soz]/soz-core/public/images/items/carpe_diam.webp new file mode 100644 index 0000000000..41a3dcb519 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/carpe_diam.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/carpe_emeraude.webp b/resources/[soz]/soz-core/public/images/items/carpe_emeraude.webp new file mode 100644 index 0000000000..5b4434b153 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/carpe_emeraude.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/carpotresor.webp b/resources/[soz]/soz-core/public/images/items/carpotresor.webp new file mode 100644 index 0000000000..ac9a33f992 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/carpotresor.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/carpxolotl.webp b/resources/[soz]/soz-core/public/images/items/carpxolotl.webp new file mode 100644 index 0000000000..f16996d47f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/carpxolotl.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/certificate.webp b/resources/[soz]/soz-core/public/images/items/certificate.webp new file mode 100644 index 0000000000..f29476c4c7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/certificate.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chainsaw.webp b/resources/[soz]/soz-core/public/images/items/chainsaw.webp new file mode 100644 index 0000000000..2ac51275da Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chainsaw.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chaxo.webp b/resources/[soz]/soz-core/public/images/items/chaxo.webp new file mode 100644 index 0000000000..bb5a780c00 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chaxo.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese1.webp b/resources/[soz]/soz-core/public/images/items/cheese1.webp new file mode 100644 index 0000000000..8a39785b47 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese2.webp b/resources/[soz]/soz-core/public/images/items/cheese2.webp new file mode 100644 index 0000000000..01f708c150 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese3.webp b/resources/[soz]/soz-core/public/images/items/cheese3.webp new file mode 100644 index 0000000000..c81d40cc92 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese4.webp b/resources/[soz]/soz-core/public/images/items/cheese4.webp new file mode 100644 index 0000000000..7154df1084 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese5.webp b/resources/[soz]/soz-core/public/images/items/cheese5.webp new file mode 100644 index 0000000000..aa087db28d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese5.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese6.webp b/resources/[soz]/soz-core/public/images/items/cheese6.webp new file mode 100644 index 0000000000..1ee1630176 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese6.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese7.webp b/resources/[soz]/soz-core/public/images/items/cheese7.webp new file mode 100644 index 0000000000..53952a6249 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese7.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese8.webp b/resources/[soz]/soz-core/public/images/items/cheese8.webp new file mode 100644 index 0000000000..4fb73a3bd2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese8.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cheese9.webp b/resources/[soz]/soz-core/public/images/items/cheese9.webp new file mode 100644 index 0000000000..0c89cd5c2a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cheese9.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chibhippocampe.webp b/resources/[soz]/soz-core/public/images/items/chibhippocampe.webp new file mode 100644 index 0000000000..2fcb4e6ddf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chibhippocampe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chocolat_bread.webp b/resources/[soz]/soz-core/public/images/items/chocolat_bread.webp new file mode 100644 index 0000000000..49085f496e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chocolat_bread.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chocolat_egg.webp b/resources/[soz]/soz-core/public/images/items/chocolat_egg.webp new file mode 100644 index 0000000000..971aad783e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chocolat_egg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chocolat_milk_egg.webp b/resources/[soz]/soz-core/public/images/items/chocolat_milk_egg.webp new file mode 100644 index 0000000000..76cd5bce0c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chocolat_milk_egg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chocolate_bunny.webp b/resources/[soz]/soz-core/public/images/items/chocolate_bunny.webp new file mode 100644 index 0000000000..d710b49d6b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chocolate_bunny.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/chromabranchus_virosa.webp b/resources/[soz]/soz-core/public/images/items/chromabranchus_virosa.webp new file mode 100644 index 0000000000..d054dc76b0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/chromabranchus_virosa.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cigarette_pack.webp b/resources/[soz]/soz-core/public/images/items/cigarette_pack.webp new file mode 100644 index 0000000000..9bad6b8069 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cigarette_pack.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cigarette_used.webp b/resources/[soz]/soz-core/public/images/items/cigarette_used.webp new file mode 100644 index 0000000000..ea64a230f4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cigarette_used.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ciguatoxine.webp b/resources/[soz]/soz-core/public/images/items/ciguatoxine.webp new file mode 100644 index 0000000000..984e6f3076 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ciguatoxine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ciguatoxine_tank.webp b/resources/[soz]/soz-core/public/images/items/ciguatoxine_tank.webp new file mode 100644 index 0000000000..c8b4b40d2a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ciguatoxine_tank.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cinnamon.webp b/resources/[soz]/soz-core/public/images/items/cinnamon.webp new file mode 100644 index 0000000000..d509f9afc7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cinnamon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/circuit_board.webp b/resources/[soz]/soz-core/public/images/items/circuit_board.webp new file mode 100644 index 0000000000..17835b4ece Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/circuit_board.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cleaningkit.webp b/resources/[soz]/soz-core/public/images/items/cleaningkit.webp new file mode 100644 index 0000000000..0f94218f24 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cleaningkit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/clearcrab.webp b/resources/[soz]/soz-core/public/images/items/clearcrab.webp new file mode 100644 index 0000000000..5ba849cd5a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/clearcrab.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/clothing_job_high.webp b/resources/[soz]/soz-core/public/images/items/clothing_job_high.webp new file mode 100644 index 0000000000..b37b07cddc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/clothing_job_high.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/clothing_job_low.webp b/resources/[soz]/soz-core/public/images/items/clothing_job_low.webp new file mode 100644 index 0000000000..b4b1864aac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/clothing_job_low.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/clothing_job_medium.webp b/resources/[soz]/soz-core/public/images/items/clothing_job_medium.webp new file mode 100644 index 0000000000..5830fe127f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/clothing_job_medium.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cochon_de_mer.webp b/resources/[soz]/soz-core/public/images/items/cochon_de_mer.webp new file mode 100644 index 0000000000..7c9ed51fa7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cochon_de_mer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cocktail_box.webp b/resources/[soz]/soz-core/public/images/items/cocktail_box.webp new file mode 100644 index 0000000000..91507681f3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cocktail_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/coconut_milk.webp b/resources/[soz]/soz-core/public/images/items/coconut_milk.webp new file mode 100644 index 0000000000..4cd58b2efa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/coconut_milk.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/coelacant.webp b/resources/[soz]/soz-core/public/images/items/coelacant.webp new file mode 100644 index 0000000000..c84ae66964 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/coelacant.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/coffee.webp b/resources/[soz]/soz-core/public/images/items/coffee.webp new file mode 100644 index 0000000000..28a2a08255 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/coffee.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cognac.webp b/resources/[soz]/soz-core/public/images/items/cognac.webp new file mode 100644 index 0000000000..3371c27041 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cognac.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/coke_small_brick.webp b/resources/[soz]/soz-core/public/images/items/coke_small_brick.webp new file mode 100644 index 0000000000..fbe083e4a3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/coke_small_brick.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cokebaggy.webp b/resources/[soz]/soz-core/public/images/items/cokebaggy.webp new file mode 100644 index 0000000000..8b41608a70 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cokebaggy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/compass.webp b/resources/[soz]/soz-core/public/images/items/compass.webp new file mode 100644 index 0000000000..e9635a8837 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/compass.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/conductive_wire.webp b/resources/[soz]/soz-core/public/images/items/conductive_wire.webp new file mode 100644 index 0000000000..583d303066 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/conductive_wire.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cone.webp b/resources/[soz]/soz-core/public/images/items/cone.webp new file mode 100644 index 0000000000..340b26e0a5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/copper.webp b/resources/[soz]/soz-core/public/images/items/copper.webp new file mode 100644 index 0000000000..3d402033cc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/copper.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cotton_bale.webp b/resources/[soz]/soz-core/public/images/items/cotton_bale.webp new file mode 100644 index 0000000000..49d7acda87 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cotton_bale.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/crabantine.webp b/resources/[soz]/soz-core/public/images/items/crabantine.webp new file mode 100644 index 0000000000..9882746312 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/crabantine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/crabe_rubis.webp b/resources/[soz]/soz-core/public/images/items/crabe_rubis.webp new file mode 100644 index 0000000000..2ec3b1711e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/crabe_rubis.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/crack_baggy.webp b/resources/[soz]/soz-core/public/images/items/crack_baggy.webp new file mode 100644 index 0000000000..b313a07d7f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/crack_baggy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/credit_card.webp b/resources/[soz]/soz-core/public/images/items/credit_card.webp new file mode 100644 index 0000000000..22acf04f4c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/credit_card.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/crevette_alecto.webp b/resources/[soz]/soz-core/public/images/items/crevette_alecto.webp new file mode 100644 index 0000000000..5e24fc1a7b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/crevette_alecto.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cristalfish.webp b/resources/[soz]/soz-core/public/images/items/cristalfish.webp new file mode 100644 index 0000000000..d80ff8d3a2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cristalfish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/croaky_froggy.webp b/resources/[soz]/soz-core/public/images/items/croaky_froggy.webp new file mode 100644 index 0000000000..c089882290 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/croaky_froggy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/cryscrab.webp b/resources/[soz]/soz-core/public/images/items/cryscrab.webp new file mode 100644 index 0000000000..171f463f2d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/cryscrab.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/damaged_smartphone.webp b/resources/[soz]/soz-core/public/images/items/damaged_smartphone.webp new file mode 100644 index 0000000000..ecc8e34e95 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/damaged_smartphone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/defibrilator.webp b/resources/[soz]/soz-core/public/images/items/defibrilator.webp new file mode 100644 index 0000000000..4fdd81be5a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/defibrilator.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/defibrillator.webp b/resources/[soz]/soz-core/public/images/items/defibrillator.webp new file mode 100644 index 0000000000..eba7d04ebf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/defibrillator.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/diagnostic_pad.webp b/resources/[soz]/soz-core/public/images/items/diagnostic_pad.webp new file mode 100644 index 0000000000..67dd78403e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/diagnostic_pad.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/diamond_ring.webp b/resources/[soz]/soz-core/public/images/items/diamond_ring.webp new file mode 100644 index 0000000000..8e1bd6a169 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/diamond_ring.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/dirt_festival_2023_trophy.webp b/resources/[soz]/soz-core/public/images/items/dirt_festival_2023_trophy.webp new file mode 100644 index 0000000000..09413073b9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/dirt_festival_2023_trophy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/discoelacanthe.webp b/resources/[soz]/soz-core/public/images/items/discoelacanthe.webp new file mode 100644 index 0000000000..4088d76c53 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/discoelacanthe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/disgusting_can.webp b/resources/[soz]/soz-core/public/images/items/disgusting_can.webp new file mode 100644 index 0000000000..f117654670 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/disgusting_can.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/disgusting_jar.webp b/resources/[soz]/soz-core/public/images/items/disgusting_jar.webp new file mode 100644 index 0000000000..b05cda1224 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/disgusting_jar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/diving_gear.webp b/resources/[soz]/soz-core/public/images/items/diving_gear.webp new file mode 100644 index 0000000000..270f9d0397 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/diving_gear.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/dobbry_rok.webp b/resources/[soz]/soz-core/public/images/items/dobbry_rok.webp new file mode 100644 index 0000000000..8c69421cb6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/dobbry_rok.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/doradonut.webp b/resources/[soz]/soz-core/public/images/items/doradonut.webp new file mode 100644 index 0000000000..c7d9e3b718 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/doradonut.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ducktape.webp b/resources/[soz]/soz-core/public/images/items/ducktape.webp new file mode 100644 index 0000000000..6f604eebbe Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ducktape.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/easter_basket.webp b/resources/[soz]/soz-core/public/images/items/easter_basket.webp new file mode 100644 index 0000000000..9e8f8ee05d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/easter_basket.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/easter_bell.webp b/resources/[soz]/soz-core/public/images/items/easter_bell.webp new file mode 100644 index 0000000000..92c469a384 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/easter_bell.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/electraie.webp b/resources/[soz]/soz-core/public/images/items/electraie.webp new file mode 100644 index 0000000000..3e186d3eed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/electraie.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/electric_cable.webp b/resources/[soz]/soz-core/public/images/items/electric_cable.webp new file mode 100644 index 0000000000..c7024d01d7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/electric_cable.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/electronickit.webp b/resources/[soz]/soz-core/public/images/items/electronickit.webp new file mode 100644 index 0000000000..e18545618e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/electronickit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/electropoulpe.webp b/resources/[soz]/soz-core/public/images/items/electropoulpe.webp new file mode 100644 index 0000000000..c9263b83fb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/electropoulpe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/empty_bloodbag.webp b/resources/[soz]/soz-core/public/images/items/empty_bloodbag.webp new file mode 100644 index 0000000000..5d67c66e3f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/empty_bloodbag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/empty_lithium_battery.webp b/resources/[soz]/soz-core/public/images/items/empty_lithium_battery.webp new file mode 100644 index 0000000000..3321afe3de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/empty_lithium_battery.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/empty_lunchbox.webp b/resources/[soz]/soz-core/public/images/items/empty_lunchbox.webp new file mode 100644 index 0000000000..5d8af87e40 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/empty_lunchbox.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/empty_weed_bag.webp b/resources/[soz]/soz-core/public/images/items/empty_weed_bag.webp new file mode 100644 index 0000000000..c08992a98d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/empty_weed_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/energy_cell_fossil.webp b/resources/[soz]/soz-core/public/images/items/energy_cell_fossil.webp new file mode 100644 index 0000000000..39fbb05560 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/energy_cell_fossil.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/energy_cell_hydro.webp b/resources/[soz]/soz-core/public/images/items/energy_cell_hydro.webp new file mode 100644 index 0000000000..3f000b7c0f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/energy_cell_hydro.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/energy_cell_solar.webp b/resources/[soz]/soz-core/public/images/items/energy_cell_solar.webp new file mode 100644 index 0000000000..15770a3b6a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/energy_cell_solar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/energy_cell_wind.webp b/resources/[soz]/soz-core/public/images/items/energy_cell_wind.webp new file mode 100644 index 0000000000..f91246fcd4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/energy_cell_wind.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/escalier.webp b/resources/[soz]/soz-core/public/images/items/escalier.webp new file mode 100644 index 0000000000..7dd614dcc8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/escalier.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/essence.webp b/resources/[soz]/soz-core/public/images/items/essence.webp new file mode 100644 index 0000000000..69ad265361 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/essence.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/essence_jerrycan.webp b/resources/[soz]/soz-core/public/images/items/essence_jerrycan.webp new file mode 100644 index 0000000000..155d1e0571 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/essence_jerrycan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/essence_jerrycan_low.webp b/resources/[soz]/soz-core/public/images/items/essence_jerrycan_low.webp new file mode 100644 index 0000000000..6a3d314ad0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/essence_jerrycan_low.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/etoile_de_merdeeeee_aie_elle_ma_mordu.webp b/resources/[soz]/soz-core/public/images/items/etoile_de_merdeeeee_aie_elle_ma_mordu.webp new file mode 100644 index 0000000000..06c3823c9a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/etoile_de_merdeeeee_aie_elle_ma_mordu.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/etoile_diamant.webp b/resources/[soz]/soz-core/public/images/items/etoile_diamant.webp new file mode 100644 index 0000000000..68e9c3b386 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/etoile_diamant.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/exocet_bleu.webp b/resources/[soz]/soz-core/public/images/items/exocet_bleu.webp new file mode 100644 index 0000000000..925e53d88a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/exocet_bleu.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/express_trip_ticket.webp b/resources/[soz]/soz-core/public/images/items/express_trip_ticket.webp new file mode 100644 index 0000000000..abdc96327a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/express_trip_ticket.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/failyv_console.webp b/resources/[soz]/soz-core/public/images/items/failyv_console.webp new file mode 100644 index 0000000000..810541eb74 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/failyv_console.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fake_birthday_cake.webp b/resources/[soz]/soz-core/public/images/items/fake_birthday_cake.webp new file mode 100644 index 0000000000..56a05db158 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fake_birthday_cake.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fake_bracelet.webp b/resources/[soz]/soz-core/public/images/items/fake_bracelet.webp new file mode 100644 index 0000000000..72f80d1779 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fake_bracelet.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fake_id_papers.webp b/resources/[soz]/soz-core/public/images/items/fake_id_papers.webp new file mode 100644 index 0000000000..9fb2160de6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fake_id_papers.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fausse_meduse_haploida.webp b/resources/[soz]/soz-core/public/images/items/fausse_meduse_haploida.webp new file mode 100644 index 0000000000..2355092ceb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fausse_meduse_haploida.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fermentation_pot.webp b/resources/[soz]/soz-core/public/images/items/fermentation_pot.webp new file mode 100644 index 0000000000..973c116864 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fermentation_pot.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fichouette.webp b/resources/[soz]/soz-core/public/images/items/fichouette.webp new file mode 100644 index 0000000000..018f56ed10 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fichouette.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/figel.webp b/resources/[soz]/soz-core/public/images/items/figel.webp new file mode 100644 index 0000000000..c59276452a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/figel.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fire_plouf.webp b/resources/[soz]/soz-core/public/images/items/fire_plouf.webp new file mode 100644 index 0000000000..76d9da02a0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fire_plouf.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/firework1.webp b/resources/[soz]/soz-core/public/images/items/firework1.webp new file mode 100644 index 0000000000..2db9024790 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/firework1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/firework2.webp b/resources/[soz]/soz-core/public/images/items/firework2.webp new file mode 100644 index 0000000000..ec298b69d6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/firework2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/firework3.webp b/resources/[soz]/soz-core/public/images/items/firework3.webp new file mode 100644 index 0000000000..c16dbebab7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/firework3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/firework4.webp b/resources/[soz]/soz-core/public/images/items/firework4.webp new file mode 100644 index 0000000000..2cedc4add8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/firework4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/firstaid.webp b/resources/[soz]/soz-core/public/images/items/firstaid.webp new file mode 100644 index 0000000000..a228264a7a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/firstaid.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/flannochet_zebre.webp b/resources/[soz]/soz-core/public/images/items/flannochet_zebre.webp new file mode 100644 index 0000000000..f7ee9b2655 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/flannochet_zebre.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/flask_blood_empty.webp b/resources/[soz]/soz-core/public/images/items/flask_blood_empty.webp new file mode 100644 index 0000000000..6419e50a8b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/flask_blood_empty.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/flask_blood_full.webp b/resources/[soz]/soz-core/public/images/items/flask_blood_full.webp new file mode 100644 index 0000000000..6f73b09a6c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/flask_blood_full.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/flask_pee_empty.webp b/resources/[soz]/soz-core/public/images/items/flask_pee_empty.webp new file mode 100644 index 0000000000..e32e17159c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/flask_pee_empty.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/flask_pee_full.webp b/resources/[soz]/soz-core/public/images/items/flask_pee_full.webp new file mode 100644 index 0000000000..9cb0eb71ec Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/flask_pee_full.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/flavor_crate.webp b/resources/[soz]/soz-core/public/images/items/flavor_crate.webp new file mode 100644 index 0000000000..8bef27ee20 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/flavor_crate.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fleeca_money_bag.webp b/resources/[soz]/soz-core/public/images/items/fleeca_money_bag.webp new file mode 100644 index 0000000000..a4dc269a7f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fleeca_money_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/foie.webp b/resources/[soz]/soz-core/public/images/items/foie.webp new file mode 100644 index 0000000000..540144f214 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/foie.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/frostoad.webp b/resources/[soz]/soz-core/public/images/items/frostoad.webp new file mode 100644 index 0000000000..0204010e55 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/frostoad.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fruit_slice.webp b/resources/[soz]/soz-core/public/images/items/fruit_slice.webp new file mode 100644 index 0000000000..58d36ff60b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fruit_slice.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fruiting_bag.webp b/resources/[soz]/soz-core/public/images/items/fruiting_bag.webp new file mode 100644 index 0000000000..e5a21d8f4b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fruiting_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fuel_additive.webp b/resources/[soz]/soz-core/public/images/items/fuel_additive.webp new file mode 100644 index 0000000000..1af426b462 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fuel_additive.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/fuel_gel.webp b/resources/[soz]/soz-core/public/images/items/fuel_gel.webp new file mode 100644 index 0000000000..1ada863f75 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/fuel_gel.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/furious_bait.webp b/resources/[soz]/soz-core/public/images/items/furious_bait.webp new file mode 100644 index 0000000000..e7e309491c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/furious_bait.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/furniture_crate.webp b/resources/[soz]/soz-core/public/images/items/furniture_crate.webp new file mode 100644 index 0000000000..e6cd767fef Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/furniture_crate.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garbagebag.webp b/resources/[soz]/soz-core/public/images/items/garbagebag.webp new file mode 100644 index 0000000000..0c62747ddc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garbagebag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_bag.webp b/resources/[soz]/soz-core/public/images/items/garment_bag.webp new file mode 100644 index 0000000000..c45ed8e818 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_gloves.webp b/resources/[soz]/soz-core/public/images/items/garment_gloves.webp new file mode 100644 index 0000000000..6220648b4a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_gloves.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_mask.webp b/resources/[soz]/soz-core/public/images/items/garment_mask.webp new file mode 100644 index 0000000000..c8f08f466f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_mask.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_pant.webp b/resources/[soz]/soz-core/public/images/items/garment_pant.webp new file mode 100644 index 0000000000..24cd85e1e4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_pant.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_shoes.webp b/resources/[soz]/soz-core/public/images/items/garment_shoes.webp new file mode 100644 index 0000000000..0f61bc09de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_shoes.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_top.webp b/resources/[soz]/soz-core/public/images/items/garment_top.webp new file mode 100644 index 0000000000..367b014028 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_top.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_underwear.webp b/resources/[soz]/soz-core/public/images/items/garment_underwear.webp new file mode 100644 index 0000000000..57d324fe2f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_underwear.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/garment_underwear_top.webp b/resources/[soz]/soz-core/public/images/items/garment_underwear_top.webp new file mode 100644 index 0000000000..74cbcd4d7a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/garment_underwear_top.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/gin.webp b/resources/[soz]/soz-core/public/images/items/gin.webp new file mode 100644 index 0000000000..228c2e0d29 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/gin.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/glass.webp b/resources/[soz]/soz-core/public/images/items/glass.webp new file mode 100644 index 0000000000..1c31898481 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/glass.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/globenciel.webp b/resources/[soz]/soz-core/public/images/items/globenciel.webp new file mode 100644 index 0000000000..30bf1d6ca5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/globenciel.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/glowriffy.webp b/resources/[soz]/soz-core/public/images/items/glowriffy.webp new file mode 100644 index 0000000000..9337d161ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/glowriffy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/gobie_vaseux.webp b/resources/[soz]/soz-core/public/images/items/gobie_vaseux.webp new file mode 100644 index 0000000000..13a80ee1ba Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/gobie_vaseux.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/goldbar.webp b/resources/[soz]/soz-core/public/images/items/goldbar.webp new file mode 100644 index 0000000000..3926d8ac06 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/goldbar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/goldchain.webp b/resources/[soz]/soz-core/public/images/items/goldchain.webp new file mode 100644 index 0000000000..7be7d35c33 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/goldchain.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/goldecrevisse.webp b/resources/[soz]/soz-core/public/images/items/goldecrevisse.webp new file mode 100644 index 0000000000..d38fd8e36f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/goldecrevisse.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/golden_egg.webp b/resources/[soz]/soz-core/public/images/items/golden_egg.webp new file mode 100644 index 0000000000..c85bed5155 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/golden_egg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/golden_huitre.webp b/resources/[soz]/soz-core/public/images/items/golden_huitre.webp new file mode 100644 index 0000000000..1e0ea35de8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/golden_huitre.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/goofysh.webp b/resources/[soz]/soz-core/public/images/items/goofysh.webp new file mode 100644 index 0000000000..d38d2855c9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/goofysh.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/gps.webp b/resources/[soz]/soz-core/public/images/items/gps.webp new file mode 100644 index 0000000000..863193b915 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/gps.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/graie_montas.webp b/resources/[soz]/soz-core/public/images/items/graie_montas.webp new file mode 100644 index 0000000000..7dccf294aa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/graie_montas.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grand_ma_handbag.webp b/resources/[soz]/soz-core/public/images/items/grand_ma_handbag.webp new file mode 100644 index 0000000000..16985ddf88 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grand_ma_handbag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grand_pa_denture.webp b/resources/[soz]/soz-core/public/images/items/grand_pa_denture.webp new file mode 100644 index 0000000000..6516ba5c86 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grand_pa_denture.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grape.webp b/resources/[soz]/soz-core/public/images/items/grape.webp new file mode 100644 index 0000000000..2f5b05014c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grape.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grape1.webp b/resources/[soz]/soz-core/public/images/items/grape1.webp new file mode 100644 index 0000000000..bc315f46f4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grape1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grape2.webp b/resources/[soz]/soz-core/public/images/items/grape2.webp new file mode 100644 index 0000000000..e625810091 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grape2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grape3.webp b/resources/[soz]/soz-core/public/images/items/grape3.webp new file mode 100644 index 0000000000..1c8068ec36 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grape3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grape4.webp b/resources/[soz]/soz-core/public/images/items/grape4.webp new file mode 100644 index 0000000000..caff3d1c1b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grape4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grapejuice.webp b/resources/[soz]/soz-core/public/images/items/grapejuice.webp new file mode 100644 index 0000000000..d25963e942 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grapejuice.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grapejuice1.webp b/resources/[soz]/soz-core/public/images/items/grapejuice1.webp new file mode 100644 index 0000000000..0b4fdcb1b0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grapejuice1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grapejuice2.webp b/resources/[soz]/soz-core/public/images/items/grapejuice2.webp new file mode 100644 index 0000000000..413e2b1843 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grapejuice2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grapejuice3.webp b/resources/[soz]/soz-core/public/images/items/grapejuice3.webp new file mode 100644 index 0000000000..c28c45f1e1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grapejuice3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grapejuice4.webp b/resources/[soz]/soz-core/public/images/items/grapejuice4.webp new file mode 100644 index 0000000000..b8a05321e8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grapejuice4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/grapejuice5.webp b/resources/[soz]/soz-core/public/images/items/grapejuice5.webp new file mode 100644 index 0000000000..98f0eb30f8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/grapejuice5.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/green_lemon.webp b/resources/[soz]/soz-core/public/images/items/green_lemon.webp new file mode 100644 index 0000000000..ed8bfdb795 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/green_lemon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/halloween2022_story.webp b/resources/[soz]/soz-core/public/images/items/halloween2022_story.webp new file mode 100644 index 0000000000..ae0ba8dc98 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/halloween2022_story.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/halloween_shopping_bag.webp b/resources/[soz]/soz-core/public/images/items/halloween_shopping_bag.webp new file mode 100644 index 0000000000..3120c7dd20 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/halloween_shopping_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/handcuffs.webp b/resources/[soz]/soz-core/public/images/items/handcuffs.webp new file mode 100644 index 0000000000..0223e416b2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/handcuffs.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/handcuffs_key.webp b/resources/[soz]/soz-core/public/images/items/handcuffs_key.webp new file mode 100644 index 0000000000..9eefcaccf4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/handcuffs_key.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/happygloby.webp b/resources/[soz]/soz-core/public/images/items/happygloby.webp new file mode 100644 index 0000000000..20697a945d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/happygloby.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/head_of_your_dead.webp b/resources/[soz]/soz-core/public/images/items/head_of_your_dead.webp new file mode 100644 index 0000000000..e270147235 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/head_of_your_dead.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/health_book.webp b/resources/[soz]/soz-core/public/images/items/health_book.webp new file mode 100644 index 0000000000..c714716a88 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/health_book.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/heating_tank.webp b/resources/[soz]/soz-core/public/images/items/heating_tank.webp new file mode 100644 index 0000000000..bea30858c7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/heating_tank.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/heavy_antiriot_outfit.webp b/resources/[soz]/soz-core/public/images/items/heavy_antiriot_outfit.webp new file mode 100644 index 0000000000..88d9a01734 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/heavy_antiriot_outfit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/heavy_sell_contract.webp b/resources/[soz]/soz-core/public/images/items/heavy_sell_contract.webp new file mode 100644 index 0000000000..86f5ac111b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/heavy_sell_contract.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/hippocon.webp b/resources/[soz]/soz-core/public/images/items/hippocon.webp new file mode 100644 index 0000000000..31430b678d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/hippocon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/horaine_argentee.webp b/resources/[soz]/soz-core/public/images/items/horaine_argentee.webp new file mode 100644 index 0000000000..8007ecb5c7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/horaine_argentee.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/horrific_lollipop.webp b/resources/[soz]/soz-core/public/images/items/horrific_lollipop.webp new file mode 100644 index 0000000000..936a9b168a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/horrific_lollipop.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/horror_cauldron.webp b/resources/[soz]/soz-core/public/images/items/horror_cauldron.webp new file mode 100644 index 0000000000..3e88333e38 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/horror_cauldron.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/horror_moon.webp b/resources/[soz]/soz-core/public/images/items/horror_moon.webp new file mode 100644 index 0000000000..0b1f4bc5c3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/horror_moon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/house_map.webp b/resources/[soz]/soz-core/public/images/items/house_map.webp new file mode 100644 index 0000000000..f028accdf8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/house_map.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/hypnoisson.webp b/resources/[soz]/soz-core/public/images/items/hypnoisson.webp new file mode 100644 index 0000000000..840a548de1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/hypnoisson.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ice_cube.webp b/resources/[soz]/soz-core/public/images/items/ice_cube.webp new file mode 100644 index 0000000000..b272ed80f3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ice_cube.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/icecrevisse.webp b/resources/[soz]/soz-core/public/images/items/icecrevisse.webp new file mode 100644 index 0000000000..4a6ccdab5c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/icecrevisse.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ifaks.webp b/resources/[soz]/soz-core/public/images/items/ifaks.webp new file mode 100644 index 0000000000..54d3f18f04 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ifaks.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/injector_adrenaline.webp b/resources/[soz]/soz-core/public/images/items/injector_adrenaline.webp new file mode 100644 index 0000000000..b0bf3b093a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/injector_adrenaline.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/injector_etgc.webp b/resources/[soz]/soz-core/public/images/items/injector_etgc.webp new file mode 100644 index 0000000000..47a1ed22b7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/injector_etgc.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/injector_morphine.webp b/resources/[soz]/soz-core/public/images/items/injector_morphine.webp new file mode 100644 index 0000000000..1e6482c992 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/injector_morphine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/injector_mule.webp b/resources/[soz]/soz-core/public/images/items/injector_mule.webp new file mode 100644 index 0000000000..f41fc624d0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/injector_mule.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/injector_propital.webp b/resources/[soz]/soz-core/public/images/items/injector_propital.webp new file mode 100644 index 0000000000..288060229c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/injector_propital.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/inshape_bait.webp b/resources/[soz]/soz-core/public/images/items/inshape_bait.webp new file mode 100644 index 0000000000..c4bdb2f99e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/inshape_bait.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/instantazouille.webp b/resources/[soz]/soz-core/public/images/items/instantazouille.webp new file mode 100644 index 0000000000..d78c50222a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/instantazouille.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/iron.webp b/resources/[soz]/soz-core/public/images/items/iron.webp new file mode 100644 index 0000000000..59b9f24181 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/iron.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ironoxide.webp b/resources/[soz]/soz-core/public/images/items/ironoxide.webp new file mode 100644 index 0000000000..c751c4e405 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ironoxide.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/jewelbag.webp b/resources/[soz]/soz-core/public/images/items/jewelbag.webp new file mode 100644 index 0000000000..77df702ede Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/jewelbag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/jewelbag_illegal.webp b/resources/[soz]/soz-core/public/images/items/jewelbag_illegal.webp new file mode 100644 index 0000000000..142a1a7213 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/jewelbag_illegal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/joint.webp b/resources/[soz]/soz-core/public/images/items/joint.webp new file mode 100644 index 0000000000..5cf3bf61d4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/joint.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/juicy_bait.webp b/resources/[soz]/soz-core/public/images/items/juicy_bait.webp new file mode 100644 index 0000000000..ce40b9bbea Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/juicy_bait.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/kenny_lighter.webp b/resources/[soz]/soz-core/public/images/items/kenny_lighter.webp new file mode 100644 index 0000000000..3d821a41c4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/kenny_lighter.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/kerosene.webp b/resources/[soz]/soz-core/public/images/items/kerosene.webp new file mode 100644 index 0000000000..ae887051c0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/kerosene.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/kerosene_jerrycan.webp b/resources/[soz]/soz-core/public/images/items/kerosene_jerrycan.webp new file mode 100644 index 0000000000..fb2ea74b45 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/kerosene_jerrycan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/kerozene_jerrycan_low.webp b/resources/[soz]/soz-core/public/images/items/kerozene_jerrycan_low.webp new file mode 100644 index 0000000000..5688b26d61 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/kerozene_jerrycan_low.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/krakenine_bag.webp b/resources/[soz]/soz-core/public/images/items/krakenine_bag.webp new file mode 100644 index 0000000000..d2815113bf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/krakenine_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/krakenine_box.webp b/resources/[soz]/soz-core/public/images/items/krakenine_box.webp new file mode 100644 index 0000000000..26a1a0cb73 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/krakenine_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/kronk_terreur.webp b/resources/[soz]/soz-core/public/images/items/kronk_terreur.webp new file mode 100644 index 0000000000..5423afb44c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/kronk_terreur.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/kurkakola.webp b/resources/[soz]/soz-core/public/images/items/kurkakola.webp new file mode 100644 index 0000000000..44072186dc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/kurkakola.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/la_clebsouille.webp b/resources/[soz]/soz-core/public/images/items/la_clebsouille.webp new file mode 100644 index 0000000000..f6e47d9365 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/la_clebsouille.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/la_crevette_arc_en_ciel.webp b/resources/[soz]/soz-core/public/images/items/la_crevette_arc_en_ciel.webp new file mode 100644 index 0000000000..ac46397d6e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/la_crevette_arc_en_ciel.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/langue.webp b/resources/[soz]/soz-core/public/images/items/langue.webp new file mode 100644 index 0000000000..d3cf2c42a4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/langue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lantrole.webp b/resources/[soz]/soz-core/public/images/items/lantrole.webp new file mode 100644 index 0000000000..724059b3e3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lantrole.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lapicolada.webp b/resources/[soz]/soz-core/public/images/items/lapicolada.webp new file mode 100644 index 0000000000..e26f54946f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lapicolada.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lapollo.webp b/resources/[soz]/soz-core/public/images/items/lapollo.webp new file mode 100644 index 0000000000..d3f582ebb5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lapollo.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/laptop.webp b/resources/[soz]/soz-core/public/images/items/laptop.webp new file mode 100644 index 0000000000..b35cd5b55f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/laptop.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/latex.webp b/resources/[soz]/soz-core/public/images/items/latex.webp new file mode 100644 index 0000000000..49159c60d6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/latex.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lawyerpass.webp b/resources/[soz]/soz-core/public/images/items/lawyerpass.webp new file mode 100644 index 0000000000..aa5e76eb92 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lawyerpass.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lcd_screen.webp b/resources/[soz]/soz-core/public/images/items/lcd_screen.webp new file mode 100644 index 0000000000..fab2352441 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lcd_screen.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/le_perlea.webp b/resources/[soz]/soz-core/public/images/items/le_perlea.webp new file mode 100644 index 0000000000..7114f5ec2c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/le_perlea.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/le_pipoulpe.webp b/resources/[soz]/soz-core/public/images/items/le_pipoulpe.webp new file mode 100644 index 0000000000..fbf270e580 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/le_pipoulpe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/le_poulpe_thor.webp b/resources/[soz]/soz-core/public/images/items/le_poulpe_thor.webp new file mode 100644 index 0000000000..2eaf0fdaab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/le_poulpe_thor.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/le_sunny.webp b/resources/[soz]/soz-core/public/images/items/le_sunny.webp new file mode 100644 index 0000000000..8b0147007b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/le_sunny.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/leather.webp b/resources/[soz]/soz-core/public/images/items/leather.webp new file mode 100644 index 0000000000..96540379c7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/leather.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/light_intervention_outfit.webp b/resources/[soz]/soz-core/public/images/items/light_intervention_outfit.webp new file mode 100644 index 0000000000..007cc05793 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/light_intervention_outfit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lighter.webp b/resources/[soz]/soz-core/public/images/items/lighter.webp new file mode 100644 index 0000000000..cb73ab4e5a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lighter.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/limasse.webp b/resources/[soz]/soz-core/public/images/items/limasse.webp new file mode 100644 index 0000000000..ad71933d97 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/limasse.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/liquor_crate.webp b/resources/[soz]/soz-core/public/images/items/liquor_crate.webp new file mode 100644 index 0000000000..2efa4aed8d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/liquor_crate.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lithium_battery.webp b/resources/[soz]/soz-core/public/images/items/lithium_battery.webp new file mode 100644 index 0000000000..3321afe3de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lithium_battery.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/little_lake_rod.webp b/resources/[soz]/soz-core/public/images/items/little_lake_rod.webp new file mode 100644 index 0000000000..7c6daea6bc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/little_lake_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/littoral_rod.webp b/resources/[soz]/soz-core/public/images/items/littoral_rod.webp new file mode 100644 index 0000000000..bfe79db032 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/littoral_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lockpick.webp b/resources/[soz]/soz-core/public/images/items/lockpick.webp new file mode 100644 index 0000000000..2fd76aab2e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lockpick.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lockpick_high.webp b/resources/[soz]/soz-core/public/images/items/lockpick_high.webp new file mode 100644 index 0000000000..d6de8c2208 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lockpick_high.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lockpick_low.webp b/resources/[soz]/soz-core/public/images/items/lockpick_low.webp new file mode 100644 index 0000000000..1ef2afa1d3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lockpick_low.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lockpick_medium.webp b/resources/[soz]/soz-core/public/images/items/lockpick_medium.webp new file mode 100644 index 0000000000..0589b69a6e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lockpick_medium.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lost_tire.webp b/resources/[soz]/soz-core/public/images/items/lost_tire.webp new file mode 100644 index 0000000000..5604f1af7e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lost_tire.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lotushell.webp b/resources/[soz]/soz-core/public/images/items/lotushell.webp new file mode 100644 index 0000000000..c518f6edb7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lotushell.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lsmc_calendar_2023.webp b/resources/[soz]/soz-core/public/images/items/lsmc_calendar_2023.webp new file mode 100644 index 0000000000..80be85bd0d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lsmc_calendar_2023.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lsmc_triathlon_2023_medal.webp b/resources/[soz]/soz-core/public/images/items/lsmc_triathlon_2023_medal.webp new file mode 100644 index 0000000000..6a99e87bc9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lsmc_triathlon_2023_medal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lumeine.webp b/resources/[soz]/soz-core/public/images/items/lumeine.webp new file mode 100644 index 0000000000..8e3d45e8f8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lumeine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luminosa.webp b/resources/[soz]/soz-core/public/images/items/luminosa.webp new file mode 100644 index 0000000000..ed0406174a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luminosa.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lumiscale.webp b/resources/[soz]/soz-core/public/images/items/lumiscale.webp new file mode 100644 index 0000000000..8be5ddc9ed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lumiscale.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/lunchbox.webp b/resources/[soz]/soz-core/public/images/items/lunchbox.webp new file mode 100644 index 0000000000..1ddc3142e0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/lunchbox.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_bag.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_bag.webp new file mode 100644 index 0000000000..193d305c89 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_gloves.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_gloves.webp new file mode 100644 index 0000000000..c771a4a58a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_gloves.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_pant.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_pant.webp new file mode 100644 index 0000000000..8dbb828610 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_pant.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_shoes.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_shoes.webp new file mode 100644 index 0000000000..4c6a467fb6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_shoes.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_top.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_top.webp new file mode 100644 index 0000000000..2d06275cd6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_top.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_underwear.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_underwear.webp new file mode 100644 index 0000000000..1363d99b0c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_underwear.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/luxury_garment_underwear_top.webp b/resources/[soz]/soz-core/public/images/items/luxury_garment_underwear_top.webp new file mode 100644 index 0000000000..9dee3e36d2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/luxury_garment_underwear_top.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/marine.webp b/resources/[soz]/soz-core/public/images/items/marine.webp new file mode 100644 index 0000000000..c702a6defd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/marine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mariusson.webp b/resources/[soz]/soz-core/public/images/items/mariusson.webp new file mode 100644 index 0000000000..829d970602 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mariusson.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/meal_box.webp b/resources/[soz]/soz-core/public/images/items/meal_box.webp new file mode 100644 index 0000000000..05ef6099d7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/meal_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/meat_festival.webp b/resources/[soz]/soz-core/public/images/items/meat_festival.webp new file mode 100644 index 0000000000..35fe077784 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/meat_festival.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/medal_of_merit.webp b/resources/[soz]/soz-core/public/images/items/medal_of_merit.webp new file mode 100644 index 0000000000..1fcf1f7b64 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/medal_of_merit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/medium_moneybag.webp b/resources/[soz]/soz-core/public/images/items/medium_moneybag.webp new file mode 100644 index 0000000000..5a692d90ab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/medium_moneybag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/medium_moneybag_illegal.webp b/resources/[soz]/soz-core/public/images/items/medium_moneybag_illegal.webp new file mode 100644 index 0000000000..d392b31672 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/medium_moneybag_illegal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/meduse_ambre.webp b/resources/[soz]/soz-core/public/images/items/meduse_ambre.webp new file mode 100644 index 0000000000..0c3a565bda Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/meduse_ambre.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/meduze_de_fe_de_la_morre_qui_tu.webp b/resources/[soz]/soz-core/public/images/items/meduze_de_fe_de_la_morre_qui_tu.webp new file mode 100644 index 0000000000..9e2afadbcb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/meduze_de_fe_de_la_morre_qui_tu.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/megaphone.webp b/resources/[soz]/soz-core/public/images/items/megaphone.webp new file mode 100644 index 0000000000..6da85149d4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/megaphone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/merou_colerique_tachete.webp b/resources/[soz]/soz-core/public/images/items/merou_colerique_tachete.webp new file mode 100644 index 0000000000..a3a214e376 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/merou_colerique_tachete.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/metal_pieces.webp b/resources/[soz]/soz-core/public/images/items/metal_pieces.webp new file mode 100644 index 0000000000..d76ea99bc9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/metal_pieces.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/metalscrap.webp b/resources/[soz]/soz-core/public/images/items/metalscrap.webp new file mode 100644 index 0000000000..f29136197e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/metalscrap.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/meth.webp b/resources/[soz]/soz-core/public/images/items/meth.webp new file mode 100644 index 0000000000..20c7abb175 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/meth.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/microphone.webp b/resources/[soz]/soz-core/public/images/items/microphone.webp new file mode 100644 index 0000000000..e0bed196bc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/microphone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/milk.webp b/resources/[soz]/soz-core/public/images/items/milk.webp new file mode 100644 index 0000000000..22e4051c38 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/milk.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/milkbucket.webp b/resources/[soz]/soz-core/public/images/items/milkbucket.webp new file mode 100644 index 0000000000..cb7b93ecb7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/milkbucket.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mini_zigmac.webp b/resources/[soz]/soz-core/public/images/items/mini_zigmac.webp new file mode 100644 index 0000000000..d761e814ee Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mini_zigmac.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/missive.webp b/resources/[soz]/soz-core/public/images/items/missive.webp new file mode 100644 index 0000000000..f97a6f7b7c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/missive.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mobile_radar.webp b/resources/[soz]/soz-core/public/images/items/mobile_radar.webp new file mode 100644 index 0000000000..52bf2f7c3f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mobile_radar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/momanus_toothpaste.webp b/resources/[soz]/soz-core/public/images/items/momanus_toothpaste.webp new file mode 100644 index 0000000000..5d7c558b01 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/momanus_toothpaste.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/moneybag.webp b/resources/[soz]/soz-core/public/images/items/moneybag.webp new file mode 100644 index 0000000000..380ffa2bff Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/moneybag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/morpheus_somnolent.webp b/resources/[soz]/soz-core/public/images/items/morpheus_somnolent.webp new file mode 100644 index 0000000000..1cbf08810c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/morpheus_somnolent.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mossiferne.webp b/resources/[soz]/soz-core/public/images/items/mossiferne.webp new file mode 100644 index 0000000000..8060b35af5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mossiferne.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mountain_festival_2023_trophy.webp b/resources/[soz]/soz-core/public/images/items/mountain_festival_2023_trophy.webp new file mode 100644 index 0000000000..0aab7b0296 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mountain_festival_2023_trophy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mre_peach.webp b/resources/[soz]/soz-core/public/images/items/mre_peach.webp new file mode 100644 index 0000000000..a48f72ea35 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mre_peach.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mre_zera.webp b/resources/[soz]/soz-core/public/images/items/mre_zera.webp new file mode 100644 index 0000000000..c2eefb0a49 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mre_zera.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mushroom.webp b/resources/[soz]/soz-core/public/images/items/mushroom.webp new file mode 100644 index 0000000000..6be68b58fe Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mushroom.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/mushrooms_fruiting_bag.webp b/resources/[soz]/soz-core/public/images/items/mushrooms_fruiting_bag.webp new file mode 100644 index 0000000000..5b6cc2a79b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/mushrooms_fruiting_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_bmic.webp b/resources/[soz]/soz-core/public/images/items/n_bmic.webp new file mode 100644 index 0000000000..2ad8891422 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_bmic.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_camera.webp b/resources/[soz]/soz-core/public/images/items/n_camera.webp new file mode 100644 index 0000000000..70d0cacf0a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_camera.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_fix_camera.webp b/resources/[soz]/soz-core/public/images/items/n_fix_camera.webp new file mode 100644 index 0000000000..72eb5581f2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_fix_camera.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_fix_greenscreen.webp b/resources/[soz]/soz-core/public/images/items/n_fix_greenscreen.webp new file mode 100644 index 0000000000..361e91950c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_fix_greenscreen.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_fix_light.webp b/resources/[soz]/soz-core/public/images/items/n_fix_light.webp new file mode 100644 index 0000000000..60e5a77b66 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_fix_light.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_fix_mic.webp b/resources/[soz]/soz-core/public/images/items/n_fix_mic.webp new file mode 100644 index 0000000000..8498b04bf3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_fix_mic.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/n_mic.webp b/resources/[soz]/soz-core/public/images/items/n_mic.webp new file mode 100644 index 0000000000..178f930060 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/n_mic.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/naked_brain.webp b/resources/[soz]/soz-core/public/images/items/naked_brain.webp new file mode 100644 index 0000000000..39d5637cb3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/naked_brain.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/naloxone.webp b/resources/[soz]/soz-core/public/images/items/naloxone.webp new file mode 100644 index 0000000000..9f41787f76 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/naloxone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/narito.webp b/resources/[soz]/soz-core/public/images/items/narito.webp new file mode 100644 index 0000000000..6c5761d881 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/narito.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/natural_fiber.webp b/resources/[soz]/soz-core/public/images/items/natural_fiber.webp new file mode 100644 index 0000000000..4cdcea21bb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/natural_fiber.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/nebulith.webp b/resources/[soz]/soz-core/public/images/items/nebulith.webp new file mode 100644 index 0000000000..2976913cd5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/nebulith.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/new_year_bottle_2023.webp b/resources/[soz]/soz-core/public/images/items/new_year_bottle_2023.webp new file mode 100644 index 0000000000..f50bb95e5e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/new_year_bottle_2023.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/newcomer_ticket.webp b/resources/[soz]/soz-core/public/images/items/newcomer_ticket.webp new file mode 100644 index 0000000000..0c4deee9c3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/newcomer_ticket.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/newspaper.webp b/resources/[soz]/soz-core/public/images/items/newspaper.webp new file mode 100644 index 0000000000..b761424baa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/newspaper.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/nimo.webp b/resources/[soz]/soz-core/public/images/items/nimo.webp new file mode 100644 index 0000000000..7a43ed6037 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/nimo.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/north_sea_rod.webp b/resources/[soz]/soz-core/public/images/items/north_sea_rod.webp new file mode 100644 index 0000000000..ec75a8b2c9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/north_sea_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/nuts.webp b/resources/[soz]/soz-core/public/images/items/nuts.webp new file mode 100644 index 0000000000..1d5228a1cc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/nuts.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/octoleon.webp b/resources/[soz]/soz-core/public/images/items/octoleon.webp new file mode 100644 index 0000000000..c5fbffa70d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/octoleon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/oil_jerrycan.webp b/resources/[soz]/soz-core/public/images/items/oil_jerrycan.webp new file mode 100644 index 0000000000..0f52cbc74b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/oil_jerrycan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/old_coffee_cup.webp b/resources/[soz]/soz-core/public/images/items/old_coffee_cup.webp new file mode 100644 index 0000000000..31d8d9222f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/old_coffee_cup.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/old_relic.webp b/resources/[soz]/soz-core/public/images/items/old_relic.webp new file mode 100644 index 0000000000..298358225f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/old_relic.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/old_shoes.webp b/resources/[soz]/soz-core/public/images/items/old_shoes.webp new file mode 100644 index 0000000000..678340387d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/old_shoes.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/onigiri_assortment.webp b/resources/[soz]/soz-core/public/images/items/onigiri_assortment.webp new file mode 100644 index 0000000000..a05ddf048a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/onigiri_assortment.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/orange_juice.webp b/resources/[soz]/soz-core/public/images/items/orange_juice.webp new file mode 100644 index 0000000000..815eb5f213 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/orange_juice.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/orions_star.webp b/resources/[soz]/soz-core/public/images/items/orions_star.webp new file mode 100644 index 0000000000..9b157fdee7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/orions_star.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/os.webp b/resources/[soz]/soz-core/public/images/items/os.webp new file mode 100644 index 0000000000..18efcc42d5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/os.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/oursin_kipik.webp b/resources/[soz]/soz-core/public/images/items/oursin_kipik.webp new file mode 100644 index 0000000000..4fec3e42a3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/oursin_kipik.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/outfit_bcso.webp b/resources/[soz]/soz-core/public/images/items/outfit_bcso.webp new file mode 100644 index 0000000000..9d58076b60 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/outfit_bcso.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/outfit_lsmc.webp b/resources/[soz]/soz-core/public/images/items/outfit_lsmc.webp new file mode 100644 index 0000000000..966dc8fe3c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/outfit_lsmc.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/outfit_lspd.webp b/resources/[soz]/soz-core/public/images/items/outfit_lspd.webp new file mode 100644 index 0000000000..d57149d447 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/outfit_lspd.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/painkiller.webp b/resources/[soz]/soz-core/public/images/items/painkiller.webp new file mode 100644 index 0000000000..69ce5ccbfd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/painkiller.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/painkillers.webp b/resources/[soz]/soz-core/public/images/items/painkillers.webp new file mode 100644 index 0000000000..5d74066a22 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/painkillers.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pandoxine_bag.webp b/resources/[soz]/soz-core/public/images/items/pandoxine_bag.webp new file mode 100644 index 0000000000..a22dcbe2b3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pandoxine_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pandoxine_box.webp b/resources/[soz]/soz-core/public/images/items/pandoxine_box.webp new file mode 100644 index 0000000000..6006217fb4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pandoxine_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/paper.webp b/resources/[soz]/soz-core/public/images/items/paper.webp new file mode 100644 index 0000000000..a9221b4e9c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/paper.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/parachute.webp b/resources/[soz]/soz-core/public/images/items/parachute.webp new file mode 100644 index 0000000000..007522d21a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/parachute.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/parking_ticket_fake.webp b/resources/[soz]/soz-core/public/images/items/parking_ticket_fake.webp new file mode 100644 index 0000000000..893f1d1cf9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/parking_ticket_fake.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/paycrimi_card.webp b/resources/[soz]/soz-core/public/images/items/paycrimi_card.webp new file mode 100644 index 0000000000..9bc5f19270 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/paycrimi_card.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/peau.webp b/resources/[soz]/soz-core/public/images/items/peau.webp new file mode 100644 index 0000000000..b2f88ec40b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/peau.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/petite_grosse_baleine.webp b/resources/[soz]/soz-core/public/images/items/petite_grosse_baleine.webp new file mode 100644 index 0000000000..99e21371b8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/petite_grosse_baleine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/petroleum.webp b/resources/[soz]/soz-core/public/images/items/petroleum.webp new file mode 100644 index 0000000000..60da2d4c8e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/petroleum.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/petroleum_refined.webp b/resources/[soz]/soz-core/public/images/items/petroleum_refined.webp new file mode 100644 index 0000000000..ff5d27e188 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/petroleum_refined.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/petroleum_residue.webp b/resources/[soz]/soz-core/public/images/items/petroleum_residue.webp new file mode 100644 index 0000000000..88168c403a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/petroleum_residue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pfister_fish.webp b/resources/[soz]/soz-core/public/images/items/pfister_fish.webp new file mode 100644 index 0000000000..cc999fd73f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pfister_fish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/phase_control_relay.webp b/resources/[soz]/soz-core/public/images/items/phase_control_relay.webp new file mode 100644 index 0000000000..bef286582e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/phase_control_relay.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/phasmopolitan.webp b/resources/[soz]/soz-core/public/images/items/phasmopolitan.webp new file mode 100644 index 0000000000..0a4da5664c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/phasmopolitan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/phone.webp b/resources/[soz]/soz-core/public/images/items/phone.webp new file mode 100644 index 0000000000..04335c8b4e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/phone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pilulieu.webp b/resources/[soz]/soz-core/public/images/items/pilulieu.webp new file mode 100644 index 0000000000..e4619da9c5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pilulieu.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pinkenny.webp b/resources/[soz]/soz-core/public/images/items/pinkenny.webp new file mode 100644 index 0000000000..c7b48b780b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pinkenny.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pinky_punky_fish.webp b/resources/[soz]/soz-core/public/images/items/pinky_punky_fish.webp new file mode 100644 index 0000000000..43e8f7317c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pinky_punky_fish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/piranha_clown.webp b/resources/[soz]/soz-core/public/images/items/piranha_clown.webp new file mode 100644 index 0000000000..f8ef41b3a5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/piranha_clown.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/plastic.webp b/resources/[soz]/soz-core/public/images/items/plastic.webp new file mode 100644 index 0000000000..79bf8f4404 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/plastic.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/plastic_jerrycan.webp b/resources/[soz]/soz-core/public/images/items/plastic_jerrycan.webp new file mode 100644 index 0000000000..182a5b1e24 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/plastic_jerrycan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/plastic_piece.webp b/resources/[soz]/soz-core/public/images/items/plastic_piece.webp new file mode 100644 index 0000000000..1815e74ddc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/plastic_piece.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/plexiglass_piece.webp b/resources/[soz]/soz-core/public/images/items/plexiglass_piece.webp new file mode 100644 index 0000000000..e0a1a8e44c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/plexiglass_piece.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/poimousse.webp b/resources/[soz]/soz-core/public/images/items/poimousse.webp new file mode 100644 index 0000000000..e4e34bdbff Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/poimousse.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/poissoncisson.webp b/resources/[soz]/soz-core/public/images/items/poissoncisson.webp new file mode 100644 index 0000000000..f6bb26131c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/poissoncisson.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/police_barrier.webp b/resources/[soz]/soz-core/public/images/items/police_barrier.webp new file mode 100644 index 0000000000..5291b2e49c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/police_barrier.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/police_pliers.webp b/resources/[soz]/soz-core/public/images/items/police_pliers.webp new file mode 100644 index 0000000000..0e9675edfc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/police_pliers.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/politic_book.webp b/resources/[soz]/soz-core/public/images/items/politic_book.webp new file mode 100644 index 0000000000..a3cec8576a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/politic_book.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pommade.webp b/resources/[soz]/soz-core/public/images/items/pommade.webp new file mode 100644 index 0000000000..1916ce50f1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pommade.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/ponche.webp b/resources/[soz]/soz-core/public/images/items/ponche.webp new file mode 100644 index 0000000000..b4ddd62a79 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/ponche.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/portinet.webp b/resources/[soz]/soz-core/public/images/items/portinet.webp new file mode 100644 index 0000000000..6e761d9ecc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/portinet.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/poulamar.webp b/resources/[soz]/soz-core/public/images/items/poulamar.webp new file mode 100644 index 0000000000..6a3b6e7bcc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/poulamar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/poulpe_eclair.webp b/resources/[soz]/soz-core/public/images/items/poulpe_eclair.webp new file mode 100644 index 0000000000..ad1429e574 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/poulpe_eclair.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/poulpitrol.webp b/resources/[soz]/soz-core/public/images/items/poulpitrol.webp new file mode 100644 index 0000000000..a779d1918c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/poulpitrol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/poumon.webp b/resources/[soz]/soz-core/public/images/items/poumon.webp new file mode 100644 index 0000000000..d38696e155 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/poumon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/prestige_rod.webp b/resources/[soz]/soz-core/public/images/items/prestige_rod.webp new file mode 100644 index 0000000000..841daa04e5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/prestige_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/primed_battery.webp b/resources/[soz]/soz-core/public/images/items/primed_battery.webp new file mode 100644 index 0000000000..73ab338aa7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/primed_battery.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/printerdocument.webp b/resources/[soz]/soz-core/public/images/items/printerdocument.webp new file mode 100644 index 0000000000..10c9ef1853 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/printerdocument.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/processed_krakenine.webp b/resources/[soz]/soz-core/public/images/items/processed_krakenine.webp new file mode 100644 index 0000000000..9315cfbf3a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/processed_krakenine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/processed_pandoxine.webp b/resources/[soz]/soz-core/public/images/items/processed_pandoxine.webp new file mode 100644 index 0000000000..025650daf0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/processed_pandoxine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/processed_psilocybine.webp b/resources/[soz]/soz-core/public/images/items/processed_psilocybine.webp new file mode 100644 index 0000000000..717953372d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/processed_psilocybine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/processed_zeed.webp b/resources/[soz]/soz-core/public/images/items/processed_zeed.webp new file mode 100644 index 0000000000..75ca7c9148 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/processed_zeed.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/products_heavy_box.webp b/resources/[soz]/soz-core/public/images/items/products_heavy_box.webp new file mode 100644 index 0000000000..7a812c0a8a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/products_heavy_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/programmable_processor.webp b/resources/[soz]/soz-core/public/images/items/programmable_processor.webp new file mode 100644 index 0000000000..a872cb615e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/programmable_processor.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/propane_tank.webp b/resources/[soz]/soz-core/public/images/items/propane_tank.webp new file mode 100644 index 0000000000..812b508ef3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/propane_tank.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/protestsign.webp b/resources/[soz]/soz-core/public/images/items/protestsign.webp new file mode 100644 index 0000000000..9a0c52258b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/protestsign.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/psilocybine_bag.webp b/resources/[soz]/soz-core/public/images/items/psilocybine_bag.webp new file mode 100644 index 0000000000..526c45522f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/psilocybine_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/psilocybine_box.webp b/resources/[soz]/soz-core/public/images/items/psilocybine_box.webp new file mode 100644 index 0000000000..39285a28c3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/psilocybine_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/psilocybine_space_cake.webp b/resources/[soz]/soz-core/public/images/items/psilocybine_space_cake.webp new file mode 100644 index 0000000000..1dbeda3074 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/psilocybine_space_cake.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pumpkin.webp b/resources/[soz]/soz-core/public/images/items/pumpkin.webp new file mode 100644 index 0000000000..e0cd467905 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pumpkin.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/pumpkin_soup.webp b/resources/[soz]/soz-core/public/images/items/pumpkin_soup.webp new file mode 100644 index 0000000000..c1acf6753a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/pumpkin_soup.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/purple_omen.webp b/resources/[soz]/soz-core/public/images/items/purple_omen.webp new file mode 100644 index 0000000000..bba09231bc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/purple_omen.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/radar_flash.webp b/resources/[soz]/soz-core/public/images/items/radar_flash.webp new file mode 100644 index 0000000000..b8fb1e02e1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/radar_flash.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/radar_lens.webp b/resources/[soz]/soz-core/public/images/items/radar_lens.webp new file mode 100644 index 0000000000..09385a02dc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/radar_lens.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/radio.webp b/resources/[soz]/soz-core/public/images/items/radio.webp new file mode 100644 index 0000000000..3296b6de25 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/radio.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rainbowfish.webp b/resources/[soz]/soz-core/public/images/items/rainbowfish.webp new file mode 100644 index 0000000000..538ca8971a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rainbowfish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/random_gift_card.webp b/resources/[soz]/soz-core/public/images/items/random_gift_card.webp new file mode 100644 index 0000000000..3c967961f3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/random_gift_card.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rastortue.webp b/resources/[soz]/soz-core/public/images/items/rastortue.webp new file mode 100644 index 0000000000..6b8d7371ad Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rastortue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rechargeable_battery.webp b/resources/[soz]/soz-core/public/images/items/rechargeable_battery.webp new file mode 100644 index 0000000000..78e5e4babb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rechargeable_battery.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/reggaetoad.webp b/resources/[soz]/soz-core/public/images/items/reggaetoad.webp new file mode 100644 index 0000000000..e0e3c5f7d5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/reggaetoad.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/regulator.webp b/resources/[soz]/soz-core/public/images/items/regulator.webp new file mode 100644 index 0000000000..b816f03ae1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/regulator.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rein.webp b/resources/[soz]/soz-core/public/images/items/rein.webp new file mode 100644 index 0000000000..101d9a29ab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rein.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/relax_cookie.webp b/resources/[soz]/soz-core/public/images/items/relax_cookie.webp new file mode 100644 index 0000000000..c20d9b561b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/relax_cookie.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/remote_crafting_kit.webp b/resources/[soz]/soz-core/public/images/items/remote_crafting_kit.webp new file mode 100644 index 0000000000..542f671401 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/remote_crafting_kit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/repairkit.webp b/resources/[soz]/soz-core/public/images/items/repairkit.webp new file mode 100644 index 0000000000..4b80d058d6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/repairkit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/restful_patch.webp b/resources/[soz]/soz-core/public/images/items/restful_patch.webp new file mode 100644 index 0000000000..776d02cc4d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/restful_patch.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rhum.webp b/resources/[soz]/soz-core/public/images/items/rhum.webp new file mode 100644 index 0000000000..72cc91e630 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rhum.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/river_rod.webp b/resources/[soz]/soz-core/public/images/items/river_rod.webp new file mode 100644 index 0000000000..f1d6392257 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/river_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/road_festival_2023_trophy.webp b/resources/[soz]/soz-core/public/images/items/road_festival_2023_trophy.webp new file mode 100644 index 0000000000..ba293fbd63 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/road_festival_2023_trophy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rognon.webp b/resources/[soz]/soz-core/public/images/items/rognon.webp new file mode 100644 index 0000000000..d6ee6fce7e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rognon.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rolex.webp b/resources/[soz]/soz-core/public/images/items/rolex.webp new file mode 100644 index 0000000000..09ffd99268 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rolex.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rolling_paper.webp b/resources/[soz]/soz-core/public/images/items/rolling_paper.webp new file mode 100644 index 0000000000..811e68e511 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rolling_paper.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rosailee.webp b/resources/[soz]/soz-core/public/images/items/rosailee.webp new file mode 100644 index 0000000000..0530dd978a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rosailee.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/royal_vegetables.webp b/resources/[soz]/soz-core/public/images/items/royal_vegetables.webp new file mode 100644 index 0000000000..bb32513b62 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/royal_vegetables.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rubber.webp b/resources/[soz]/soz-core/public/images/items/rubber.webp new file mode 100644 index 0000000000..0c82fe4a22 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rubber.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/rubis_des_mers.webp b/resources/[soz]/soz-core/public/images/items/rubis_des_mers.webp new file mode 100644 index 0000000000..da066d0491 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/rubis_des_mers.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sanajvit.webp b/resources/[soz]/soz-core/public/images/items/sanajvit.webp new file mode 100644 index 0000000000..0d7459b162 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sanajvit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sandre_florale.webp b/resources/[soz]/soz-core/public/images/items/sandre_florale.webp new file mode 100644 index 0000000000..b633e3b3c3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sandre_florale.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sandwich.webp b/resources/[soz]/soz-core/public/images/items/sandwich.webp new file mode 100644 index 0000000000..2a54b24719 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sandwich.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sap.webp b/resources/[soz]/soz-core/public/images/items/sap.webp new file mode 100644 index 0000000000..1af0addfb1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sap.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sausage1.webp b/resources/[soz]/soz-core/public/images/items/sausage1.webp new file mode 100644 index 0000000000..35a388578e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sausage1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sausage2.webp b/resources/[soz]/soz-core/public/images/items/sausage2.webp new file mode 100644 index 0000000000..d51f6b560d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sausage2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sausage3.webp b/resources/[soz]/soz-core/public/images/items/sausage3.webp new file mode 100644 index 0000000000..d84c78b247 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sausage3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sausage4.webp b/resources/[soz]/soz-core/public/images/items/sausage4.webp new file mode 100644 index 0000000000..873ff75437 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sausage4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sausage5.webp b/resources/[soz]/soz-core/public/images/items/sausage5.webp new file mode 100644 index 0000000000..9204bdb0bf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sausage5.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sawdust.webp b/resources/[soz]/soz-core/public/images/items/sawdust.webp new file mode 100644 index 0000000000..073a55e9f7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sawdust.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/screening_test.webp b/resources/[soz]/soz-core/public/images/items/screening_test.webp new file mode 100644 index 0000000000..212dedc11d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/screening_test.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/screw.webp b/resources/[soz]/soz-core/public/images/items/screw.webp new file mode 100644 index 0000000000..e5828e040e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/screw.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/secure_usb_key.webp b/resources/[soz]/soz-core/public/images/items/secure_usb_key.webp new file mode 100644 index 0000000000..88a18f8d2c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/secure_usb_key.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/seeweed_acid.webp b/resources/[soz]/soz-core/public/images/items/seeweed_acid.webp new file mode 100644 index 0000000000..46e30acde4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/seeweed_acid.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sell_contract.webp b/resources/[soz]/soz-core/public/images/items/sell_contract.webp new file mode 100644 index 0000000000..e65725bf39 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sell_contract.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/semi_skimmed_milk.webp b/resources/[soz]/soz-core/public/images/items/semi_skimmed_milk.webp new file mode 100644 index 0000000000..8b230d7a8d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/semi_skimmed_milk.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/silicone_tube.webp b/resources/[soz]/soz-core/public/images/items/silicone_tube.webp new file mode 100644 index 0000000000..8094ee0dc7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/silicone_tube.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/silver_moula.webp b/resources/[soz]/soz-core/public/images/items/silver_moula.webp new file mode 100644 index 0000000000..82365a271c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/silver_moula.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/simone.webp b/resources/[soz]/soz-core/public/images/items/simone.webp new file mode 100644 index 0000000000..e9c1b111f5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/simone.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/skimmed_milk.webp b/resources/[soz]/soz-core/public/images/items/skimmed_milk.webp new file mode 100644 index 0000000000..ba479df6de Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/skimmed_milk.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/small_coffin.webp b/resources/[soz]/soz-core/public/images/items/small_coffin.webp new file mode 100644 index 0000000000..fb4514e6b3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/small_coffin.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/small_moneybag.webp b/resources/[soz]/soz-core/public/images/items/small_moneybag.webp new file mode 100644 index 0000000000..1ab250c9f6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/small_moneybag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/small_moneybag_illegal.webp b/resources/[soz]/soz-core/public/images/items/small_moneybag_illegal.webp new file mode 100644 index 0000000000..06d54a8277 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/small_moneybag_illegal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/snikkel_candy.webp b/resources/[soz]/soz-core/public/images/items/snikkel_candy.webp new file mode 100644 index 0000000000..ea570b3a98 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/snikkel_candy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/snowball.webp b/resources/[soz]/soz-core/public/images/items/snowball.webp new file mode 100644 index 0000000000..042eee9285 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/snowball.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/soil_pot.webp b/resources/[soz]/soz-core/public/images/items/soil_pot.webp new file mode 100644 index 0000000000..d43767ddbd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/soil_pot.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/south_sea_rod.webp b/resources/[soz]/soz-core/public/images/items/south_sea_rod.webp new file mode 100644 index 0000000000..72bd7fc6b9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/south_sea_rod.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/soz_hammer.webp b/resources/[soz]/soz-core/public/images/items/soz_hammer.webp new file mode 100644 index 0000000000..38ed80b902 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/soz_hammer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sozedex.webp b/resources/[soz]/soz-core/public/images/items/sozedex.webp new file mode 100644 index 0000000000..ba57360253 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sozedex.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/special_drill.webp b/resources/[soz]/soz-core/public/images/items/special_drill.webp new file mode 100644 index 0000000000..0391d52bcb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/special_drill.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/spike.webp b/resources/[soz]/soz-core/public/images/items/spike.webp new file mode 100644 index 0000000000..9b5efc1afe Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/spike.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/squalopoisson.webp b/resources/[soz]/soz-core/public/images/items/squalopoisson.webp new file mode 100644 index 0000000000..f2ac712650 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/squalopoisson.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/steel.webp b/resources/[soz]/soz-core/public/images/items/steel.webp new file mode 100644 index 0000000000..1462c6c7f0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/steel.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/stepafou_moustachou.webp b/resources/[soz]/soz-core/public/images/items/stepafou_moustachou.webp new file mode 100644 index 0000000000..9cddae78e9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/stepafou_moustachou.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/stonk__secure_container.webp b/resources/[soz]/soz-core/public/images/items/stonk__secure_container.webp new file mode 100644 index 0000000000..ca8ec886ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/stonk__secure_container.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/storage_module.webp b/resources/[soz]/soz-core/public/images/items/storage_module.webp new file mode 100644 index 0000000000..65a611b86a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/storage_module.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/straw.webp b/resources/[soz]/soz-core/public/images/items/straw.webp new file mode 100644 index 0000000000..e4ded3aba3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/straw.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/strawberry_juice.webp b/resources/[soz]/soz-core/public/images/items/strawberry_juice.webp new file mode 100644 index 0000000000..7afcf142bd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/strawberry_juice.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/stuffed_rabbit.webp b/resources/[soz]/soz-core/public/images/items/stuffed_rabbit.webp new file mode 100644 index 0000000000..f2e96855da Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/stuffed_rabbit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/summer_race_2023_bronze_medal.webp b/resources/[soz]/soz-core/public/images/items/summer_race_2023_bronze_medal.webp new file mode 100644 index 0000000000..e94d02aa60 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/summer_race_2023_bronze_medal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/summer_race_2023_gold_medal.webp b/resources/[soz]/soz-core/public/images/items/summer_race_2023_gold_medal.webp new file mode 100644 index 0000000000..58ebdb10ff Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/summer_race_2023_gold_medal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/summer_race_2023_silver_medal.webp b/resources/[soz]/soz-core/public/images/items/summer_race_2023_silver_medal.webp new file mode 100644 index 0000000000..88b5ea93c5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/summer_race_2023_silver_medal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/sunrayou.webp b/resources/[soz]/soz-core/public/images/items/sunrayou.webp new file mode 100644 index 0000000000..cafe67cac1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/sunrayou.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/surprise_candie.webp b/resources/[soz]/soz-core/public/images/items/surprise_candie.webp new file mode 100644 index 0000000000..4bb95e8c99 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/surprise_candie.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/suspicious_package.webp b/resources/[soz]/soz-core/public/images/items/suspicious_package.webp new file mode 100644 index 0000000000..24960650ba Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/suspicious_package.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/synthetic_fiber.webp b/resources/[soz]/soz-core/public/images/items/synthetic_fiber.webp new file mode 100644 index 0000000000..e2c639a081 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/synthetic_fiber.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/syringe_krakenine.webp b/resources/[soz]/soz-core/public/images/items/syringe_krakenine.webp new file mode 100644 index 0000000000..a89a306e5b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/syringe_krakenine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tablet.webp b/resources/[soz]/soz-core/public/images/items/tablet.webp new file mode 100644 index 0000000000..263cbbc364 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tablet.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tablet_pandoxine.webp b/resources/[soz]/soz-core/public/images/items/tablet_pandoxine.webp new file mode 100644 index 0000000000..6a9b53db6c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tablet_pandoxine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tender_bait.webp b/resources/[soz]/soz-core/public/images/items/tender_bait.webp new file mode 100644 index 0000000000..c71deccea5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tender_bait.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tequila.webp b/resources/[soz]/soz-core/public/images/items/tequila.webp new file mode 100644 index 0000000000..5879af2ca3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tequila.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tetrotox.webp b/resources/[soz]/soz-core/public/images/items/tetrotox.webp new file mode 100644 index 0000000000..0a1f33a700 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tetrotox.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tissue.webp b/resources/[soz]/soz-core/public/images/items/tissue.webp new file mode 100644 index 0000000000..2dac74eba8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tissue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/torn_garbagebag.webp b/resources/[soz]/soz-core/public/images/items/torn_garbagebag.webp new file mode 100644 index 0000000000..08e994decb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/torn_garbagebag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tortue_saphir.webp b/resources/[soz]/soz-core/public/images/items/tortue_saphir.webp new file mode 100644 index 0000000000..16d6731b31 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tortue_saphir.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tosti.webp b/resources/[soz]/soz-core/public/images/items/tosti.webp new file mode 100644 index 0000000000..a024ada475 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tosti.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/toxic_flesh.webp b/resources/[soz]/soz-core/public/images/items/toxic_flesh.webp new file mode 100644 index 0000000000..98cabeeb5b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/toxic_flesh.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/toxic_flesh_pot.webp b/resources/[soz]/soz-core/public/images/items/toxic_flesh_pot.webp new file mode 100644 index 0000000000..5e38e69493 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/toxic_flesh_pot.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/toxiglue.webp b/resources/[soz]/soz-core/public/images/items/toxiglue.webp new file mode 100644 index 0000000000..28fafea2ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/toxiglue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/transmitter.webp b/resources/[soz]/soz-core/public/images/items/transmitter.webp new file mode 100644 index 0000000000..e4eb59e044 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/transmitter.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/trashark.webp b/resources/[soz]/soz-core/public/images/items/trashark.webp new file mode 100644 index 0000000000..1c088d2855 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/trashark.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tree_trunk.webp b/resources/[soz]/soz-core/public/images/items/tree_trunk.webp new file mode 100644 index 0000000000..6e308541ee Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tree_trunk.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tripe.webp b/resources/[soz]/soz-core/public/images/items/tripe.webp new file mode 100644 index 0000000000..6341b15d8f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tripe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/trojan_usb.webp b/resources/[soz]/soz-core/public/images/items/trojan_usb.webp new file mode 100644 index 0000000000..6005ae8409 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/trojan_usb.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/tumbler.webp b/resources/[soz]/soz-core/public/images/items/tumbler.webp new file mode 100644 index 0000000000..c3439773e3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/tumbler.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/twerks_candy.webp b/resources/[soz]/soz-core/public/images/items/twerks_candy.webp new file mode 100644 index 0000000000..056825da88 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/twerks_candy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/twinfish.webp b/resources/[soz]/soz-core/public/images/items/twinfish.webp new file mode 100644 index 0000000000..0149b93ed1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/twinfish.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/uhane.webp b/resources/[soz]/soz-core/public/images/items/uhane.webp new file mode 100644 index 0000000000..0d5273f972 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/uhane.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/umbrella.webp b/resources/[soz]/soz-core/public/images/items/umbrella.webp new file mode 100644 index 0000000000..3bf9181d1a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/umbrella.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/unopenable_gift.webp b/resources/[soz]/soz-core/public/images/items/unopenable_gift.webp new file mode 100644 index 0000000000..473c029136 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/unopenable_gift.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/used_bloodbag.webp b/resources/[soz]/soz-core/public/images/items/used_bloodbag.webp new file mode 100644 index 0000000000..03b9a12cd9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/used_bloodbag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/used_junky_syringue.webp b/resources/[soz]/soz-core/public/images/items/used_junky_syringue.webp new file mode 100644 index 0000000000..3bcce3758d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/used_junky_syringue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/vegan_meal.webp b/resources/[soz]/soz-core/public/images/items/vegan_meal.webp new file mode 100644 index 0000000000..4429f6ed7d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/vegan_meal.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/verdipoulpe.webp b/resources/[soz]/soz-core/public/images/items/verdipoulpe.webp new file mode 100644 index 0000000000..328b591f38 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/verdipoulpe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/viande.webp b/resources/[soz]/soz-core/public/images/items/viande.webp new file mode 100644 index 0000000000..d11939f060 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/viande.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/viscere.webp b/resources/[soz]/soz-core/public/images/items/viscere.webp new file mode 100644 index 0000000000..cb33d00f46 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/viscere.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/vodka.webp b/resources/[soz]/soz-core/public/images/items/vodka.webp new file mode 100644 index 0000000000..48f29fa360 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/vodka.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/voile_souvenir.webp b/resources/[soz]/soz-core/public/images/items/voile_souvenir.webp new file mode 100644 index 0000000000..91bbe376d2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/voile_souvenir.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/walkstick.webp b/resources/[soz]/soz-core/public/images/items/walkstick.webp new file mode 100644 index 0000000000..67f56e1371 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/walkstick.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/water_bottle.webp b/resources/[soz]/soz-core/public/images/items/water_bottle.webp new file mode 100644 index 0000000000..88dfb0e7b6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/water_bottle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_advancedrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_advancedrifle.webp new file mode 100644 index 0000000000..4422abfd9c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_advancedrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_appistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_appistol.webp new file mode 100644 index 0000000000..2995bd2451 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_appistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_assaultrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_assaultrifle.webp new file mode 100644 index 0000000000..f7cd3f6e74 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_assaultrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_assaultrifle_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_assaultrifle_mk2.webp new file mode 100644 index 0000000000..4f9e2f8ae0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_assaultrifle_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_assaultshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_assaultshotgun.webp new file mode 100644 index 0000000000..57483fe329 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_assaultshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_assaultsmg.webp b/resources/[soz]/soz-core/public/images/items/weapon_assaultsmg.webp new file mode 100644 index 0000000000..38435e702b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_assaultsmg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_autoshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_autoshotgun.webp new file mode 100644 index 0000000000..5f3011da0b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_autoshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_ball.webp b/resources/[soz]/soz-core/public/images/items/weapon_ball.webp new file mode 100644 index 0000000000..f616a781c2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_ball.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_bat.webp b/resources/[soz]/soz-core/public/images/items/weapon_bat.webp new file mode 100644 index 0000000000..71f691af9a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_bat.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_battleaxe.webp b/resources/[soz]/soz-core/public/images/items/weapon_battleaxe.webp new file mode 100644 index 0000000000..12c29718a2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_battleaxe.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_bottle.webp b/resources/[soz]/soz-core/public/images/items/weapon_bottle.webp new file mode 100644 index 0000000000..641e1cde3f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_bottle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_bread.webp b/resources/[soz]/soz-core/public/images/items/weapon_bread.webp new file mode 100644 index 0000000000..5f98c2e06e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_bread.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_briefcase.webp b/resources/[soz]/soz-core/public/images/items/weapon_briefcase.webp new file mode 100644 index 0000000000..24eeec35e5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_briefcase.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_briefcase_02.webp b/resources/[soz]/soz-core/public/images/items/weapon_briefcase_02.webp new file mode 100644 index 0000000000..649a667490 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_briefcase_02.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_bullpuprifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_bullpuprifle.webp new file mode 100644 index 0000000000..d616e8a408 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_bullpuprifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_bullpuprifle_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_bullpuprifle_mk2.webp new file mode 100644 index 0000000000..4642bb480d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_bullpuprifle_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_bullpupshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_bullpupshotgun.webp new file mode 100644 index 0000000000..c2f1befae4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_bullpupshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_candycane.webp b/resources/[soz]/soz-core/public/images/items/weapon_candycane.webp new file mode 100644 index 0000000000..340bfa635f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_candycane.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_carbinerifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_carbinerifle.webp new file mode 100644 index 0000000000..e5a541a6c5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_carbinerifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_carbinerifle_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_carbinerifle_mk2.webp new file mode 100644 index 0000000000..0ce3d0adf0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_carbinerifle_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_ceramicpistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_ceramicpistol.webp new file mode 100644 index 0000000000..a97bd01cd6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_ceramicpistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_combatmg.webp b/resources/[soz]/soz-core/public/images/items/weapon_combatmg.webp new file mode 100644 index 0000000000..a017c0676c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_combatmg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_combatmg_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_combatmg_mk2.webp new file mode 100644 index 0000000000..4da5018393 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_combatmg_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_combatpdw.webp b/resources/[soz]/soz-core/public/images/items/weapon_combatpdw.webp new file mode 100644 index 0000000000..1c0c29b385 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_combatpdw.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_combatpistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_combatpistol.webp new file mode 100644 index 0000000000..056eb2a972 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_combatpistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_combatshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_combatshotgun.webp new file mode 100644 index 0000000000..61e0604d46 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_combatshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_compactlauncher.webp b/resources/[soz]/soz-core/public/images/items/weapon_compactlauncher.webp new file mode 100644 index 0000000000..0b16cfa6bf Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_compactlauncher.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_compactrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_compactrifle.webp new file mode 100644 index 0000000000..5925cd6dc2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_compactrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_crowbar.webp b/resources/[soz]/soz-core/public/images/items/weapon_crowbar.webp new file mode 100644 index 0000000000..022c21acb3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_crowbar.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_dagger.webp b/resources/[soz]/soz-core/public/images/items/weapon_dagger.webp new file mode 100644 index 0000000000..996837cee4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_dagger.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_dbshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_dbshotgun.webp new file mode 100644 index 0000000000..ef59ff698f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_dbshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_doubleaction.webp b/resources/[soz]/soz-core/public/images/items/weapon_doubleaction.webp new file mode 100644 index 0000000000..07c319f7cd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_doubleaction.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_fireextinguisher.webp b/resources/[soz]/soz-core/public/images/items/weapon_fireextinguisher.webp new file mode 100644 index 0000000000..d1fd7947fb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_fireextinguisher.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_firework.webp b/resources/[soz]/soz-core/public/images/items/weapon_firework.webp new file mode 100644 index 0000000000..dca3e6b1be Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_firework.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_flaregun.webp b/resources/[soz]/soz-core/public/images/items/weapon_flaregun.webp new file mode 100644 index 0000000000..f265c796be Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_flaregun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_flashlight.webp b/resources/[soz]/soz-core/public/images/items/weapon_flashlight.webp new file mode 100644 index 0000000000..9b91641a84 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_flashlight.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_garbagebag.webp b/resources/[soz]/soz-core/public/images/items/weapon_garbagebag.webp new file mode 100644 index 0000000000..0c62747ddc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_garbagebag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_golfclub.webp b/resources/[soz]/soz-core/public/images/items/weapon_golfclub.webp new file mode 100644 index 0000000000..a27739c0f4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_golfclub.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_grenade.webp b/resources/[soz]/soz-core/public/images/items/weapon_grenade.webp new file mode 100644 index 0000000000..30a5835d71 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_grenade.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_grenadelauncher.webp b/resources/[soz]/soz-core/public/images/items/weapon_grenadelauncher.webp new file mode 100644 index 0000000000..039c881bee Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_grenadelauncher.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_gusenberg.webp b/resources/[soz]/soz-core/public/images/items/weapon_gusenberg.webp new file mode 100644 index 0000000000..15977e9c2e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_gusenberg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_hammer.webp b/resources/[soz]/soz-core/public/images/items/weapon_hammer.webp new file mode 100644 index 0000000000..9e5e8d3feb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_hammer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_hatchet.webp b/resources/[soz]/soz-core/public/images/items/weapon_hatchet.webp new file mode 100644 index 0000000000..32c8e96a0d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_hatchet.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_hazardcan.webp b/resources/[soz]/soz-core/public/images/items/weapon_hazardcan.webp new file mode 100644 index 0000000000..f125492c74 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_hazardcan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_heavypistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_heavypistol.webp new file mode 100644 index 0000000000..69e5ee21d7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_heavypistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_heavyrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_heavyrifle.webp new file mode 100644 index 0000000000..261138a1e5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_heavyrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_heavyshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_heavyshotgun.webp new file mode 100644 index 0000000000..f6329591f7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_heavyshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_heavysniper.webp b/resources/[soz]/soz-core/public/images/items/weapon_heavysniper.webp new file mode 100644 index 0000000000..aa14d763ec Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_heavysniper.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_heavysniper_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_heavysniper_mk2.webp new file mode 100644 index 0000000000..0d00b1ed12 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_heavysniper_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_hominglauncher.webp b/resources/[soz]/soz-core/public/images/items/weapon_hominglauncher.webp new file mode 100644 index 0000000000..b7600d0bd5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_hominglauncher.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_knife.webp b/resources/[soz]/soz-core/public/images/items/weapon_knife.webp new file mode 100644 index 0000000000..f3c1006899 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_knife.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_knuckle.webp b/resources/[soz]/soz-core/public/images/items/weapon_knuckle.webp new file mode 100644 index 0000000000..71c732fee9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_knuckle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_machete.webp b/resources/[soz]/soz-core/public/images/items/weapon_machete.webp new file mode 100644 index 0000000000..fdfb27e0c0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_machete.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_machinepistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_machinepistol.webp new file mode 100644 index 0000000000..ec46b70ce7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_machinepistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_marksmanpistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_marksmanpistol.webp new file mode 100644 index 0000000000..2d808ebc63 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_marksmanpistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_marksmanrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_marksmanrifle.webp new file mode 100644 index 0000000000..2cd706867a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_marksmanrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_marksmanrifle_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_marksmanrifle_mk2.webp new file mode 100644 index 0000000000..a90dd15e90 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_marksmanrifle_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_mg.webp b/resources/[soz]/soz-core/public/images/items/weapon_mg.webp new file mode 100644 index 0000000000..987c96de6c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_mg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_microsmg.webp b/resources/[soz]/soz-core/public/images/items/weapon_microsmg.webp new file mode 100644 index 0000000000..5d2a0dc9e5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_microsmg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_minigun.webp b/resources/[soz]/soz-core/public/images/items/weapon_minigun.webp new file mode 100644 index 0000000000..83859c05b2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_minigun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_minismg.webp b/resources/[soz]/soz-core/public/images/items/weapon_minismg.webp new file mode 100644 index 0000000000..d8ea916021 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_minismg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_molotov.webp b/resources/[soz]/soz-core/public/images/items/weapon_molotov.webp new file mode 100644 index 0000000000..95e298299c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_molotov.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_musket.webp b/resources/[soz]/soz-core/public/images/items/weapon_musket.webp new file mode 100644 index 0000000000..ed4c25dfed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_musket.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_navyrevolver.webp b/resources/[soz]/soz-core/public/images/items/weapon_navyrevolver.webp new file mode 100644 index 0000000000..7e83433be3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_navyrevolver.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_nightstick.webp b/resources/[soz]/soz-core/public/images/items/weapon_nightstick.webp new file mode 100644 index 0000000000..0ada6910f0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_nightstick.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_petrolcan.webp b/resources/[soz]/soz-core/public/images/items/weapon_petrolcan.webp new file mode 100644 index 0000000000..e7a0e544bb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_petrolcan.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pipebomb.webp b/resources/[soz]/soz-core/public/images/items/weapon_pipebomb.webp new file mode 100644 index 0000000000..b5b5829d38 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pipebomb.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_pistol.webp new file mode 100644 index 0000000000..f35fcd03af Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pistol50.webp b/resources/[soz]/soz-core/public/images/items/weapon_pistol50.webp new file mode 100644 index 0000000000..4f9a911c24 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pistol50.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pistol_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_pistol_mk2.webp new file mode 100644 index 0000000000..a9e031fe8a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pistol_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pistolxm3.webp b/resources/[soz]/soz-core/public/images/items/weapon_pistolxm3.webp new file mode 100644 index 0000000000..77fdd8f489 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pistolxm3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_poolcue.webp b/resources/[soz]/soz-core/public/images/items/weapon_poolcue.webp new file mode 100644 index 0000000000..c50b35efdd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_poolcue.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_precisionrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_precisionrifle.webp new file mode 100644 index 0000000000..b01f0b5772 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_precisionrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_proxmine.webp b/resources/[soz]/soz-core/public/images/items/weapon_proxmine.webp new file mode 100644 index 0000000000..b043508a94 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_proxmine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pumpshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_pumpshotgun.webp new file mode 100644 index 0000000000..c66ae837a7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pumpshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_pumpshotgun_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_pumpshotgun_mk2.webp new file mode 100644 index 0000000000..4869f42653 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_pumpshotgun_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_railgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_railgun.webp new file mode 100644 index 0000000000..5238b943e0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_railgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_raycarbine.webp b/resources/[soz]/soz-core/public/images/items/weapon_raycarbine.webp new file mode 100644 index 0000000000..d8179925b4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_raycarbine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_rayminigun.webp b/resources/[soz]/soz-core/public/images/items/weapon_rayminigun.webp new file mode 100644 index 0000000000..2f77648bd7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_rayminigun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_raypistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_raypistol.webp new file mode 100644 index 0000000000..751bd6c55c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_raypistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_revolver.webp b/resources/[soz]/soz-core/public/images/items/weapon_revolver.webp new file mode 100644 index 0000000000..ef32a6d3ab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_revolver.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_revolver_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_revolver_mk2.webp new file mode 100644 index 0000000000..c3ea85f72a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_revolver_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_rpg.webp b/resources/[soz]/soz-core/public/images/items/weapon_rpg.webp new file mode 100644 index 0000000000..a2b1314aa1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_rpg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_sawnoffshotgun.webp b/resources/[soz]/soz-core/public/images/items/weapon_sawnoffshotgun.webp new file mode 100644 index 0000000000..349454632e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_sawnoffshotgun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_smg.webp b/resources/[soz]/soz-core/public/images/items/weapon_smg.webp new file mode 100644 index 0000000000..ac465c37fd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_smg.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_smg_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_smg_mk2.webp new file mode 100644 index 0000000000..73cf9eebbc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_smg_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_smokegrenade.webp b/resources/[soz]/soz-core/public/images/items/weapon_smokegrenade.webp new file mode 100644 index 0000000000..323ecb9bb6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_smokegrenade.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_sniperrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_sniperrifle.webp new file mode 100644 index 0000000000..29e2d86d6c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_sniperrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_snowball.webp b/resources/[soz]/soz-core/public/images/items/weapon_snowball.webp new file mode 100644 index 0000000000..d308b64af6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_snowball.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_snspistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_snspistol.webp new file mode 100644 index 0000000000..66d5616fea Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_snspistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_snspistol_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_snspistol_mk2.webp new file mode 100644 index 0000000000..c209709ad0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_snspistol_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_specialcarbine.webp b/resources/[soz]/soz-core/public/images/items/weapon_specialcarbine.webp new file mode 100644 index 0000000000..ea98c61268 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_specialcarbine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_specialcarbine_mk2.webp b/resources/[soz]/soz-core/public/images/items/weapon_specialcarbine_mk2.webp new file mode 100644 index 0000000000..f69965c9dd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_specialcarbine_mk2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_stickybomb.webp b/resources/[soz]/soz-core/public/images/items/weapon_stickybomb.webp new file mode 100644 index 0000000000..78b5efed46 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_stickybomb.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_stone_hatchet.webp b/resources/[soz]/soz-core/public/images/items/weapon_stone_hatchet.webp new file mode 100644 index 0000000000..b2d5302bc2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_stone_hatchet.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_stungun.webp b/resources/[soz]/soz-core/public/images/items/weapon_stungun.webp new file mode 100644 index 0000000000..98bfcad323 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_stungun.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_switchblade.webp b/resources/[soz]/soz-core/public/images/items/weapon_switchblade.webp new file mode 100644 index 0000000000..eefb39f59d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_switchblade.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_tacticalrifle.webp b/resources/[soz]/soz-core/public/images/items/weapon_tacticalrifle.webp new file mode 100644 index 0000000000..bf886c8c18 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_tacticalrifle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_tecpistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_tecpistol.webp new file mode 100644 index 0000000000..760a4900c3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_tecpistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_vintagepistol.webp b/resources/[soz]/soz-core/public/images/items/weapon_vintagepistol.webp new file mode 100644 index 0000000000..d23132e320 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_vintagepistol.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/weapon_wrench.webp b/resources/[soz]/soz-core/public/images/items/weapon_wrench.webp new file mode 100644 index 0000000000..953da0732e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/weapon_wrench.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/welcome_book.webp b/resources/[soz]/soz-core/public/images/items/welcome_book.webp new file mode 100644 index 0000000000..e5ea624c80 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/welcome_book.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wheel_kit.webp b/resources/[soz]/soz-core/public/images/items/wheel_kit.webp new file mode 100644 index 0000000000..a3b8cfd77b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wheel_kit.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/whicanelle.webp b/resources/[soz]/soz-core/public/images/items/whicanelle.webp new file mode 100644 index 0000000000..4df2c9ac32 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/whicanelle.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/whisky.webp b/resources/[soz]/soz-core/public/images/items/whisky.webp new file mode 100644 index 0000000000..08c1ce9b72 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/whisky.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wine.webp b/resources/[soz]/soz-core/public/images/items/wine.webp new file mode 100644 index 0000000000..3e022ea641 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wine.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wine1.webp b/resources/[soz]/soz-core/public/images/items/wine1.webp new file mode 100644 index 0000000000..8943c108ff Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wine1.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wine2.webp b/resources/[soz]/soz-core/public/images/items/wine2.webp new file mode 100644 index 0000000000..18538fb853 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wine2.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wine3.webp b/resources/[soz]/soz-core/public/images/items/wine3.webp new file mode 100644 index 0000000000..342b1e6df8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wine3.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wine4.webp b/resources/[soz]/soz-core/public/images/items/wine4.webp new file mode 100644 index 0000000000..af8f8e233a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wine4.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/witch_broom.webp b/resources/[soz]/soz-core/public/images/items/witch_broom.webp new file mode 100644 index 0000000000..b18a24c054 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/witch_broom.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wood_plank.webp b/resources/[soz]/soz-core/public/images/items/wood_plank.webp new file mode 100644 index 0000000000..1c44ab38c7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wood_plank.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/wooden_flight.webp b/resources/[soz]/soz-core/public/images/items/wooden_flight.webp new file mode 100644 index 0000000000..c0d0d2bc07 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/wooden_flight.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/work_clothes.webp b/resources/[soz]/soz-core/public/images/items/work_clothes.webp new file mode 100644 index 0000000000..6c72a1ca21 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/work_clothes.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/worldtour_festival_2023_trophy.webp b/resources/[soz]/soz-core/public/images/items/worldtour_festival_2023_trophy.webp new file mode 100644 index 0000000000..1b3c5e0e5c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/worldtour_festival_2023_trophy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/xtcbaggy.webp b/resources/[soz]/soz-core/public/images/items/xtcbaggy.webp new file mode 100644 index 0000000000..635ffaca56 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/xtcbaggy.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zait_fruite.webp b/resources/[soz]/soz-core/public/images/items/zait_fruite.webp new file mode 100644 index 0000000000..50ca5b5914 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zait_fruite.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zanta_glace_energetique.webp b/resources/[soz]/soz-core/public/images/items/zanta_glace_energetique.webp new file mode 100644 index 0000000000..910ae901cd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zanta_glace_energetique.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zeed.webp b/resources/[soz]/soz-core/public/images/items/zeed.webp new file mode 100644 index 0000000000..393e040075 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zeed.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zeed_bag.webp b/resources/[soz]/soz-core/public/images/items/zeed_bag.webp new file mode 100644 index 0000000000..209b35a0fd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zeed_bag.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zeed_box.webp b/resources/[soz]/soz-core/public/images/items/zeed_box.webp new file mode 100644 index 0000000000..6449fee28d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zeed_box.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zeed_joint.webp b/resources/[soz]/soz-core/public/images/items/zeed_joint.webp new file mode 100644 index 0000000000..0fbcfbc043 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zeed_joint.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zeed_pot.webp b/resources/[soz]/soz-core/public/images/items/zeed_pot.webp new file mode 100644 index 0000000000..32646a59cc Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zeed_pot.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zeponge_de_mer.webp b/resources/[soz]/soz-core/public/images/items/zeponge_de_mer.webp new file mode 100644 index 0000000000..cd0513a5ce Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zeponge_de_mer.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zevent2022_popcorn.webp b/resources/[soz]/soz-core/public/images/items/zevent2022_popcorn.webp new file mode 100644 index 0000000000..0a3e3c2578 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zevent2022_popcorn.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zevent2022_ticket.webp b/resources/[soz]/soz-core/public/images/items/zevent2022_ticket.webp new file mode 100644 index 0000000000..36ebd12455 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zevent2022_ticket.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zevent2022_tshirt.webp b/resources/[soz]/soz-core/public/images/items/zevent2022_tshirt.webp new file mode 100644 index 0000000000..f5df9614e1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zevent2022_tshirt.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zip.webp b/resources/[soz]/soz-core/public/images/items/zip.webp new file mode 100644 index 0000000000..0cf2f35bc0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zip.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zirvine_dracopis.webp b/resources/[soz]/soz-core/public/images/items/zirvine_dracopis.webp new file mode 100644 index 0000000000..24533ae273 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zirvine_dracopis.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zombie_hand.webp b/resources/[soz]/soz-core/public/images/items/zombie_hand.webp new file mode 100644 index 0000000000..5e701da17e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zombie_hand.webp differ diff --git a/resources/[soz]/soz-core/public/images/items/zpad.webp b/resources/[soz]/soz-core/public/images/items/zpad.webp new file mode 100644 index 0000000000..3d806a4ff2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/items/zpad.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/0.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/0.jpg deleted file mode 100644 index f39d26599c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/0.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/0.webp b/resources/[soz]/soz-core/public/images/missive/delivery/0.webp new file mode 100644 index 0000000000..b20ed528a2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/0.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/1.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/1.jpg deleted file mode 100644 index 28b303057d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/1.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/1.webp b/resources/[soz]/soz-core/public/images/missive/delivery/1.webp new file mode 100644 index 0000000000..04635dcada Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/2.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/2.jpg deleted file mode 100644 index 33de98cbe1..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/2.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/2.webp b/resources/[soz]/soz-core/public/images/missive/delivery/2.webp new file mode 100644 index 0000000000..f77e5a95aa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/3.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/3.jpg deleted file mode 100644 index 01c447ac9f..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/3.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/3.webp b/resources/[soz]/soz-core/public/images/missive/delivery/3.webp new file mode 100644 index 0000000000..664817c5c1 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/4.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/4.jpg deleted file mode 100644 index 5729b92a61..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/4.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/4.webp b/resources/[soz]/soz-core/public/images/missive/delivery/4.webp new file mode 100644 index 0000000000..77732562c6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/5.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/5.jpg deleted file mode 100644 index ddac574d83..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/5.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/5.webp b/resources/[soz]/soz-core/public/images/missive/delivery/5.webp new file mode 100644 index 0000000000..ada8fd5a7b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/6.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/6.jpg deleted file mode 100644 index 9410bdcee2..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/6.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/6.webp b/resources/[soz]/soz-core/public/images/missive/delivery/6.webp new file mode 100644 index 0000000000..aae80196d0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/7.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/7.jpg deleted file mode 100644 index 945ea4bdd3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/7.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/7.webp b/resources/[soz]/soz-core/public/images/missive/delivery/7.webp new file mode 100644 index 0000000000..bbac669d99 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/8.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/8.jpg deleted file mode 100644 index a7a747e715..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/8.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/8.webp b/resources/[soz]/soz-core/public/images/missive/delivery/8.webp new file mode 100644 index 0000000000..2211c6bb12 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/9.jpg b/resources/[soz]/soz-core/public/images/missive/delivery/9.jpg deleted file mode 100644 index 233a8a5872..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/delivery/9.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/delivery/9.webp b/resources/[soz]/soz-core/public/images/missive/delivery/9.webp new file mode 100644 index 0000000000..8b6f38deac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/delivery/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/missive-bg.png b/resources/[soz]/soz-core/public/images/missive/missive-bg.png deleted file mode 100644 index b8f97e08aa..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/missive-bg.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/missive-bg.webp b/resources/[soz]/soz-core/public/images/missive/missive-bg.webp new file mode 100644 index 0000000000..cae5e3127b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/missive-bg.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/0.jpg b/resources/[soz]/soz-core/public/images/missive/object/0.jpg deleted file mode 100644 index c8d2562020..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/0.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/0.webp b/resources/[soz]/soz-core/public/images/missive/object/0.webp new file mode 100644 index 0000000000..e405410c82 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/0.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/1.jpg b/resources/[soz]/soz-core/public/images/missive/object/1.jpg deleted file mode 100644 index c10e61cff1..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/1.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/1.webp b/resources/[soz]/soz-core/public/images/missive/object/1.webp new file mode 100644 index 0000000000..56eda986e2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/2.jpg b/resources/[soz]/soz-core/public/images/missive/object/2.jpg deleted file mode 100644 index 2bbe018ed1..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/2.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/2.webp b/resources/[soz]/soz-core/public/images/missive/object/2.webp new file mode 100644 index 0000000000..fe46449ba5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/3.jpg b/resources/[soz]/soz-core/public/images/missive/object/3.jpg deleted file mode 100644 index a06830a6ff..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/3.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/3.webp b/resources/[soz]/soz-core/public/images/missive/object/3.webp new file mode 100644 index 0000000000..7168b74111 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/4.jpg b/resources/[soz]/soz-core/public/images/missive/object/4.jpg deleted file mode 100644 index 80ead70dfc..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/4.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/4.webp b/resources/[soz]/soz-core/public/images/missive/object/4.webp new file mode 100644 index 0000000000..82f4e94d3f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/5.jpg b/resources/[soz]/soz-core/public/images/missive/object/5.jpg deleted file mode 100644 index 37bc7d080f..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/5.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/5.webp b/resources/[soz]/soz-core/public/images/missive/object/5.webp new file mode 100644 index 0000000000..f92dc2b6c2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/6.jpg b/resources/[soz]/soz-core/public/images/missive/object/6.jpg deleted file mode 100644 index 8e97c3f828..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/6.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/6.webp b/resources/[soz]/soz-core/public/images/missive/object/6.webp new file mode 100644 index 0000000000..8d3b0f1d05 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/7.jpg b/resources/[soz]/soz-core/public/images/missive/object/7.jpg deleted file mode 100644 index eb1020e9d7..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/7.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/7.webp b/resources/[soz]/soz-core/public/images/missive/object/7.webp new file mode 100644 index 0000000000..47729c18e0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/8.jpg b/resources/[soz]/soz-core/public/images/missive/object/8.jpg deleted file mode 100644 index 8e68a2f837..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/8.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/8.webp b/resources/[soz]/soz-core/public/images/missive/object/8.webp new file mode 100644 index 0000000000..a3cb3ff82b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/9.jpg b/resources/[soz]/soz-core/public/images/missive/object/9.jpg deleted file mode 100644 index 845caaef3c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/object/9.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/object/9.webp b/resources/[soz]/soz-core/public/images/missive/object/9.webp new file mode 100644 index 0000000000..82940101f2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/object/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/0.jpg b/resources/[soz]/soz-core/public/images/missive/search/0.jpg deleted file mode 100644 index 9065d92d09..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/0.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/0.webp b/resources/[soz]/soz-core/public/images/missive/search/0.webp new file mode 100644 index 0000000000..fc8dca0ebd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/0.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/1.jpg b/resources/[soz]/soz-core/public/images/missive/search/1.jpg deleted file mode 100644 index 7d29188610..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/1.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/1.webp b/resources/[soz]/soz-core/public/images/missive/search/1.webp new file mode 100644 index 0000000000..1809cf1e41 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/2.jpg b/resources/[soz]/soz-core/public/images/missive/search/2.jpg deleted file mode 100644 index f82c20183c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/2.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/2.webp b/resources/[soz]/soz-core/public/images/missive/search/2.webp new file mode 100644 index 0000000000..8733f85dd5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/3.jpg b/resources/[soz]/soz-core/public/images/missive/search/3.jpg deleted file mode 100644 index 8b55cded8d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/3.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/3.webp b/resources/[soz]/soz-core/public/images/missive/search/3.webp new file mode 100644 index 0000000000..36fca3128b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/4.jpg b/resources/[soz]/soz-core/public/images/missive/search/4.jpg deleted file mode 100644 index aeffbd5ddf..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/4.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/4.webp b/resources/[soz]/soz-core/public/images/missive/search/4.webp new file mode 100644 index 0000000000..3adf5d5fa0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/5.jpg b/resources/[soz]/soz-core/public/images/missive/search/5.jpg deleted file mode 100644 index 0b9f97b973..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/5.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/5.webp b/resources/[soz]/soz-core/public/images/missive/search/5.webp new file mode 100644 index 0000000000..0a1b5d6bed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/6.jpg b/resources/[soz]/soz-core/public/images/missive/search/6.jpg deleted file mode 100644 index 10ac44ccd2..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/6.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/6.webp b/resources/[soz]/soz-core/public/images/missive/search/6.webp new file mode 100644 index 0000000000..0b361ea6c9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/7.jpg b/resources/[soz]/soz-core/public/images/missive/search/7.jpg deleted file mode 100644 index cf2eb76e9c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/7.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/7.webp b/resources/[soz]/soz-core/public/images/missive/search/7.webp new file mode 100644 index 0000000000..d3744b98d0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/8.jpg b/resources/[soz]/soz-core/public/images/missive/search/8.jpg deleted file mode 100644 index ac6580a7a6..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/8.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/8.webp b/resources/[soz]/soz-core/public/images/missive/search/8.webp new file mode 100644 index 0000000000..d1d2bd36fb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/9.jpg b/resources/[soz]/soz-core/public/images/missive/search/9.jpg deleted file mode 100644 index 35c981eebc..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/search/9.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/search/9.webp b/resources/[soz]/soz-core/public/images/missive/search/9.webp new file mode 100644 index 0000000000..62df8dccdd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/search/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/0.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/0.jpg deleted file mode 100644 index d3b39d791a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/0.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/0.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/0.webp new file mode 100644 index 0000000000..45527161d4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/0.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/1.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/1.jpg deleted file mode 100644 index 22fe1bffb8..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/1.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/1.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/1.webp new file mode 100644 index 0000000000..7b0c6515b9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/2.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/2.jpg deleted file mode 100644 index 161e64c17d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/2.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/2.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/2.webp new file mode 100644 index 0000000000..affdee193c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/3.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/3.jpg deleted file mode 100644 index b79177000c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/3.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/3.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/3.webp new file mode 100644 index 0000000000..5cbc8bdf5b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/4.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/4.jpg deleted file mode 100644 index f82f02c40b..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/4.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/4.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/4.webp new file mode 100644 index 0000000000..70662e471f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/5.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/5.jpg deleted file mode 100644 index d266077198..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/5.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/5.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/5.webp new file mode 100644 index 0000000000..54b3f295e9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/6.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/6.jpg deleted file mode 100644 index ca26a10d3f..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/6.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/6.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/6.webp new file mode 100644 index 0000000000..46d65e45ea Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/7.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/7.jpg deleted file mode 100644 index 09858f9a4d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/7.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/7.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/7.webp new file mode 100644 index 0000000000..6f2ca1aa85 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/8.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/8.jpg deleted file mode 100644 index a8c7a1dc17..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/8.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/8.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/8.webp new file mode 100644 index 0000000000..dd1994094a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/9.jpg b/resources/[soz]/soz-core/public/images/missive/vehicle/9.jpg deleted file mode 100644 index 07a4d507c4..0000000000 Binary files a/resources/[soz]/soz-core/public/images/missive/vehicle/9.jpg and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/missive/vehicle/9.webp b/resources/[soz]/soz-core/public/images/missive/vehicle/9.webp new file mode 100644 index 0000000000..215c1c453e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/missive/vehicle/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/bottom-left.png b/resources/[soz]/soz-core/public/images/panel/bottom-left.png deleted file mode 100644 index c21ba4339c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/bottom-left.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/bottom-left.webp b/resources/[soz]/soz-core/public/images/panel/bottom-left.webp new file mode 100644 index 0000000000..9c16b58bce Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/bottom-left.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/bottom-right.png b/resources/[soz]/soz-core/public/images/panel/bottom-right.png deleted file mode 100644 index 22de67a15a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/bottom-right.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/bottom-right.webp b/resources/[soz]/soz-core/public/images/panel/bottom-right.webp new file mode 100644 index 0000000000..ab6aaa5cab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/bottom-right.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/bottom.png b/resources/[soz]/soz-core/public/images/panel/bottom.png deleted file mode 100644 index 1897c8d1cd..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/bottom.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/bottom.webp b/resources/[soz]/soz-core/public/images/panel/bottom.webp new file mode 100644 index 0000000000..7c36d5d248 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/bottom.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/left.png b/resources/[soz]/soz-core/public/images/panel/left.png deleted file mode 100644 index 521f77850c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/left.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/left.webp b/resources/[soz]/soz-core/public/images/panel/left.webp new file mode 100644 index 0000000000..97550cbd3d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/left.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/right.png b/resources/[soz]/soz-core/public/images/panel/right.png deleted file mode 100644 index e4c08acce3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/right.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/right.webp b/resources/[soz]/soz-core/public/images/panel/right.webp new file mode 100644 index 0000000000..f62444b81c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/right.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/top-left.png b/resources/[soz]/soz-core/public/images/panel/top-left.png deleted file mode 100644 index 6a0338563c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/top-left.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/top-left.webp b/resources/[soz]/soz-core/public/images/panel/top-left.webp new file mode 100644 index 0000000000..9336d7cb11 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/top-left.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/top-right.png b/resources/[soz]/soz-core/public/images/panel/top-right.png deleted file mode 100644 index 20709edff2..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/top-right.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/top-right.webp b/resources/[soz]/soz-core/public/images/panel/top-right.webp new file mode 100644 index 0000000000..c8d1263a22 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/top-right.webp differ diff --git a/resources/[soz]/soz-core/public/images/panel/top.png b/resources/[soz]/soz-core/public/images/panel/top.png deleted file mode 100644 index 338bc97d69..0000000000 Binary files a/resources/[soz]/soz-core/public/images/panel/top.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/panel/top.webp b/resources/[soz]/soz-core/public/images/panel/top.webp new file mode 100644 index 0000000000..3b3314c64d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/panel/top.webp differ diff --git a/resources/[soz]/soz-core/public/images/police/DrugTestNegatif.webp b/resources/[soz]/soz-core/public/images/police/DrugTestNegatif.webp new file mode 100644 index 0000000000..817eec7cc2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/police/DrugTestNegatif.webp differ diff --git a/resources/[soz]/soz-core/public/images/police/DrugTestPositif.webp b/resources/[soz]/soz-core/public/images/police/DrugTestPositif.webp new file mode 100644 index 0000000000..6f2f691490 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/police/DrugTestPositif.webp differ diff --git a/resources/[soz]/soz-core/public/images/police/alcootest.png b/resources/[soz]/soz-core/public/images/police/alcootest.png deleted file mode 100644 index ceb0588577..0000000000 Binary files a/resources/[soz]/soz-core/public/images/police/alcootest.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/police/alcootest.webp b/resources/[soz]/soz-core/public/images/police/alcootest.webp new file mode 100644 index 0000000000..1855ba12a5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/police/alcootest.webp differ diff --git a/resources/[soz]/soz-core/public/images/police/zadar.png b/resources/[soz]/soz-core/public/images/police/zadar.png deleted file mode 100644 index acba83ef02..0000000000 Binary files a/resources/[soz]/soz-core/public/images/police/zadar.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/police/zadar.webp b/resources/[soz]/soz-core/public/images/police/zadar.webp new file mode 100644 index 0000000000..ac5f50ceed Binary files /dev/null and b/resources/[soz]/soz-core/public/images/police/zadar.webp differ diff --git a/resources/[soz]/soz-core/public/images/radio/radio.webp b/resources/[soz]/soz-core/public/images/radio/radio.webp new file mode 100644 index 0000000000..4a51872542 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/radio/radio.webp differ diff --git a/resources/[soz]/soz-core/public/images/radio/vehicle.webp b/resources/[soz]/soz-core/public/images/radio/vehicle.webp new file mode 100644 index 0000000000..42d7cc5542 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/radio/vehicle.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/1.png b/resources/[soz]/soz-core/public/images/talent/icon/1.png deleted file mode 100644 index bf30fe2286..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/1.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/1.webp b/resources/[soz]/soz-core/public/images/talent/icon/1.webp new file mode 100644 index 0000000000..4b009a9fa3 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/10.png b/resources/[soz]/soz-core/public/images/talent/icon/10.png deleted file mode 100644 index 68f310ae5d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/10.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/10.webp b/resources/[soz]/soz-core/public/images/talent/icon/10.webp new file mode 100644 index 0000000000..cb4210e02d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/10.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/11.png b/resources/[soz]/soz-core/public/images/talent/icon/11.png deleted file mode 100644 index 94206e8f83..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/11.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/11.webp b/resources/[soz]/soz-core/public/images/talent/icon/11.webp new file mode 100644 index 0000000000..0e302fc1f7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/11.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/12.png b/resources/[soz]/soz-core/public/images/talent/icon/12.png deleted file mode 100644 index 8041af1dd3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/12.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/12.webp b/resources/[soz]/soz-core/public/images/talent/icon/12.webp new file mode 100644 index 0000000000..7878c3e3d7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/12.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/13.png b/resources/[soz]/soz-core/public/images/talent/icon/13.png deleted file mode 100644 index ad937d4c94..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/13.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/13.webp b/resources/[soz]/soz-core/public/images/talent/icon/13.webp new file mode 100644 index 0000000000..fa25e43b51 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/13.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/14.png b/resources/[soz]/soz-core/public/images/talent/icon/14.png deleted file mode 100644 index ef1fe17b07..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/14.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/14.webp b/resources/[soz]/soz-core/public/images/talent/icon/14.webp new file mode 100644 index 0000000000..65725629bd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/14.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/15.png b/resources/[soz]/soz-core/public/images/talent/icon/15.png deleted file mode 100644 index c4f63efcef..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/15.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/15.webp b/resources/[soz]/soz-core/public/images/talent/icon/15.webp new file mode 100644 index 0000000000..7ef29cff95 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/15.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/16.png b/resources/[soz]/soz-core/public/images/talent/icon/16.png deleted file mode 100644 index b37ed4e484..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/16.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/16.webp b/resources/[soz]/soz-core/public/images/talent/icon/16.webp new file mode 100644 index 0000000000..125561f740 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/16.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/17.png b/resources/[soz]/soz-core/public/images/talent/icon/17.png deleted file mode 100644 index c2572acc1c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/17.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/17.webp b/resources/[soz]/soz-core/public/images/talent/icon/17.webp new file mode 100644 index 0000000000..f5e6289e9e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/17.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/18.png b/resources/[soz]/soz-core/public/images/talent/icon/18.png deleted file mode 100644 index d05f257fb4..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/18.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/18.webp b/resources/[soz]/soz-core/public/images/talent/icon/18.webp new file mode 100644 index 0000000000..16f215cb10 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/18.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/19.png b/resources/[soz]/soz-core/public/images/talent/icon/19.png deleted file mode 100644 index e7b49fc741..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/19.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/19.webp b/resources/[soz]/soz-core/public/images/talent/icon/19.webp new file mode 100644 index 0000000000..d2b8454fad Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/19.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/2.png b/resources/[soz]/soz-core/public/images/talent/icon/2.png deleted file mode 100644 index 52130460e9..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/2.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/2.webp b/resources/[soz]/soz-core/public/images/talent/icon/2.webp new file mode 100644 index 0000000000..92b7356062 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/20.png b/resources/[soz]/soz-core/public/images/talent/icon/20.png deleted file mode 100644 index 6a0e669706..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/20.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/20.webp b/resources/[soz]/soz-core/public/images/talent/icon/20.webp new file mode 100644 index 0000000000..e015582bab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/20.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/21.png b/resources/[soz]/soz-core/public/images/talent/icon/21.png deleted file mode 100644 index 08faff9b9a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/21.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/21.webp b/resources/[soz]/soz-core/public/images/talent/icon/21.webp new file mode 100644 index 0000000000..7294220da9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/21.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/22.png b/resources/[soz]/soz-core/public/images/talent/icon/22.png deleted file mode 100644 index e116bd0c3b..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/22.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/22.webp b/resources/[soz]/soz-core/public/images/talent/icon/22.webp new file mode 100644 index 0000000000..ea1c602354 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/22.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/23.png b/resources/[soz]/soz-core/public/images/talent/icon/23.png deleted file mode 100644 index 9983c52804..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/23.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/23.webp b/resources/[soz]/soz-core/public/images/talent/icon/23.webp new file mode 100644 index 0000000000..862f0b9cea Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/23.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/24.png b/resources/[soz]/soz-core/public/images/talent/icon/24.png deleted file mode 100644 index f885fc0fe2..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/24.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/24.webp b/resources/[soz]/soz-core/public/images/talent/icon/24.webp new file mode 100644 index 0000000000..87604cd5e4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/24.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/25.png b/resources/[soz]/soz-core/public/images/talent/icon/25.png deleted file mode 100644 index e75dc5d317..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/25.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/25.webp b/resources/[soz]/soz-core/public/images/talent/icon/25.webp new file mode 100644 index 0000000000..8b8e1962fd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/25.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/26.png b/resources/[soz]/soz-core/public/images/talent/icon/26.png deleted file mode 100644 index 4d4ec16897..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/26.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/26.webp b/resources/[soz]/soz-core/public/images/talent/icon/26.webp new file mode 100644 index 0000000000..521bad4c59 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/26.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/27.png b/resources/[soz]/soz-core/public/images/talent/icon/27.png deleted file mode 100644 index 6496eaa354..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/27.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/27.webp b/resources/[soz]/soz-core/public/images/talent/icon/27.webp new file mode 100644 index 0000000000..56f35d49e4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/27.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/28.png b/resources/[soz]/soz-core/public/images/talent/icon/28.png deleted file mode 100644 index af1c31e825..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/28.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/28.webp b/resources/[soz]/soz-core/public/images/talent/icon/28.webp new file mode 100644 index 0000000000..6194ad2ecd Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/28.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/29.png b/resources/[soz]/soz-core/public/images/talent/icon/29.png deleted file mode 100644 index bc8c3ad153..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/29.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/29.webp b/resources/[soz]/soz-core/public/images/talent/icon/29.webp new file mode 100644 index 0000000000..15a4863bcb Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/29.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/3.png b/resources/[soz]/soz-core/public/images/talent/icon/3.png deleted file mode 100644 index 107d3f887a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/3.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/3.webp b/resources/[soz]/soz-core/public/images/talent/icon/3.webp new file mode 100644 index 0000000000..18b01e09e9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/30.png b/resources/[soz]/soz-core/public/images/talent/icon/30.png deleted file mode 100644 index 1261c9e02f..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/30.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/30.webp b/resources/[soz]/soz-core/public/images/talent/icon/30.webp new file mode 100644 index 0000000000..7480b96c4f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/30.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/31.png b/resources/[soz]/soz-core/public/images/talent/icon/31.png deleted file mode 100644 index 140c6030e6..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/31.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/31.webp b/resources/[soz]/soz-core/public/images/talent/icon/31.webp new file mode 100644 index 0000000000..bf13530d28 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/31.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/32.png b/resources/[soz]/soz-core/public/images/talent/icon/32.png deleted file mode 100644 index 23c88f3bf0..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/32.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/32.webp b/resources/[soz]/soz-core/public/images/talent/icon/32.webp new file mode 100644 index 0000000000..3c7d9dafa0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/32.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/33.png b/resources/[soz]/soz-core/public/images/talent/icon/33.png deleted file mode 100644 index f023d79c3f..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/33.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/33.webp b/resources/[soz]/soz-core/public/images/talent/icon/33.webp new file mode 100644 index 0000000000..395fb47619 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/33.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/34.png b/resources/[soz]/soz-core/public/images/talent/icon/34.png deleted file mode 100644 index be333917e9..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/34.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/34.webp b/resources/[soz]/soz-core/public/images/talent/icon/34.webp new file mode 100644 index 0000000000..3de3fbd074 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/34.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/35.png b/resources/[soz]/soz-core/public/images/talent/icon/35.png deleted file mode 100644 index 7fdc92140a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/35.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/35.webp b/resources/[soz]/soz-core/public/images/talent/icon/35.webp new file mode 100644 index 0000000000..646475891b Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/35.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/36.png b/resources/[soz]/soz-core/public/images/talent/icon/36.png deleted file mode 100644 index 97a91f808a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/36.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/36.webp b/resources/[soz]/soz-core/public/images/talent/icon/36.webp new file mode 100644 index 0000000000..a414052f91 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/36.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/4.png b/resources/[soz]/soz-core/public/images/talent/icon/4.png deleted file mode 100644 index 49c428f669..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/4.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/4.webp b/resources/[soz]/soz-core/public/images/talent/icon/4.webp new file mode 100644 index 0000000000..4f11bf6dab Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/5.png b/resources/[soz]/soz-core/public/images/talent/icon/5.png deleted file mode 100644 index 56cf215a65..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/5.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/5.webp b/resources/[soz]/soz-core/public/images/talent/icon/5.webp new file mode 100644 index 0000000000..65353c8f07 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/6.png b/resources/[soz]/soz-core/public/images/talent/icon/6.png deleted file mode 100644 index 1f91f0fcb3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/6.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/6.webp b/resources/[soz]/soz-core/public/images/talent/icon/6.webp new file mode 100644 index 0000000000..ae86788725 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/7.png b/resources/[soz]/soz-core/public/images/talent/icon/7.png deleted file mode 100644 index a02b8a19b0..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/7.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/7.webp b/resources/[soz]/soz-core/public/images/talent/icon/7.webp new file mode 100644 index 0000000000..04928943c4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/8.png b/resources/[soz]/soz-core/public/images/talent/icon/8.png deleted file mode 100644 index b964ead2b8..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/8.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/8.webp b/resources/[soz]/soz-core/public/images/talent/icon/8.webp new file mode 100644 index 0000000000..299264c4e5 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/9.png b/resources/[soz]/soz-core/public/images/talent/icon/9.png deleted file mode 100644 index 206bdfea76..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/icon/9.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/icon/9.webp b/resources/[soz]/soz-core/public/images/talent/icon/9.webp new file mode 100644 index 0000000000..fb73ce0d98 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/icon/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/1.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/1.png deleted file mode 100644 index 3754c4eef6..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/1.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/1.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/1.webp new file mode 100644 index 0000000000..56481fce06 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/1.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/10.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/10.png deleted file mode 100644 index 12a6e213a4..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/10.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/10.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/10.webp new file mode 100644 index 0000000000..43be2b3afa Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/10.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/11.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/11.png deleted file mode 100644 index 11dc08bdad..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/11.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/11.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/11.webp new file mode 100644 index 0000000000..c8d398cc3e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/11.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/12.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/12.png deleted file mode 100644 index f38a3475f0..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/12.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/12.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/12.webp new file mode 100644 index 0000000000..67482af1b9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/12.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/13.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/13.png deleted file mode 100644 index 89261ce5d2..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/13.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/13.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/13.webp new file mode 100644 index 0000000000..0973623589 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/13.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/14.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/14.png deleted file mode 100644 index ddb724e289..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/14.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/14.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/14.webp new file mode 100644 index 0000000000..d5737f1e43 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/14.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/15.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/15.png deleted file mode 100644 index ae83739d1e..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/15.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/15.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/15.webp new file mode 100644 index 0000000000..3ee9ea262c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/15.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/16.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/16.png deleted file mode 100644 index f152e3f154..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/16.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/16.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/16.webp new file mode 100644 index 0000000000..2c9b553c4a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/16.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/17.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/17.png deleted file mode 100644 index 9e21854dac..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/17.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/17.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/17.webp new file mode 100644 index 0000000000..799f5019ee Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/17.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/18.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/18.png deleted file mode 100644 index 8bf1a043c6..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/18.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/18.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/18.webp new file mode 100644 index 0000000000..e31bae2c51 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/18.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/19.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/19.png deleted file mode 100644 index a2be94a4dd..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/19.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/19.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/19.webp new file mode 100644 index 0000000000..c9c3fdf73d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/19.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/2.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/2.png deleted file mode 100644 index 58bafbd540..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/2.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/2.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/2.webp new file mode 100644 index 0000000000..bfc345d0ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/2.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/20.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/20.png deleted file mode 100644 index eed7bb4c08..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/20.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/20.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/20.webp new file mode 100644 index 0000000000..ce9584f46e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/20.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/21.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/21.png deleted file mode 100644 index 0fa2403e2b..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/21.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/21.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/21.webp new file mode 100644 index 0000000000..9232351b4f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/21.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/22.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/22.png deleted file mode 100644 index 43b2ff0d39..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/22.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/22.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/22.webp new file mode 100644 index 0000000000..240abde4ad Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/22.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/23.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/23.png deleted file mode 100644 index eca6e71207..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/23.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/23.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/23.webp new file mode 100644 index 0000000000..46971a3d31 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/23.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/24.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/24.png deleted file mode 100644 index 8d2c5aac40..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/24.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/24.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/24.webp new file mode 100644 index 0000000000..b6c9dfc9d4 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/24.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/25.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/25.png deleted file mode 100644 index fe4f4ba63d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/25.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/25.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/25.webp new file mode 100644 index 0000000000..ce9c3c1e6a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/25.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/26.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/26.png deleted file mode 100644 index e6b720ee05..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/26.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/26.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/26.webp new file mode 100644 index 0000000000..8a5f023323 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/26.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/27.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/27.png deleted file mode 100644 index 445c813abb..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/27.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/27.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/27.webp new file mode 100644 index 0000000000..5df9016a01 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/27.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/28.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/28.png deleted file mode 100644 index 2871b5ac04..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/28.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/28.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/28.webp new file mode 100644 index 0000000000..fdc561a355 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/28.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/29.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/29.png deleted file mode 100644 index 9eb369e9ea..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/29.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/29.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/29.webp new file mode 100644 index 0000000000..ba6263fae6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/29.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/3.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/3.png deleted file mode 100644 index 99e572af8a..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/3.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/3.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/3.webp new file mode 100644 index 0000000000..88a824b27f Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/3.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/30.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/30.png deleted file mode 100644 index 23e6ba2107..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/30.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/30.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/30.webp new file mode 100644 index 0000000000..97724eda78 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/30.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/31.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/31.png deleted file mode 100644 index e7d9f553d8..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/31.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/31.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/31.webp new file mode 100644 index 0000000000..d3b6bb5a68 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/31.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/32.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/32.png deleted file mode 100644 index 999d8bad6d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/32.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/32.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/32.webp new file mode 100644 index 0000000000..2739a387b7 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/32.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/33.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/33.png deleted file mode 100644 index 933ab50c38..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/33.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/33.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/33.webp new file mode 100644 index 0000000000..eb7fb72f1a Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/33.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/34.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/34.png deleted file mode 100644 index 9feb674a5d..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/34.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/34.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/34.webp new file mode 100644 index 0000000000..9d31101cbe Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/34.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/35.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/35.png deleted file mode 100644 index eb8ab34b9c..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/35.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/35.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/35.webp new file mode 100644 index 0000000000..9381f00437 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/35.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/36.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/36.png deleted file mode 100644 index 593ffdd38b..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/36.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/36.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/36.webp new file mode 100644 index 0000000000..5a5e88102c Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/36.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/4.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/4.png deleted file mode 100644 index 493564f72e..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/4.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/4.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/4.webp new file mode 100644 index 0000000000..5d0d4f9122 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/4.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/5.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/5.png deleted file mode 100644 index 1cce90c0f3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/5.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/5.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/5.webp new file mode 100644 index 0000000000..76c5187f82 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/5.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/6.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/6.png deleted file mode 100644 index bb92b46aa9..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/6.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/6.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/6.webp new file mode 100644 index 0000000000..eef202f47d Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/6.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/7.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/7.png deleted file mode 100644 index 597968d7b8..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/7.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/7.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/7.webp new file mode 100644 index 0000000000..c291767229 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/7.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/8.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/8.png deleted file mode 100644 index e182410fe4..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/8.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/8.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/8.webp new file mode 100644 index 0000000000..2298c03b17 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/8.webp differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/9.png b/resources/[soz]/soz-core/public/images/talent/illustration/h/9.png deleted file mode 100644 index 9fa29f85d7..0000000000 Binary files a/resources/[soz]/soz-core/public/images/talent/illustration/h/9.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/talent/illustration/h/9.webp b/resources/[soz]/soz-core/public/images/talent/illustration/h/9.webp new file mode 100644 index 0000000000..4c4b0c25a6 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/talent/illustration/h/9.webp differ diff --git a/resources/[soz]/soz-core/public/images/taxi/Brouznouf_Z7_.webp b/resources/[soz]/soz-core/public/images/taxi/Brouznouf_Z7_.webp new file mode 100644 index 0000000000..a88a551000 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/taxi/Brouznouf_Z7_.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/bcso.webp b/resources/[soz]/soz-core/public/images/twitch-news/bcso.webp new file mode 100644 index 0000000000..7d213da9f2 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/bcso.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/default.webp b/resources/[soz]/soz-core/public/images/twitch-news/default.webp new file mode 100644 index 0000000000..bc0834f0ac Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/default.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/fbi.webp b/resources/[soz]/soz-core/public/images/twitch-news/fbi.webp new file mode 100644 index 0000000000..cd85bcc990 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/fbi.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/gouv.webp b/resources/[soz]/soz-core/public/images/twitch-news/gouv.webp new file mode 100644 index 0000000000..6a60a77861 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/gouv.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/logo.webp b/resources/[soz]/soz-core/public/images/twitch-news/logo.webp new file mode 100644 index 0000000000..75dd6607b0 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/logo.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/lspd.webp b/resources/[soz]/soz-core/public/images/twitch-news/lspd.webp new file mode 100644 index 0000000000..fc91faae84 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/lspd.webp differ diff --git a/resources/[soz]/soz-core/public/images/twitch-news/sasp.webp b/resources/[soz]/soz-core/public/images/twitch-news/sasp.webp new file mode 100644 index 0000000000..39e3f3d8a9 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/twitch-news/sasp.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/blindage.png b/resources/[soz]/soz-core/public/images/vehicle/blindage.png deleted file mode 100644 index dc2cf5ba02..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/blindage.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/blindage.webp b/resources/[soz]/soz-core/public/images/vehicle/blindage.webp new file mode 100644 index 0000000000..fef8fcb789 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/blindage.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/engine.png b/resources/[soz]/soz-core/public/images/vehicle/engine.png deleted file mode 100644 index 1bf4e34ac3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/engine.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/engine.webp b/resources/[soz]/soz-core/public/images/vehicle/engine.webp new file mode 100644 index 0000000000..06573f2040 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/engine.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/frein.png b/resources/[soz]/soz-core/public/images/vehicle/frein.png deleted file mode 100644 index d2f182aade..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/frein.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/frein.webp b/resources/[soz]/soz-core/public/images/vehicle/frein.webp new file mode 100644 index 0000000000..869342975e Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/frein.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/repair_app.png b/resources/[soz]/soz-core/public/images/vehicle/repair_app.png deleted file mode 100644 index 3adff600d3..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/repair_app.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/repair_app.webp b/resources/[soz]/soz-core/public/images/vehicle/repair_app.webp new file mode 100644 index 0000000000..ebea5b28f8 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/repair_app.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/suspenssion.png b/resources/[soz]/soz-core/public/images/vehicle/suspenssion.png deleted file mode 100644 index 7ef5b30856..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/suspenssion.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/suspenssion.webp b/resources/[soz]/soz-core/public/images/vehicle/suspenssion.webp new file mode 100644 index 0000000000..630d430640 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/suspenssion.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/transmission.png b/resources/[soz]/soz-core/public/images/vehicle/transmission.png deleted file mode 100644 index 9581c98108..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/transmission.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/transmission.webp b/resources/[soz]/soz-core/public/images/vehicle/transmission.webp new file mode 100644 index 0000000000..e21b27bc29 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/transmission.webp differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/turbo.png b/resources/[soz]/soz-core/public/images/vehicle/turbo.png deleted file mode 100644 index dcb8c4fb9e..0000000000 Binary files a/resources/[soz]/soz-core/public/images/vehicle/turbo.png and /dev/null differ diff --git a/resources/[soz]/soz-core/public/images/vehicle/turbo.webp b/resources/[soz]/soz-core/public/images/vehicle/turbo.webp new file mode 100644 index 0000000000..fec39b0e92 Binary files /dev/null and b/resources/[soz]/soz-core/public/images/vehicle/turbo.webp differ diff --git a/resources/[soz]/soz-core/public/index.html b/resources/[soz]/soz-core/public/index.html index fcc757e3bc..43c2c9cca0 100644 --- a/resources/[soz]/soz-core/public/index.html +++ b/resources/[soz]/soz-core/public/index.html @@ -49,11 +49,21 @@ }, 5000); diff --git a/resources/[soz]/soz-core/src/client.ts b/resources/[soz]/soz-core/src/client.ts index f366cc0fbe..05cea7410a 100644 --- a/resources/[soz]/soz-core/src/client.ts +++ b/resources/[soz]/soz-core/src/client.ts @@ -7,42 +7,65 @@ import { AdminModule } from './client/admin/admin.module'; import { AfkModule } from './client/afk/afk.module'; import { AnimationModule } from './client/animation/animation.module'; import { BankModule } from './client/bank/bank.module'; +import { BillboardModule } from './client/billboard/billboard.module'; +import { BinocularsModule } from './client/binoculars/binoculars.module'; +import { CraftModule } from './client/craft/craft.module'; import { DrivingSchoolModule } from './client/driving-school/ds.module'; import { FactoryModule } from './client/factory/factory.module'; import { HousingModule } from './client/housing/housing.module'; +import { HudModule } from './client/hud/hud.module'; import { InventoryModule } from './client/inventory/inventory.module'; import { ItemModule } from './client/item/item.module'; import { BaunModule } from './client/job/baun/baun.module'; import { BennysModule } from './client/job/bennys/bennys.module'; import { FightForStyleModule } from './client/job/ffs/ffs.module'; import { FoodModule } from './client/job/food/food.module'; +import { GarbageModule } from './client/job/garbage/garbage.module'; +import { GouvModule } from './client/job/gouv/gouv.module'; import { JobModule } from './client/job/job.module'; import { LSMCModule } from './client/job/lsmc/lsmc.module'; import { MandatoryModule } from './client/job/mdr/mdr.module'; import { OilModule } from './client/job/oil/oil.module'; +import { PawlModule } from './client/job/pawl/pawl.module'; import { PoliceModule } from './client/job/police/police.module'; import { StonkModule } from './client/job/stonk/stonk.module'; +import { TaxiModule } from './client/job/taxi/taxi.module'; +import { UpwModule } from './client/job/upw/upw.module'; +import { MonitorModule } from './client/monitor/monitor.module'; import { NuiModule } from './client/nui/nui.module'; import { ObjectModule } from './client/object/object.module'; import { PlayerModule } from './client/player/player.module'; -import { RepositoryModule } from './client/resources/repository.module'; +import { RaceModule } from './client/race/race.module'; +import { RepositoryModule } from './client/repository/repository.module'; import { ShopModule } from './client/shop/shop.module'; +import { store } from './client/store/store'; +import { StoreModule } from './client/store/store.module'; import { StoryModule } from './client/story/story.module'; import { StreamModule } from './client/stream/stream.module'; import { TargetModule } from './client/target/target.module'; import { VehicleModule } from './client/vehicle/vehicle.module'; +import { VoipModule } from './client/voip/voip.module'; import { WeaponModule } from './client/weapon/weapon.module'; import { WeatherModule } from './client/weather/weather.module'; import { WorldModule } from './client/world/world.module'; import { ZEventModule } from './client/zevent/zevent.module'; import { Application } from './core/application'; -import { unloadContainer } from './core/container'; +import { setService, setServiceInstance, unloadContainer } from './core/container'; import { ProviderClientLoader } from './core/loader/provider.client.loader'; +import { ChainMiddlewareEventClientFactory } from './core/middleware/middleware.event.client'; +import { ChainMiddlewareTickClientFactory } from './core/middleware/middleware.tick.client'; async function bootstrap() { + setServiceInstance('Store', store); + setService('MiddlewareFactory', ChainMiddlewareEventClientFactory); + setService('MiddlewareTickFactory', ChainMiddlewareTickClientFactory); + const app = await Application.create( ProviderClientLoader, + StoreModule, RepositoryModule, + MonitorModule, + HudModule, WorldModule, ObjectModule, PlayerModule, @@ -68,12 +91,22 @@ async function bootstrap() { VehicleModule, FactoryModule, OilModule, + PawlModule, WeaponModule, InventoryModule, DrivingSchoolModule, HousingModule, MandatoryModule, PoliceModule, + UpwModule, + TaxiModule, + GouvModule, + BinocularsModule, + VoipModule, + RaceModule, + GarbageModule, + BillboardModule, + CraftModule, ...PrivateModules ); diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.developer.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.developer.provider.ts index db02fc7b60..9fb17e4791 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.developer.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.developer.provider.ts @@ -1,17 +1,27 @@ +import { NotificationPoliceLogoType, NotificationPoliceType, NotificationType } from '@public/shared/notification'; + import { Command } from '../../core/decorators/command'; import { OnNuiEvent } from '../../core/decorators/event'; import { Inject } from '../../core/decorators/injectable'; import { Provider } from '../../core/decorators/provider'; -import { ClientEvent, NuiEvent, ServerEvent } from '../../shared/event'; +import { Tick } from '../../core/decorators/tick'; +import { NuiEvent, ServerEvent } from '../../shared/event'; +import { Font } from '../../shared/hud'; import { Ok } from '../../shared/result'; import { ClipboardService } from '../clipboard.service'; import { DrawService } from '../draw.service'; +import { GetObjectList, GetPedList, GetPickupList, GetVehicleList } from '../enumerate'; import { Notifier } from '../notifier'; import { InputService } from '../nui/input.service'; -import { NuiMenu } from '../nui/nui.menu'; +import { NuiZoneProvider } from '../nui/nui.zone.provider'; +import { ObjectProvider } from '../object/object.provider'; +import { VehicleConditionProvider } from '../vehicle/vehicle.condition.provider'; @Provider() export class AdminMenuDeveloperProvider { + @Inject(VehicleConditionProvider) + private vehicleConditionProvider: VehicleConditionProvider; + @Inject(ClipboardService) private clipboard: ClipboardService; @@ -24,46 +34,29 @@ export class AdminMenuDeveloperProvider { @Inject(Notifier) private notifier: Notifier; - @Inject(NuiMenu) - private nuiMenu: NuiMenu; + @Inject(NuiZoneProvider) + private nuiZoneProvider: NuiZoneProvider; + + @Inject(ObjectProvider) + private objectProvider: ObjectProvider; - public showCoordinatesInterval = null; + public showCoordinates = false; - private isCreatingZone = false; + public showMileage = false; @OnNuiEvent(NuiEvent.AdminCreateZone) public async createZone(): Promise { - if (!this.isCreatingZone) { - this.isCreatingZone = true; - TriggerEvent('polyzone:pzcreate', 'box', 'create_zone', ['box', 'create_zone', 1, 1]); - this.nuiMenu.closeMenu(); - } - } - @Command('soz_admin_finish_create_zone', { - description: "Valider la création d'une zone", - keys: [ - { - mapper: 'keyboard', - key: 'E', - }, - ], - }) - public async endCreatingZone() { - if (this.isCreatingZone) { - this.isCreatingZone = false; - const zone = exports['PolyZone'].EndPolyZone(); - this.clipboard.copy( - `new BoxZone([${zone.center.x.toFixed(2)}, ${zone.center.y.toFixed(2)}, ${zone.center.z.toFixed( - 2 - )}], ${zone.length.toFixed(2)}, ${zone.width.toFixed(2)}, { - heading: ${zone.heading.toFixed(2)}, - minZ: ${(zone.center.z - 1.0).toFixed(2)}, - maxZ: ${(zone.center.z + 2.0).toFixed(2)}, - });` - ); - - TriggerEvent(ClientEvent.ADMIN_OPEN_MENU, 'developer'); - } + const zone = await this.nuiZoneProvider.askZone(); + + this.clipboard.copy( + `new BoxZone([${zone.center[0].toFixed(2)}, ${zone.center[1].toFixed(2)}, ${zone.center[2].toFixed( + 2 + )}], ${zone.length.toFixed(2)}, ${zone.width.toFixed(2)}, { + heading: ${zone.heading.toFixed(2)}, + minZ: ${(zone.minZ || zone.center[2] - 1.0).toFixed(2)}, + maxZ: ${(zone.maxZ || zone.center[2] + 2.0).toFixed(2)}, + });` + ); } @OnNuiEvent(NuiEvent.AdminToggleNoClip) @@ -77,32 +70,69 @@ export class AdminMenuDeveloperProvider { @OnNuiEvent(NuiEvent.AdminToggleShowCoordinates) public async toggleShowCoordinates(active: boolean): Promise { - if (!active) { - clearInterval(this.showCoordinatesInterval); - this.showCoordinatesInterval = null; + this.showCoordinates = active; + } + + @Tick() + public async showCoords(): Promise { + if (!this.showCoordinates) { + return; + } + + const coords = GetEntityCoords(PlayerPedId(), true); + const heading = GetEntityHeading(PlayerPedId()).toFixed(2); + + const x = coords[0].toFixed(2); + const y = coords[1].toFixed(2); + const z = coords[2].toFixed(2); + + this.draw.drawText(`~w~Ped coordinates:~b~ vector4(${x}, ${y}, ${z}, ${heading})`, [0.4, 0.015], { + font: Font.ChaletComprimeCologne, + size: 0.4, + color: [66, 182, 245, 255], + }); + } + + @OnNuiEvent(NuiEvent.AdminToggleShowMileage) + public async toggleShowMileage(active: boolean): Promise { + this.showMileage = active; + } + + @Tick() + public async showMileageTick(): Promise { + if (!this.showMileage) { return; } - this.showCoordinatesInterval = setInterval(() => { - const coords = GetEntityCoords(PlayerPedId(), true); - const heading = GetEntityHeading(PlayerPedId()).toFixed(2); - - const x = coords[0].toFixed(2); - const y = coords[1].toFixed(2); - const z = coords[2].toFixed(2); - - this.draw.drawText( - 0.4, - 0.01, - 0, - 0, - 0.4, - 66, - 182, - 245, - 255, - `~w~Ped coordinates:~b~ vector4(${x}, ${y}, ${z}, ${heading})` - ); - }, 1); + + const ped = PlayerPedId(); + const vehicle = GetVehiclePedIsIn(ped, false); + if (vehicle) { + const networkId = NetworkGetNetworkIdFromEntity(vehicle); + const condition = this.vehicleConditionProvider.getVehicleCondition(networkId); + + this.draw.drawText(`~w~Vehicle mileage :~b~ ${(condition.mileage / 1000).toFixed(2)}`, [0.4, 0.002], { + font: Font.ChaletComprimeCologne, + size: 0.4, + color: [66, 182, 245, 255], + }); + + const [isTrailerExists, trailerEntity] = GetVehicleTrailerVehicle(vehicle); + + if (isTrailerExists) { + const trailerNetworkId = NetworkGetNetworkIdFromEntity(trailerEntity); + const trailerCondition = this.vehicleConditionProvider.getVehicleCondition(trailerNetworkId); + + this.draw.drawText( + `~w~Trailer mileage :~b~ ${(trailerCondition.mileage / 1000).toFixed(2)}`, + [0.6, 0.002], + { + font: Font.ChaletComprimeCologne, + size: 0.4, + color: [66, 182, 245, 255], + } + ); + } + } } @OnNuiEvent(NuiEvent.AdminCopyCoords) @@ -139,7 +169,53 @@ export class AdminMenuDeveloperProvider { ); if (citizenId) { - TriggerServerEvent(ServerEvent.ADMIN_CHANGE_PLAYER, citizenId); + TriggerServerEvent(ServerEvent.ADMIN_SWITCH_CHARACTER, citizenId); + } + } + + @OnNuiEvent(NuiEvent.AdminTriggerNotification) + public async triggerNotification(type: 'basic' | 'advanced' | 'police') { + const notificationStyle = await this.input.askInput( + { + title: 'Notification style', + defaultValue: 'info', + maxCharacters: 32, + }, + () => { + return Ok(true); + } + ); + + if (notificationStyle) { + // this.notifier.notify('Message de notification' + style, notificationStyle as NotificationType); + if (type === 'basic') { + this.notifier.notify( + `Message de notification ${notificationStyle}`, + notificationStyle as NotificationType + ); + } + if (type === 'advanced') { + await this.notifier.notifyAdvanced({ + title: 'Titre test', + subtitle: 'Sous-titre de test', + message: 'Message de notification', + image: '', + style: notificationStyle as NotificationType, + delay: 5000, + }); + } + if (type === 'police') { + await this.notifier.notifyPolice({ + message: 'Message de notification', + policeStyle: notificationStyle as NotificationPoliceType, + style: 'info' as NotificationType, + delay: 5000, + title: 'Titre test', + hour: '00:24', + logo: 'bcso' as NotificationPoliceLogoType, + notificationId: 777, + }); + } } } @@ -150,4 +226,71 @@ export class AdminMenuDeveloperProvider { TriggerServerEvent(ServerEvent.QBCORE_SET_METADATA, 'alcohol', 0); TriggerServerEvent(ServerEvent.QBCORE_SET_METADATA, 'drug', 0); } + + @Command('debug-entity') + public async debugObjects(): Promise { + const objects = GetObjectList(); + const peds = GetPedList(); + const vehicles = GetVehicleList(); + const pickups = GetPickupList(); + + let countObjects = 0, + countObjectsNetworked = 0, + countPeds = 0, + countPedsNetworked = 0, + countVehicles = 0, + countVehiclesNetworked = 0, + countPickups = 0, + countPickupsNetworked = 0; + + for (const object of objects) { + countObjects++; + if (NetworkGetEntityIsNetworked(object)) { + countObjectsNetworked++; + } + } + + for (const ped of peds) { + countPeds++; + if (NetworkGetEntityIsNetworked(ped)) { + countPedsNetworked++; + } + } + + for (const vehicle of vehicles) { + countVehicles++; + if (NetworkGetEntityIsNetworked(vehicle)) { + countVehiclesNetworked++; + } + } + + for (const pickup of pickups) { + countPickups++; + if (NetworkGetEntityIsNetworked(pickup)) { + countPickupsNetworked++; + } + } + + console.log( + `Objects : ${countObjects} total, ${ + countObjects - countObjectsNetworked + } not networked, ${countObjectsNetworked} networked, ${GetMaxNumNetworkObjects()} max networked` + ); + console.log( + `Peds : ${countPeds} total, ${ + countPeds - countPedsNetworked + } not networked, ${countPedsNetworked} networked, ${GetMaxNumNetworkPeds()} max networked` + ); + console.log( + `Vehicles : ${countVehicles} total, ${ + countVehicles - countVehiclesNetworked + } not networked, ${countVehiclesNetworked} networked, ${GetMaxNumNetworkVehicles()} max networked` + ); + console.log( + `Pikcups : ${countPickups} total, ${ + countPickups - countPickupsNetworked + } not networked, ${countPickupsNetworked} networked, ${GetMaxNumNetworkPickups()} max networked` + ); + console.log(`Object from soz : ${this.objectProvider.getLoadedObjectsCount()} total`); + } } diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.game-master.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.game-master.provider.ts index 8a29e81c31..5b31e7c882 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.game-master.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.game-master.provider.ts @@ -3,9 +3,12 @@ import { Inject } from '../../core/decorators/injectable'; import { Provider } from '../../core/decorators/provider'; import { wait } from '../../core/utils'; import { NuiEvent, ServerEvent } from '../../shared/event'; +import { HudMinimapProvider } from '../hud/hud.minimap.provider'; import { Notifier } from '../notifier'; import { InputService } from '../nui/input.service'; import { NuiMenu } from '../nui/nui.menu'; +import { PlayerService } from '../player/player.service'; +import { VehiclePoliceLocator } from '../vehicle/vehicle.police.locator.provider'; @Provider() export class AdminMenuGameMasterProvider { @@ -18,17 +21,24 @@ export class AdminMenuGameMasterProvider { @Inject(NuiMenu) private nuiMenu: NuiMenu; - private adminGPS = false; + @Inject(HudMinimapProvider) + private hudMinimapProvider: HudMinimapProvider; + + @Inject(VehiclePoliceLocator) + private vehiclePoliceLocator: VehiclePoliceLocator; + + @Inject(PlayerService) + private playerService: PlayerService; @OnNuiEvent(NuiEvent.AdminGiveMoney) public async giveMoney(amount: number): Promise { - TriggerServerEvent(ServerEvent.ADMIN_GIVE_MONEY, 'money', amount); + TriggerServerEvent(ServerEvent.ADMIN_ADD_MONEY, 'money', amount); this.notifier.notify(`Vous vous êtes donné ${amount}$ en argent propre.`, 'success'); } @OnNuiEvent(NuiEvent.AdminGiveMarkedMoney) public async giveMarkedMoney(amount: number): Promise { - TriggerServerEvent(ServerEvent.ADMIN_GIVE_MONEY, 'marked_money', amount); + TriggerServerEvent(ServerEvent.ADMIN_ADD_MONEY, 'marked_money', amount); this.notifier.notify(`Vous vous êtes donné ${amount}$ en argent sale.`, 'success'); } @@ -54,12 +64,12 @@ export class AdminMenuGameMasterProvider { @OnNuiEvent(NuiEvent.AdminGiveLicence) public async giveLicence(licence: string): Promise { - TriggerServerEvent(ServerEvent.ADMIN_GIVE_LICENCE, licence); + TriggerServerEvent(ServerEvent.ADMIN_ADD_LICENSE, licence); } @OnNuiEvent(NuiEvent.AdminToggleMoneyCase) public async toggleDisableMoneyCase(value: boolean): Promise { - LocalPlayer.state.set('adminDisableMoneyCase', !value, false); + await this.playerService.updateState({ disableMoneyCase: !value }); } @OnNuiEvent(NuiEvent.AdminSetVisible) @@ -95,7 +105,8 @@ export class AdminMenuGameMasterProvider { @OnNuiEvent(NuiEvent.AdminSetGodMode) public async setGodMode(value: boolean): Promise { - TriggerServerEvent(ServerEvent.ADMIN_GOD_MODE, value); + TriggerServerEvent(ServerEvent.ADMIN_SET_GOD_MODE, value); + if (value) { TriggerServerEvent(ServerEvent.LSMC_SET_CURRENT_DISEASE, 'false', GetPlayerServerId(PlayerId())); } @@ -103,7 +114,7 @@ export class AdminMenuGameMasterProvider { @OnNuiEvent(NuiEvent.AdminMenuGameMasterUncuff) public async unCuff(): Promise { - TriggerServerEvent(ServerEvent.ADMIN_UNCUFF); + TriggerServerEvent(ServerEvent.ADMIN_UNCUFF_PLAYER); } @OnNuiEvent(NuiEvent.AdminMenuGameMasterCreateNewCharacter) @@ -142,11 +153,11 @@ export class AdminMenuGameMasterProvider { @OnNuiEvent(NuiEvent.AdminSetAdminGPS) public async setAdminGPS(value: boolean): Promise { - this.adminGPS = value; - TriggerEvent('hud:client:admingps', value); + this.hudMinimapProvider.hasAdminGps = value; } - public getAdminGPS() { - return this.adminGPS; + @OnNuiEvent(NuiEvent.AdminSetPoliceLocator) + public async setAdminPoliceLocator(value: boolean): Promise { + this.vehiclePoliceLocator.setAdminEnabled(value); } } diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.interactive.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.interactive.provider.ts index 72579a8c8f..2a31caa143 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.interactive.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.interactive.provider.ts @@ -4,9 +4,10 @@ import { Provider } from '../../core/decorators/provider'; import { emitRpc } from '../../core/rpc'; import { AdminPlayer, FullAdminPlayer } from '../../shared/admin/admin'; import { NuiEvent } from '../../shared/event'; -import { RpcEvent } from '../../shared/rpc'; +import { RpcServerEvent } from '../../shared/rpc'; import { DrawService } from '../draw.service'; import { Qbcore } from '../qbcore'; +import { VehicleService } from '../vehicle/vehicle.service'; @Provider() export class AdminMenuInteractiveProvider { @@ -16,6 +17,9 @@ export class AdminMenuInteractiveProvider { @Inject(Qbcore) private QBCore: Qbcore; + @Inject(VehicleService) + private vehicleService: VehicleService; + public intervalHandlers = { displayOwners: null, displayPlayerNames: null, @@ -24,7 +28,6 @@ export class AdminMenuInteractiveProvider { private multiplayerTags: Map = new Map(); private playerBlips: Map = new Map(); - private previousPlayers: string[] = []; @OnNuiEvent(NuiEvent.AdminToggleDisplayOwners) public async toggleDisplayOwners(value: boolean): Promise { @@ -47,6 +50,7 @@ export class AdminMenuInteractiveProvider { playerCoords[2], false ); + if (dist < 50) { let text = ' | OwnerNet: '; if (GetPlayerServerId(NetworkGetEntityOwner(vehicle)) === GetPlayerServerId(PlayerId())) { @@ -128,22 +132,26 @@ export class AdminMenuInteractiveProvider { @OnNuiEvent(NuiEvent.AdminToggleDisplayPlayersOnMap) public async toggleDisplayPlayersOnMap(value: boolean): Promise { if (!value) { - for (const value of Object.values(this.playerBlips)) { - RemoveBlip(value); - } + this.playerBlips.forEach((BlipValue, BlipKey) => { + this.QBCore.removeBlip('admin:player-blip:' + BlipKey); + this.playerBlips.delete(BlipKey); + }); + clearInterval(this.intervalHandlers.displayPlayersOnMap); return; } - this.intervalHandlers.displayPlayersOnMap = setInterval(async () => { - for (const value of Object.values(this.playerBlips)) { - RemoveBlip(value); - } - const players = await emitRpc(RpcEvent.ADMIN_GET_FULL_PLAYERS); + this.intervalHandlers.displayPlayersOnMap = setInterval(async () => { + const players = await emitRpc(RpcServerEvent.ADMIN_GET_FULL_PLAYERS); + this.playerBlips.forEach((BlipValue, BlipKey) => { + if (!players.some(player => player.citizenId === BlipKey)) { + this.QBCore.removeBlip('admin:player-blip:' + BlipKey); + this.playerBlips.delete(BlipKey); + } + }); for (const player of players) { const blipId = this.playerBlips.get(player.citizenId); - const coords = player.coords; if (DoesBlipExist(blipId)) { SetBlipCoords(blipId, coords[0], coords[1], coords[2]); @@ -161,7 +169,6 @@ export class AdminMenuInteractiveProvider { this.playerBlips.set(player.citizenId, createdBlip); } } - this.previousPlayers = players.map(player => player.citizenId); }, 2500); } @@ -171,7 +178,7 @@ export class AdminMenuInteractiveProvider { this.multiplayerTags.delete(value); } - const players = await emitRpc(RpcEvent.ADMIN_GET_PLAYERS); + const players = await emitRpc(RpcServerEvent.ADMIN_GET_PLAYERS); players.forEach(player => { this.multiplayerTags.set(player.citizenId, GetPlayerFromServerId(player.id)); diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.job.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.job.provider.ts index 18e83003db..447abfe8fa 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.job.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.job.provider.ts @@ -5,7 +5,7 @@ import { emitRpc } from '../../core/rpc'; import { NuiEvent, ServerEvent } from '../../shared/event'; import { Job } from '../../shared/job'; import { Ok } from '../../shared/result'; -import { RpcEvent } from '../../shared/rpc'; +import { RpcServerEvent } from '../../shared/rpc'; import { Notifier } from '../notifier'; import { NuiDispatch } from '../nui/nui.dispatch'; import { Qbcore } from '../qbcore'; @@ -23,7 +23,7 @@ export class AdminMenuJobProvider { @OnNuiEvent(NuiEvent.AdminGetJobs) public async getJobs() { - const jobs = await emitRpc(RpcEvent.JOB_GET_JOBS); + const jobs = await emitRpc(RpcServerEvent.JOB_GET_JOBS); return Ok(jobs); } @@ -31,7 +31,7 @@ export class AdminMenuJobProvider { public async setJob({ jobId, jobGrade }: { jobId: Job['id']; jobGrade: number }): Promise { TriggerServerEvent(ServerEvent.ADMIN_SET_JOB, jobId, jobGrade); - const jobs = await emitRpc(RpcEvent.JOB_GET_JOBS); + const jobs = await emitRpc(RpcServerEvent.JOB_GET_JOBS); const job = jobs.find(job => job.id === jobId); const grade = job.grades.find(value => value.id.toString() === jobGrade.toString()) || ''; diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.mapper.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.mapper.provider.ts new file mode 100644 index 0000000000..06ea24d97a --- /dev/null +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.mapper.provider.ts @@ -0,0 +1,649 @@ +import { Command } from '../../core/decorators/command'; +import { OnNuiEvent } from '../../core/decorators/event'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { Tick } from '../../core/decorators/tick'; +import { SozRole } from '../../core/permissions'; +import { emitRpc } from '../../core/rpc'; +import { wait } from '../../core/utils'; +import { RGBAColor } from '../../shared/color'; +import { NuiEvent, ServerEvent } from '../../shared/event'; +import { Property } from '../../shared/housing/housing'; +import { Font } from '../../shared/hud'; +import { JobType } from '../../shared/job'; +import { MenuType } from '../../shared/nui/menu'; +import { BoxZone, Zone, ZoneType, ZoneTyped } from '../../shared/polyzone/box.zone'; +import { toVector4Object, Vector3, Vector4 } from '../../shared/polyzone/vector'; +import { Err, Ok } from '../../shared/result'; +import { RpcServerEvent } from '../../shared/rpc'; +import { DrawService } from '../draw.service'; +import { Notifier } from '../notifier'; +import { InputService } from '../nui/input.service'; +import { NuiMenu } from '../nui/nui.menu'; +import { NuiObjectProvider } from '../nui/nui.object.provider'; +import { NuiZoneProvider } from '../nui/nui.zone.provider'; +import { HousingRepository } from '../repository/housing.repository'; +import { ZoneRepository } from '../repository/zone.repository'; + +type ZoneDrawn = { + zone: BoxZone; + id: string; + color: RGBAColor; + type: string; + name?: string; +}; + +const COLOR_BY_TYPE: Record = { + entry: [0, 255, 0, 100], + garage: [255, 0, 0, 100], + exit: [0, 0, 255, 100], + fridge: [255, 255, 0, 100], + stash: [0, 255, 255, 100], + closet: [255, 0, 255, 100], + money: [255, 0, 255, 100], +}; + +@Provider() +export class AdminMenuMapperProvider { + @Inject(NuiMenu) + private nuiMenu: NuiMenu; + + @Inject(InputService) + private inputService: InputService; + + @Inject(HousingRepository) + private housingRepository: HousingRepository; + + @Inject(ZoneRepository) + private zoneRepository: ZoneRepository; + + @Inject(NuiZoneProvider) + private nuiZoneProvider: NuiZoneProvider; + + @Inject(NuiObjectProvider) + private nuiObjectProvider: NuiObjectProvider; + + @Inject(DrawService) + private drawService: DrawService; + + @Inject(Notifier) + private notifier: Notifier; + + private zonesDrawn: ZoneDrawn[] = []; + + private showInteriorData = false; + + @Tick() + public async showMenuMapperZones(): Promise { + for (const zoneDrawn of this.zonesDrawn) { + zoneDrawn.zone.draw(zoneDrawn.color, 150, zoneDrawn.name); + } + + if (this.showInteriorData) { + const ped = PlayerPedId(); + const interiorId = GetInteriorFromEntity(ped); + + if (interiorId !== 0) { + const roomHash = GetRoomKeyFromEntity(ped); + const roomId = GetInteriorRoomIndexByHash(interiorId, roomHash); + const roomTimecycle = GetInteriorRoomTimecycle(interiorId, roomId); + const portalCount = GetInteriorPortalCount(interiorId); + const roomCount = GetInteriorRoomCount(interiorId); + const roomName = GetInteriorRoomName(interiorId, roomId); + const roomFlag = GetInteriorRoomFlag(interiorId, roomId); + const style = { + color: [66, 182, 245, 255] as RGBAColor, + size: 0.4, + font: Font.ChaletComprimeCologne, + }; + + this.drawService.drawText('~b~InteriorID: ~w~' + interiorId, [0.25, 0.01], style); + this.drawService.drawText('~b~RoomID: ~w~' + roomId, [0.25, 0.03], style); + this.drawService.drawText('~b~RoomCount: ~w~' + roomCount, [0.25, 0.05], style); + this.drawService.drawText('~b~RoomTimecycle: ~w~' + roomTimecycle, [0.25, 0.07], style); + this.drawService.drawText('~b~PortalCount: ~w~' + portalCount, [0.25, 0.09], style); + this.drawService.drawText('~b~RoomFlag: ~w~' + roomFlag, [0.25, 0.11], style); + this.drawService.drawText('~b~RoomName: ~w~' + roomName, [0.25, 0.13], style); + } + } + } + + @Command('admin_mapper_menu', { + role: ['admin', 'staff', 'gamemaster', 'helper'] as SozRole[], + keys: [ + { + mapper: 'keyboard', + key: 'F11', + }, + ], + }) + public async toggleMapperMenu(): Promise { + const [isAllowed] = await emitRpc<[boolean, string]>(RpcServerEvent.ADMIN_IS_ALLOWED); + if (!isAllowed) { + return; + } + + if (this.nuiMenu.getOpened() === MenuType.AdminMapperMenu) { + this.nuiMenu.closeMenu(); + + return; + } + + this.nuiMenu.openMenu(MenuType.AdminMapperMenu, { + properties: this.housingRepository.get(), + showInterior: this.showInteriorData, + zones: this.zoneRepository.get(), + }); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperShowPropertyZone) + public async showPropertyZone({ + propertyId, + type, + show, + }: { + propertyId: number; + type: 'entry' | 'garage'; + show: boolean; + }): Promise { + const zoneField = `${type}Zone`; + const id = `apartment-${propertyId}-${type}`; + + // Remove existing zone if any + this.zonesDrawn = this.zonesDrawn.filter(zoneDrawn => zoneDrawn.id !== id); + + if (show) { + const property = this.housingRepository.findProperty(propertyId); + + if (!property) { + return; + } + + this.zonesDrawn.push({ + zone: BoxZone.fromZone(property[zoneField]), + id, + color: COLOR_BY_TYPE[type], + type, + name: `${type} - ${property.identifier}`, + }); + } + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperShowApartmentZone) + public async showApartmentZone({ + propertyId, + apartmentId, + type, + show, + }: { + propertyId: number; + apartmentId: number; + type: 'exit' | 'fridge' | 'stash' | 'closet' | 'money'; + show: boolean; + }): Promise { + const zoneField = `${type}Zone`; + const id = `apartment-${propertyId}-${apartmentId}-${type}`; + + // Remove existing zone if any + this.zonesDrawn = this.zonesDrawn.filter(zoneDrawn => zoneDrawn.id !== id); + + if (show) { + const apartment = this.housingRepository.findApartment(propertyId, apartmentId); + + if (!apartment) { + return; + } + + this.zonesDrawn.push({ + zone: BoxZone.fromZone(apartment[zoneField]), + id, + color: COLOR_BY_TYPE[type], + type, + name: `${type} - ${apartment.identifier}`, + }); + } + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperTeleportToZone) + public async teleport({ zone }: { zone: Zone }): Promise { + if (!zone) { + this.notifier.error("La zone n'existe pas."); + + return; + } + + SetPedCoordsKeepVehicle(PlayerPedId(), zone.center[0], zone.center[1], zone.center[2]); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperUpdatePropertyZone) + public async updatePropertyZone({ + propertyId, + type, + }: { + propertyId: number; + type: 'entry' | 'garage'; + zone: Zone; + }): Promise { + const property = this.housingRepository.findProperty(propertyId); + const zoneField = `${type}Zone`; + + if (!property) { + return; + } + + const existingZone = property[zoneField] || null; + const newZone = await this.nuiZoneProvider.askZone(existingZone); + const id = `apartment-${propertyId}-${type}`; + + if (this.zonesDrawn.some(zoneDrawn => zoneDrawn.id === id)) { + this.zonesDrawn = this.zonesDrawn.filter(zoneDrawn => zoneDrawn.id !== id); + + this.zonesDrawn.push({ + zone: BoxZone.fromZone(newZone), + id, + color: COLOR_BY_TYPE[type], + type, + name: property.identifier, + }); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_UPDATE_PROPERTY_ZONE, propertyId, newZone, type); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperUpdateApartmentZone) + public async updateApartmentZone({ + propertyId, + apartmentId, + type, + }: { + propertyId: number; + apartmentId: number; + type: 'entry' | 'exit' | 'fridge' | 'stash' | 'closet' | 'money'; + }): Promise { + const apartment = this.housingRepository.findApartment(propertyId, apartmentId); + const zoneField = `${type}Zone`; + + if (!apartment) { + return this.housingRepository.get(); + } + + const existingZone = apartment[zoneField] || null; + const newZone = await this.nuiZoneProvider.askZone(existingZone); + const id = `apartment-${propertyId}-${apartmentId}-${type}`; + + if (this.zonesDrawn.some(zoneDrawn => zoneDrawn.id === id)) { + this.zonesDrawn = this.zonesDrawn.filter(zoneDrawn => zoneDrawn.id !== id); + + this.zonesDrawn.push({ + zone: BoxZone.fromZone(newZone), + id, + color: COLOR_BY_TYPE[type], + type, + }); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_UPDATE_APARTMENT_ZONE, apartmentId, newZone, type); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperAddApartment) + public async addApartment({ propertyId }: { propertyId: number }): Promise { + const apartmentIdentifier = await this.inputService.askInput( + { + title: "Identifiant de l'interieur", + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + return Ok(value); + } + ); + + if (!apartmentIdentifier) { + return this.housingRepository.get(); + } + + await wait(50); + + const apartmentName = await this.inputService.askInput( + { + title: "Nom de l'intérieur", + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + return Ok(value); + } + ); + + if (!apartmentName) { + return this.housingRepository.get(); + } + + return await emitRpc( + RpcServerEvent.ADMIN_MAPPER_ADD_APARTMENT, + propertyId, + apartmentIdentifier, + apartmentName + ); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperAddProperty) + public async addProperty(): Promise { + const propertyName = await this.inputService.askInput( + { + title: 'Identifiant de la propriété', + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + return Ok(value); + } + ); + + if (!propertyName) { + return this.housingRepository.get(); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_ADD_PROPERTY, propertyName); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperSetApartmentName) + public async setApartmentName({ apartmentId }: { apartmentId: number }): Promise { + const apartmentName = await this.inputService.askInput( + { + title: "Nom de l'interieur", + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + return Ok(value); + } + ); + + if (!apartmentName) { + return this.housingRepository.get(); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_SET_APARTMENT_NAME, apartmentId, apartmentName); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperSetApartmentPrice) + public async setApartmentPrice({ + apartmentId, + price, + }: { + apartmentId: number; + price: number | null; + }): Promise { + if (price === null) { + const apartmentPrice = await this.inputService.askInput( + { + title: "Prix de l'intérieur", + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + if (isNaN(Number(value))) { + return Err('Le prix doit être un nombre'); + } + + return Ok(value); + } + ); + + if (!apartmentPrice) { + return this.housingRepository.get(); + } + + price = Number(apartmentPrice); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_SET_APARTMENT_PRICE, apartmentId, price); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperSetApartmentIdentifier) + public async setApartmentIdentifier({ apartmentId }: { apartmentId: number }): Promise { + const apartmentIdentifier = await this.inputService.askInput( + { + title: "Identifiant de l'interieur", + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + return Ok(value); + } + ); + + if (!apartmentIdentifier) { + return this.housingRepository.get(); + } + + return await emitRpc( + RpcServerEvent.ADMIN_MAPPER_SET_APARTMENT_IDENTIFIER, + apartmentId, + apartmentIdentifier + ); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperDeleteApartment) + public async deleteApartment({ apartmentId }: { apartmentId: number }): Promise { + const confirmed = await this.inputService.askConfirm('Êtes-vous sûr de vouloir supprimer cet appartement ?'); + + if (!confirmed) { + return this.housingRepository.get(); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_REMOVE_APARTMENT, apartmentId); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperDeleteProperty) + public async deleteProperty({ propertyId }: { propertyId: number }): Promise { + const confirmed = await this.inputService.askConfirm('Êtes-vous sûr de vouloir supprimer ce batiment ?'); + + if (!confirmed) { + return this.housingRepository.get(); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_REMOVE_PROPERTY, propertyId); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperShowAllProperty) + public async showAllProperty({ show }: { show: boolean }): Promise { + this.zonesDrawn = this.zonesDrawn.filter(zoneDrawn => zoneDrawn.type !== 'entry'); + + if (!show) { + return; + } + + const properties = this.housingRepository.get(); + + for (const property of properties) { + const zoneField = `entryZone`; + const id = `apartment-${property.id}-entry`; + + this.zonesDrawn.push({ + zone: BoxZone.fromZone(property[zoneField]), + id, + color: COLOR_BY_TYPE.entry, + type: 'entry', + name: property.identifier, + }); + } + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperTeleportToInsideCoords) + public async teleportToInsideCoords({ coords }: { coords: Vector4 | null }): Promise { + if (null === coords) { + this.notifier.error("La zone d'apparition n'est pas définie"); + + return; + } + + SetPedCoordsKeepVehicle(PlayerPedId(), coords[0], coords[1], coords[2]); + SetEntityHeading(PlayerPedId(), coords[3]); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperSetInsideCoords) + public async setInsideCoords({ apartmentId }: { apartmentId: number }): Promise { + const coords = GetEntityCoords(PlayerPedId(), false) as Vector3; + const heading = GetEntityHeading(PlayerPedId()); + const zone = new BoxZone([...coords, heading], 1, 1).toZone(); + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_UPDATE_APARTMENT_ZONE, apartmentId, zone, 'inside'); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperSetShowInterior) + public async setShowInterior({ value }: { value: boolean }): Promise { + this.showInteriorData = value; + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperAddObject) + public async addObject({ + object, + job, + event, + }: { + object: string; + job: JobType; + event: string | null; + }): Promise { + const model = GetHashKey(object); + const createdObject = await this.nuiObjectProvider.askObject(model); + + if (null === createdObject) { + return; + } + + const vector4Position = toVector4Object(createdObject.position); + + if (object === 'soz_prop_elec01') { + TriggerServerEvent('soz-upw:server:AddFacility', object, vector4Position, 'default', job); + } else if (object === 'soz_prop_elec02') { + TriggerServerEvent('soz-upw:server:AddFacility', object, vector4Position, 'entreprise', job); + } else if (object === 'upwpile') { + TriggerServerEvent('soz-upw:server:AddFacility', object, vector4Position, null, job); + } else { + TriggerServerEvent(ServerEvent.ADMIN_ADD_PERSISTENT_PROP, createdObject.model, event, vector4Position); + } + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperAddZone) + public async addZone({ type }: { type: ZoneType }): Promise { + const name = await this.inputService.askInput( + { + title: 'Nom de la zone', + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le nom ne peut pas être vide'); + } + + return Ok(value); + } + ); + + const newZone = await this.nuiZoneProvider.askZone(null); + + if (!newZone) { + return; + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_ADD_ZONE, { + ...newZone, + data: { + type, + name, + id: null, + }, + }); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperDeleteZone) + public async deleteZone({ id }: { id: number }): Promise { + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_REMOVE_ZONE, id); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperShowZone) + public async showZone({ id, show }: { id: number; show: boolean }): Promise { + const showId = `zone-${id}`; + + // Remove existing zone if any + this.zonesDrawn = this.zonesDrawn.filter(zoneDrawn => zoneDrawn.id !== showId); + + if (!show) { + return; + } + + const zone = this.zoneRepository.find(id); + + if (!zone) { + return; + } + + this.zonesDrawn.push({ + zone: BoxZone.fromZone({ + ...zone, + data: zone.data.name, + }), + id: showId, + color: COLOR_BY_TYPE.entry, + type: 'zone', + name: zone.data.name, + }); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperAddPropertyCulling) + public async addPropertyCulling({ propertyId }: { propertyId: number }): Promise { + const cullingString = await this.inputService.askInput( + { + title: 'Hash du batiment', + defaultValue: '', + }, + value => { + if (!value) { + return Err('Le hash ne peut pas être vide'); + } + + return Ok(value); + } + ); + + const culling = Number(cullingString); + + if (isNaN(culling) || culling === 0) { + return this.housingRepository.get(); + } + + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_ADD_PROPERTY_CULLING, propertyId, culling); + } + + @OnNuiEvent(NuiEvent.AdminMenuMapperRemovePropertyCulling) + public async removePropertyCulling({ + propertyId, + culling, + }: { + propertyId: number; + culling: number; + }): Promise { + return await emitRpc(RpcServerEvent.ADMIN_MAPPER_REMOVE_PROPERTY_CULLING, propertyId, culling); + } +} diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.player.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.player.provider.ts index 197d55cf80..5c1db8c701 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.player.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.player.provider.ts @@ -1,11 +1,11 @@ -import { OnNuiEvent } from '../../core/decorators/event'; +import { OnEvent, OnNuiEvent } from '../../core/decorators/event'; import { Inject } from '../../core/decorators/injectable'; import { Provider } from '../../core/decorators/provider'; import { emitRpc } from '../../core/rpc'; import { AdminPlayer, HEALTH_OPTIONS, MOVEMENT_OPTIONS, VOCAL_OPTIONS } from '../../shared/admin/admin'; import { ClientEvent, NuiEvent, ServerEvent } from '../../shared/event'; import { Err, Ok } from '../../shared/result'; -import { RpcEvent } from '../../shared/rpc'; +import { RpcServerEvent } from '../../shared/rpc'; import { Notifier } from '../notifier'; import { InputService } from '../nui/input.service'; import { NuiDispatch } from '../nui/nui.dispatch'; @@ -26,7 +26,9 @@ export class AdminMenuPlayerProvider { private inputService: InputService; private async getPlayers(): Promise { - return (await emitRpc(RpcEvent.ADMIN_GET_PLAYERS)).sort((a, b) => a.name.localeCompare(b.name)); + return (await emitRpc(RpcServerEvent.ADMIN_GET_PLAYERS)).sort((a, b) => + a.name.localeCompare(b.name) + ); } @OnNuiEvent(NuiEvent.AdminGetPlayers) @@ -64,10 +66,9 @@ export class AdminMenuPlayerProvider { this.nuiDispatch.dispatch('admin_player_submenu', 'SetSearchFilter', player || ''); } - @OnNuiEvent(NuiEvent.AdminMenuPlayerSpectate) - public async spectate(player: AdminPlayer): Promise { - TriggerServerEvent(ServerEvent.ADMIN_SPECTATE, player); - this.notifier.notify(`Vous êtes maintenant en mode spectateur sur ~g~${player.name}.`, 'info'); + @OnEvent(ClientEvent.ADMIN_KILL_PLAYER) + public async killPlayer(): Promise { + SetEntityHealth(PlayerPedId(), 0); } @OnNuiEvent(NuiEvent.AdminMenuPlayerHandleHealthOption) @@ -75,8 +76,13 @@ export class AdminMenuPlayerProvider { if (!ALLOWED_HEALTH_OPTIONS.includes(action)) { return; } - const event: ServerEvent = action === 'kill' ? ServerEvent.ADMIN_KILL : ServerEvent.ADMIN_REVIVE; - TriggerServerEvent(event, player); + + if (action === 'kill') { + TriggerServerEvent(ServerEvent.ADMIN_KILL_PLAYER, player); + } else { + TriggerServerEvent(ServerEvent.LSMC_REVIVE, player.id, true, false, false); + } + this.notifier.notify(`Le joueur ~g~${player.name}~s~ a été ~r~${action}.`, 'info'); } @@ -85,7 +91,8 @@ export class AdminMenuPlayerProvider { if (!ALLOWED_MOVEMENT_OPTIONS.includes(action)) { return; } - const event: ServerEvent = action === 'freeze' ? ServerEvent.ADMIN_FREEZE : ServerEvent.ADMIN_UNFREEZE; + const event: ServerEvent = + action === 'freeze' ? ServerEvent.ADMIN_FREEZE_PLAYER : ServerEvent.ADMIN_UNFREEZE_PLAYER; TriggerServerEvent(event, player); this.notifier.notify(`Le joueur ~g~${player.name}~s~ est maintenant ~r~${action}.`, 'info'); } @@ -96,7 +103,7 @@ export class AdminMenuPlayerProvider { return; } if (action === 'status') { - const isMuted = await emitRpc(RpcEvent.VOIP_IS_MUTED, player.id); + const isMuted = await emitRpc(RpcServerEvent.VOIP_IS_MUTED, player.id); if (isMuted) { this.notifier.notify(`Le joueur est ~r~muté.`, 'info'); @@ -125,13 +132,24 @@ export class AdminMenuPlayerProvider { @OnNuiEvent(NuiEvent.AdminMenuPlayerHandleEffectsOption) public async handleEffectsOption({ action, player }: { action: string; player: AdminPlayer }): Promise { - TriggerServerEvent(`admin:server:effect:${action}`, player.id); + if (action === 'normal') { + TriggerServerEvent(ServerEvent.ADMIN_RESET_EFFECT, player); + } + + if (action === 'alcohol') { + TriggerServerEvent(ServerEvent.ADMIN_SET_ALCOHOL_EFFECT, player); + } + + if (action === 'drug') { + TriggerServerEvent(ServerEvent.ADMIN_SET_DRUG_EFFECT, player); + } + this.notifier.notify(`L'effet ~g~${action}~s~ a été appliqué sur le joueur ~g~${player.name}~s~.`, 'info'); } @OnNuiEvent(NuiEvent.AdminMenuPlayerHandleDiseaseOption) public async handleDiseaseOption({ action, player }: { action: string; player: AdminPlayer }): Promise { - TriggerServerEvent('admin:server:disease', player.id, action); + TriggerServerEvent(ServerEvent.ADMIN_SET_DISEASE, player, action); this.notifier.notify(`La maladie ~g~${action}~s~ a été appliquée sur le joueur ~g~${player.name}~s~.`, 'info'); } @@ -202,7 +220,7 @@ export class AdminMenuPlayerProvider { @OnNuiEvent(NuiEvent.AdminMenuPlayerHandleSetReputation) public async handleGiveReputation(player: AdminPlayer): Promise { - const current = await emitRpc(RpcEvent.ADMIN_GET_REPUTATION, player.id); + const current = await emitRpc(RpcServerEvent.ADMIN_GET_REPUTATION, player.id); const value = await this.inputService.askInput( { title: `Changer la Réputation (actuelle ${current})`, @@ -227,4 +245,33 @@ export class AdminMenuPlayerProvider { TriggerServerEvent(ServerEvent.ADMIN_SET_REPUTATION, player.id, value); } + + @OnNuiEvent(NuiEvent.AdminMenuPlayerHandleResetCrimi) + public async handleResetCrimi(player: AdminPlayer): Promise { + const value = await this.inputService.askInput( + { + title: `Entrer 'OUI' pour confirmer le Reset Criminalité de ce personnage`, + defaultValue: '', + maxCharacters: 7, + }, + () => { + return Ok(true); + } + ); + + if (value === 'OUI') { + TriggerServerEvent(ServerEvent.ADMIN_RESET_CRIMI, player.id); + } + return; + } + + @OnNuiEvent(NuiEvent.AdminMenuPlayerHandleResetClientState) + public async handleResetClientState(player: AdminPlayer): Promise { + TriggerServerEvent(ServerEvent.ADMIN_RESET_CLIENT_STATE, player.id); + } + + @OnNuiEvent(NuiEvent.AdminMenuPlayerSearch) + public async handleResePlayerSearch(player: AdminPlayer): Promise { + TriggerServerEvent('inventory:server:openInventory', 'player', player.id); + } } diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.provider.ts index d3ea235d3b..300f92d098 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.provider.ts @@ -7,12 +7,14 @@ import { emitRpc } from '../../core/rpc'; import { ClientEvent } from '../../shared/event'; import { MenuType } from '../../shared/nui/menu'; import { PlayerCharInfo } from '../../shared/player'; -import { RpcEvent } from '../../shared/rpc'; +import { RpcServerEvent } from '../../shared/rpc'; import { ClothingService } from '../clothing/clothing.service'; +import { HudMinimapProvider } from '../hud/hud.minimap.provider'; import { NuiMenu } from '../nui/nui.menu'; -import { VehicleConditionProvider } from '../vehicle/vehicle.condition.provider'; +import { PlayerService } from '../player/player.service'; +import { VehicleDamageProvider } from '../vehicle/vehicle.damage.provider'; +import { VehiclePoliceLocator } from '../vehicle/vehicle.police.locator.provider'; import { AdminMenuDeveloperProvider } from './admin.menu.developer.provider'; -import { AdminMenuGameMasterProvider } from './admin.menu.game-master.provider'; import { AdminMenuInteractiveProvider } from './admin.menu.interactive.provider'; @Provider() @@ -29,11 +31,17 @@ export class AdminMenuProvider { @Inject(AdminMenuDeveloperProvider) private adminMenuDeveloperProvider: AdminMenuDeveloperProvider; - @Inject(VehicleConditionProvider) - private vehicleConditionProvider: VehicleConditionProvider; + @Inject(VehicleDamageProvider) + private vehicleDamageProvider: VehicleDamageProvider; - @Inject(AdminMenuGameMasterProvider) - private adminMenuGameMasterProvider: AdminMenuGameMasterProvider; + @Inject(HudMinimapProvider) + private hudMinimapProvider: HudMinimapProvider; + + @Inject(PlayerService) + private playerService: PlayerService; + + @Inject(VehiclePoliceLocator) + private vehiclePoliceLocator: VehiclePoliceLocator; @OnEvent(ClientEvent.ADMIN_OPEN_MENU) @Command('admin', { @@ -45,7 +53,7 @@ export class AdminMenuProvider { ], }) public async openAdminMenu(subMenuId?: string): Promise { - const [isAllowed, permission] = await emitRpc<[boolean, string]>(RpcEvent.ADMIN_IS_ALLOWED); + const [isAllowed, permission] = await emitRpc<[boolean, string]>(RpcServerEvent.ADMIN_IS_ALLOWED); if (!isAllowed) { return; } @@ -58,7 +66,7 @@ export class AdminMenuProvider { const banner = 'https://nui-img/soz/menu_admin_' + permission; const ped = PlayerPedId(); - const characters = await emitRpc>(RpcEvent.ADMIN_GET_CHARACTERS); + const characters = await emitRpc>(RpcServerEvent.ADMIN_GET_CHARACTERS); this.nuiMenu.openMenu( MenuType.AdminMenu, @@ -69,8 +77,9 @@ export class AdminMenuProvider { state: { gameMaster: { invisible: !IsEntityVisible(ped), - moneyCase: LocalPlayer.state.adminDisableMoneyCase || false, - adminGPS: this.adminMenuGameMasterProvider.getAdminGPS(), + moneyCase: this.playerService.getState().disableMoneyCase, + adminGPS: this.hudMinimapProvider.hasAdminGps, + adminPoliceLocator: this.vehiclePoliceLocator.getAdminEnabled(), }, interactive: { displayOwners: this.adminMenuInteractiveProvider.intervalHandlers.displayOwners !== null, @@ -85,10 +94,11 @@ export class AdminMenuProvider { }, developer: { noClip: this.adminMenuDeveloperProvider.isIsNoClipMode(), - displayCoords: this.adminMenuDeveloperProvider.showCoordinatesInterval !== null, + displayCoords: this.adminMenuDeveloperProvider.showCoordinates !== null, + displayMileage: this.adminMenuDeveloperProvider.showMileage !== null, }, vehicule: { - noStall: this.vehicleConditionProvider.getAdminNoStall(), + noStall: this.vehicleDamageProvider.getAdminNoStall(), }, }, }, diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.skin.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.skin.provider.ts index 9a693fa7ba..8bc482fe5d 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.skin.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.skin.provider.ts @@ -2,7 +2,7 @@ import { OnNuiEvent } from '../../core/decorators/event'; import { Inject } from '../../core/decorators/injectable'; import { Provider } from '../../core/decorators/provider'; import { Component, OutfitItem, Prop } from '../../shared/cloth'; -import { NuiEvent } from '../../shared/event'; +import { NuiEvent, ServerEvent } from '../../shared/event'; import { Err, Ok } from '../../shared/result'; import { ClipboardService } from '../clipboard.service'; import { ClothingService } from '../clothing/clothing.service'; @@ -128,7 +128,7 @@ export class AdminMenuSkinProvider { @OnNuiEvent(NuiEvent.AdminMenuSkinCopy) public async onSkinCopy() { this.clipboard.copy(this.clothingService.getClothSet()); - this.notifier.notify('Tenue copié dans le presse-papier'); + this.notifier.notify('Tenue copiée dans le presse-papier'); } @OnNuiEvent(NuiEvent.AdminMenuSkinSave) @@ -150,6 +150,6 @@ export class AdminMenuSkinProvider { .map(([propIndex, prop], index) => [propIndex, { ...prop, Index: index }] as [string, OutfitItem]) ) as Record; - TriggerServerEvent('admin:skin:UpdateClothes', { Components, Props }); + TriggerServerEvent(ServerEvent.ADMIN_SET_CLOTHES, { Components, Props }); } } diff --git a/resources/[soz]/soz-core/src/client/admin/admin.menu.vehicle.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.menu.vehicle.provider.ts index 6b1f66c5a6..dbd05feec2 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.menu.vehicle.provider.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.menu.vehicle.provider.ts @@ -4,35 +4,32 @@ import { Provider } from '../../core/decorators/provider'; import { emitRpc } from '../../core/rpc'; import { NuiEvent, ServerEvent } from '../../shared/event'; import { Err, Ok } from '../../shared/result'; -import { RpcEvent } from '../../shared/rpc'; +import { RpcServerEvent } from '../../shared/rpc'; import { groupBy } from '../../shared/utils/array'; +import { VehicleConfiguration, VehicleModType } from '../../shared/vehicle/modification'; import { Vehicle, VehicleCategory } from '../../shared/vehicle/vehicle'; import { InputService } from '../nui/input.service'; -import { NuiDispatch } from '../nui/nui.dispatch'; -import { VehicleConditionProvider } from '../vehicle/vehicle.condition.provider'; +import { VehicleDamageProvider } from '../vehicle/vehicle.damage.provider'; import { VehicleModificationService } from '../vehicle/vehicle.modification.service'; -import { VehicleService } from '../vehicle/vehicle.service'; +import { VehicleStateService } from '../vehicle/vehicle.state.service'; @Provider() export class AdminMenuVehicleProvider { - @Inject(NuiDispatch) - private nuiDispatch: NuiDispatch; - @Inject(InputService) private inputService: InputService; - @Inject(VehicleService) - private vehicleService: VehicleService; + @Inject(VehicleStateService) + private vehicleStateService: VehicleStateService; @Inject(VehicleModificationService) private vehicleModificationService: VehicleModificationService; - @Inject(VehicleConditionProvider) - private vehicleConditionProvider: VehicleConditionProvider; + @Inject(VehicleDamageProvider) + private vehicleDamageProvider: VehicleDamageProvider; @OnNuiEvent(NuiEvent.AdminGetVehicles) public async getVehicles() { - const vehicles = await emitRpc(RpcEvent.ADMIN_GET_VEHICLES); + const vehicles = await emitRpc(RpcServerEvent.ADMIN_GET_VEHICLES); let catalog: Record = groupBy(vehicles, v => v.category); @@ -70,11 +67,13 @@ export class AdminMenuVehicleProvider { public async onAdminMenuVehicleRepair() { const vehicle = GetVehiclePedIsIn(PlayerPedId(), false); if (vehicle) { - SetVehicleFixed(vehicle); - SetVehicleBodyHealth(vehicle, 1000); - SetVehicleEngineHealth(vehicle, 1000); - SetVehiclePetrolTankHealth(vehicle, 1000); - SetVehicleDeformationFixed(vehicle); + this.vehicleStateService.updateVehicleCondition(vehicle, { + bodyHealth: 1000, + engineHealth: 1000, + tankHealth: 1000, + windowStatus: {}, + doorStatus: {}, + }); } return Ok(true); } @@ -83,8 +82,9 @@ export class AdminMenuVehicleProvider { public async onAdminMenuVehicleClean() { const vehicle = GetVehiclePedIsIn(PlayerPedId(), false); if (vehicle) { - SetVehicleDirtLevel(vehicle, 0.1); - WashDecalsFromVehicle(vehicle, 1.0); + this.vehicleStateService.updateVehicleCondition(vehicle, { + dirtLevel: 0.0, + }); } return Ok(true); } @@ -94,13 +94,8 @@ export class AdminMenuVehicleProvider { const vehicle = GetVehiclePedIsIn(PlayerPedId(), false); if (vehicle) { - const state = this.vehicleService.getVehicleState(vehicle); - - this.vehicleService.updateVehicleState(vehicle, { - condition: { - ...state.condition, - fuelLevel: 100.0, - }, + this.vehicleStateService.updateVehicleCondition(vehicle, { + fuelLevel: 100.0, }); } } @@ -110,27 +105,49 @@ export class AdminMenuVehicleProvider { const vehicle = GetVehiclePedIsIn(PlayerPedId(), false); const configuration = this.vehicleModificationService.getVehicleConfiguration(vehicle); const vehicleModel = GetEntityModel(vehicle); - const vehicleName = GetDisplayNameFromVehicleModel(vehicleModel); + const vehicleName = GetDisplayNameFromVehicleModel(vehicleModel).toLowerCase(); + const vehicleClass = GetVehicleClass(vehicle); - TriggerServerEvent(ServerEvent.ADMIN_ADD_VEHICLE, vehicleModel, vehicleName, configuration); + TriggerServerEvent(ServerEvent.ADMIN_ADD_VEHICLE, vehicleModel, vehicleName, vehicleClass, configuration); return Ok(true); } @OnNuiEvent(NuiEvent.AdminMenuVehicleSetFBIConfig) public async onAdminMenuVehicleSetFBIConfig() { const vehicle = GetVehiclePedIsIn(PlayerPedId(), false); + if (vehicle) { - SetVehicleModKit(vehicle, 0); + const configuration = this.vehicleModificationService.getVehicleConfiguration(vehicle); + const fbiConfiguration: VehicleConfiguration = { + ...configuration, + color: { + primary: 12, + secondary: 12, + pearlescent: 12, + rim: 12, + }, + windowTint: 1, + modification: { + turbo: true, + engine: GetNumVehicleMods(vehicle, VehicleModType.Engine) - 1, + brakes: GetNumVehicleMods(vehicle, VehicleModType.Brakes) - 1, + transmission: GetNumVehicleMods(vehicle, VehicleModType.Transmission) - 1, + suspension: GetNumVehicleMods(vehicle, VehicleModType.Suspension) - 1, + armor: GetNumVehicleMods(vehicle, VehicleModType.Armor) - 1, + }, + }; - [11, 12, 13, 15, 16].forEach(modCategory => { - SetVehicleMod(vehicle, modCategory, GetNumVehicleMods(vehicle, modCategory) - 1, false); - }); + const vehicleNetworkId = NetworkGetNetworkIdFromEntity(vehicle); + const newVehicleConfiguration = await emitRpc( + RpcServerEvent.VEHICLE_CUSTOM_SET_MODS, + vehicleNetworkId, + fbiConfiguration, + configuration + ); - ToggleVehicleMod(vehicle, 18, true); - SetVehicleColours(vehicle, 12, 12); - SetVehicleExtraColours(vehicle, 12, 12); - SetVehicleWindowTint(vehicle, 1); + this.vehicleModificationService.applyVehicleConfiguration(vehicle, newVehicleConfiguration); } + return Ok(true); } @@ -169,6 +186,6 @@ export class AdminMenuVehicleProvider { @OnNuiEvent(NuiEvent.AdminToggleNoStall) public async setNoStall(value: boolean): Promise { - this.vehicleConditionProvider.setAdminNoStall(value); + this.vehicleDamageProvider.setAdminNoStall(value); } } diff --git a/resources/[soz]/soz-core/src/client/admin/admin.module.ts b/resources/[soz]/soz-core/src/client/admin/admin.module.ts index 43f026753a..ac85645d48 100644 --- a/resources/[soz]/soz-core/src/client/admin/admin.module.ts +++ b/resources/[soz]/soz-core/src/client/admin/admin.module.ts @@ -3,21 +3,25 @@ import { AdminMenuDeveloperProvider } from './admin.menu.developer.provider'; import { AdminMenuGameMasterProvider } from './admin.menu.game-master.provider'; import { AdminMenuInteractiveProvider } from './admin.menu.interactive.provider'; import { AdminMenuJobProvider } from './admin.menu.job.provider'; +import { AdminMenuMapperProvider } from './admin.menu.mapper.provider'; import { AdminMenuPlayerProvider } from './admin.menu.player.provider'; import { AdminMenuProvider } from './admin.menu.provider'; import { AdminMenuSkinProvider } from './admin.menu.skin.provider'; import { AdminMenuVehicleProvider } from './admin.menu.vehicle.provider'; +import { AdminSpectateProvider } from './admin.spectate.provider'; @Module({ providers: [ AdminMenuGameMasterProvider, AdminMenuInteractiveProvider, AdminMenuJobProvider, + AdminMenuMapperProvider, AdminMenuSkinProvider, AdminMenuPlayerProvider, AdminMenuDeveloperProvider, AdminMenuVehicleProvider, AdminMenuProvider, + AdminSpectateProvider, ], }) export class AdminModule {} diff --git a/resources/[soz]/soz-core/src/client/admin/admin.spectate.provider.ts b/resources/[soz]/soz-core/src/client/admin/admin.spectate.provider.ts new file mode 100644 index 0000000000..bf9be8f6d4 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/admin/admin.spectate.provider.ts @@ -0,0 +1,69 @@ +import { OnEvent, OnNuiEvent } from '../../core/decorators/event'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { AdminPlayer } from '../../shared/admin/admin'; +import { ClientEvent, NuiEvent, ServerEvent } from '../../shared/event'; +import { Vector3 } from '../../shared/polyzone/vector'; +import { Notifier } from '../notifier'; +import { VoipService } from '../voip/voip.service'; + +@Provider() +export class AdminSpectateProvider { + @Inject(Notifier) + private notifier: Notifier; + + @Inject(VoipService) + private voipService: VoipService; + + private previousPosition: Vector3 = null; + + private spectatingPlayer = null; + + @OnNuiEvent(NuiEvent.AdminMenuPlayerSpectate) + public async spectate(player: AdminPlayer): Promise { + TriggerServerEvent(ServerEvent.ADMIN_SPECTATE_PLAYER, player); + this.notifier.notify(`Vous êtes maintenant en mode spectateur sur ~g~${player.name}.`, 'info'); + } + + @OnEvent(ClientEvent.ADMIN_SPECTATE_PLAYER) + public async spectatePlayer(target: number, position: Vector3): Promise { + const ped = PlayerPedId(); + const targetPlayer = GetPlayerFromServerId(target); + const targetPed = GetPlayerPed(targetPlayer); + + if (this.spectatingPlayer === target) { + NetworkSetInSpectatorMode(false, targetPed); + SetEntityCoords( + ped, + this.previousPosition[0], + this.previousPosition[1], + this.previousPosition[2], + false, + false, + false, + false + ); + SetEntityVisible(ped, true, false); + SetEntityInvincible(ped, false); + SetEntityCollision(ped, true, true); + + this.spectatingPlayer = null; + this.previousPosition = null; + this.voipService.mutePlayer(false); + + return; + } + + if (this.spectatingPlayer === null) { + SetEntityVisible(ped, false, false); + SetEntityInvincible(ped, true); + SetEntityCollision(ped, false, false); + this.previousPosition = GetEntityCoords(ped, false) as Vector3; + this.voipService.mutePlayer(true); + } + + SetEntityCoords(ped, position[0], position[1], position[2], false, false, false, false); + NetworkSetInSpectatorMode(true, targetPed); + this.spectatingPlayer = target; + } +} diff --git a/resources/[soz]/soz-core/src/client/afk/afk.provider.ts b/resources/[soz]/soz-core/src/client/afk/afk.provider.ts index 6562692f9c..ecb80faf3f 100644 --- a/resources/[soz]/soz-core/src/client/afk/afk.provider.ts +++ b/resources/[soz]/soz-core/src/client/afk/afk.provider.ts @@ -11,7 +11,8 @@ import { InputService } from '../nui/input.service'; import { PhoneService } from '../phone/phone.service'; import { PlayerService } from '../player/player.service'; import { ProgressService } from '../progress.service'; -import { TalkService } from '../talk.service'; +import { Store } from '../store/store'; +import { VoipRadioProvider } from '../voip/voip.radio.provider'; const AFK_SECONDS_UNTIL_KICK = 900; const AFK_SECONDS_UNTIL_WARNING = 300; @@ -36,17 +37,20 @@ export class AfkProvider { @Inject(PhoneService) private phoneService: PhoneService; - @Inject(TalkService) - private talkService: TalkService; + @Inject(VoipRadioProvider) + private voipRadioProvider: VoipRadioProvider; @Inject(InputService) private inputService: InputService; + @Inject('Store') + private store: Store; + @Tick(TickInterval.EVERY_FRAME) async verificationLoop() { const player = this.playerService.getPlayer(); - if (!player || player.metadata.godmode || GlobalState.disableAFK) { + if (!player || player.metadata.godmode || this.store.getState().global.disableAFK) { return; } @@ -65,8 +69,8 @@ export class AfkProvider { this.phoneService.setPhoneFocus(false); } - if (this.talkService.isRadioOpen()) { - this.talkService.setRadioOpen(false); + if (this.voipRadioProvider.isRadioOpen()) { + this.voipRadioProvider.closeRadioInterface(); } if (GetPauseMenuState() != 0) { @@ -113,7 +117,7 @@ export class AfkProvider { const player = this.playerService.getPlayer(); const currentPosition: Vector3 = [0, 0, 0]; - if (!player || player.metadata.godmode || GlobalState.disableAFK) { + if (!player || player.metadata.godmode || this.store.getState().global.disableAFK) { return; } diff --git a/resources/[soz]/soz-core/src/client/animation/animation.factory.ts b/resources/[soz]/soz-core/src/client/animation/animation.factory.ts new file mode 100644 index 0000000000..84ea963d6a --- /dev/null +++ b/resources/[soz]/soz-core/src/client/animation/animation.factory.ts @@ -0,0 +1,444 @@ +import { Inject, Injectable } from '@core/decorators/injectable'; +import { wait, waitUntil } from '@core/utils'; + +import { + Animation, + AnimationInfo, + animationOptionsToFlags, + AnimationStopReason, + PlayOptions, + Scenario, +} from '../../shared/animation'; +import { transformForwardPoint2D, Vector2, Vector3 } from '../../shared/polyzone/vector'; +import { WeaponName } from '../../shared/weapons/weapon'; +import { ResourceLoader } from '../repository/resource.loader'; + +const defaultPlayOptions: PlayOptions = { + ped: null, + resetWeapon: false, + clearTasksBefore: false, + clearTasksAfter: false, +}; + +class AnimationCanceller { + public cancelReason: AnimationStopReason = null; + + public onCancel: (reason: AnimationStopReason) => void = () => {}; + + public cancel(reason: AnimationStopReason): void { + this.cancelReason = reason; + this.onCancel(reason); + } +} + +const fixPositionOffset = (position: Vector3, heading: number, delta: Vector2): Vector3 => { + const headingInRad = (heading * Math.PI) / 180; + + const [x, y] = transformForwardPoint2D([position[0], position[1]], headingInRad, delta[0]); + const z = position[2] + delta[1]; + + return [x, y, z]; +}; + +export class AnimationRunner implements Promise { + public running = true; + + private static seq = 0; + + readonly id = AnimationRunner.seq++; + + private readonly promise: Promise; + + private animationCanceller: AnimationCanceller; + + constructor(innerPromise: Promise, animationCanceller: AnimationCanceller) { + this.promise = new Promise((resolve, reject) => { + innerPromise + .then( + r => resolve(r), + e => reject(e) + ) + .finally(() => (this.running = false)); + }); + + this.animationCanceller = animationCanceller; + } + + public cancel(reason: AnimationStopReason = AnimationStopReason.Canceled): void { + if (this.running) { + this.animationCanceller.cancel(reason); + } + } + + readonly [Symbol.toStringTag]: string; + + catch( + onrejected?: ((reason: any) => TResult | PromiseLike) | undefined | null + ): Promise { + return this.promise.catch(onrejected); + } + + finally(onfinally?: (() => void) | undefined | null): Promise { + return this.promise.finally(onfinally); + } + + then( + onfulfilled?: ((value: AnimationStopReason) => TResult1 | PromiseLike) | undefined | null, + onrejected?: ((reason: any) => TResult2 | PromiseLike) | undefined | null + ): Promise { + return this.promise.then(onfulfilled, onrejected); + } +} + +const doAnimation = async ( + ped: number, + animation: AnimationInfo, + forceDuration: boolean, + animationCanceller: AnimationCanceller +): Promise => { + const duration = animation.duration + ? animation.duration + : forceDuration + ? 1000 + : animation.options?.repeat + ? -1 + : GetAnimDuration(animation.dictionary, animation.name) * 1000; + + const blendInSpeed = animation.blendInSpeed ? animation.blendInSpeed : 8.0; + const blendOutSpeed = animation.blendOutSpeed ? animation.blendOutSpeed : -8.0; + const flags = animationOptionsToFlags(animation.options || {}); + const playbackRate = animation.playbackRate ? animation.playbackRate : 0.0; + const lockX = animation.lockX ? animation.lockX : false; + const lockY = animation.lockY ? animation.lockY : false; + const lockZ = animation.lockZ ? animation.lockZ : false; + + TaskPlayAnim( + ped, + animation.dictionary, + animation.name, + blendInSpeed, + blendOutSpeed, + -1, // always loop, if there is a duration we will stop it manually, so we are sure than animation is always longer than the duration even on slow machines + flags, + playbackRate, + lockX, + lockY, + lockZ + ); + + // await for animation start + await waitUntil(async () => IsEntityPlayingAnim(ped, animation.dictionary, animation.name, 3), 1000); + + const waitUntilPromise = waitUntil(async () => { + return !IsEntityPlayingAnim(ped, animation.dictionary, animation.name, 3); + }); + + return new Promise(resolve => { + if (duration > 0) { + wait(duration).then(() => { + resolve(AnimationStopReason.Finished); + }); + } + + waitUntilPromise.then(() => { + setTimeout(() => { + resolve(AnimationStopReason.Aborted); + }, 200); + }); + + animationCanceller.onCancel = reason => { + resolve(reason); + }; + }).then(reason => { + if (!waitUntilPromise.isCanceled) { + waitUntilPromise.cancel(); + } + + if (IsEntityPlayingAnim(ped, animation.dictionary, animation.name, 3)) { + StopAnimTask(ped, animation.dictionary, animation.name, 3); + } + + return reason; + }); +}; + +@Injectable() +export class AnimationFactory { + @Inject(ResourceLoader) + private resourceLoader: ResourceLoader; + + public createAnimation(animation: Animation, options: Partial = {}): AnimationRunner { + return this.createFromCallback(async (animationCanceller, ped) => { + if (animation.enter?.dictionary) { + await this.resourceLoader.loadAnimationDictionary(animation.enter.dictionary); + } + + if (animation.base.dictionary) { + await this.resourceLoader.loadAnimationDictionary(animation.base.dictionary); + } + + if (animation.exit?.dictionary) { + await this.resourceLoader.loadAnimationDictionary(animation.exit.dictionary); + } + + const props = []; + + if (animation.props) { + for (const prop of animation.props) { + await this.resourceLoader.loadModel(prop.model); + + const playerOffset = GetOffsetFromEntityInWorldCoords(ped, 0.0, 0.0, 0.0) as Vector3; + const propId = CreateObject( + GetHashKey(prop.model), + playerOffset[0], + playerOffset[1], + playerOffset[2], + true, + true, + false + ); + + SetEntityAsMissionEntity(propId, true, true); + SetNetworkIdCanMigrate(NetworkGetNetworkIdFromEntity(propId), false); + + AttachEntityToEntity( + propId, + ped, + GetPedBoneIndex(ped, prop.bone), + prop.position[0], + prop.position[1], + prop.position[2], + prop.rotation[0], + prop.rotation[1], + prop.rotation[2], + true, + true, + false, + true, + 0, + true + ); + + if (prop.fx) { + UseParticleFxAsset(prop.fx.dictionary); + + StartNetworkedParticleFxLoopedOnEntity( + prop.fx.name, + propId, + prop.fx.position[0], + prop.fx.position[1], + prop.fx.position[2], + prop.fx.rotation[0], + prop.fx.rotation[1], + prop.fx.rotation[2], + prop.fx.scale, + false, + false, + false + ); + } + + props.push(propId); + } + } + + try { + if (animation.enter) { + const stopReason = await doAnimation(ped, animation.enter, true, animationCanceller); + + if (stopReason !== AnimationStopReason.Finished) { + return stopReason; + } + } + + const stopReason = await doAnimation(ped, animation.base, false, animationCanceller); + + if (stopReason === AnimationStopReason.Aborted) { + return stopReason; + } + + if (animation.exit) { + const stopReason = await doAnimation(ped, animation.exit, true, animationCanceller); + + if (stopReason !== AnimationStopReason.Finished) { + return stopReason; + } + } + + return stopReason; + } finally { + for (const prop of props) { + if (animation.enter?.dictionary) { + this.resourceLoader.unloadAnimationDictionary(animation.enter.dictionary); + } + + this.resourceLoader.unloadAnimationDictionary(animation.base.dictionary); + + if (animation.exit?.dictionary) { + this.resourceLoader.unloadAnimationDictionary(animation.exit.dictionary); + } + + RemoveParticleFxFromEntity(prop); + DetachEntity(prop, false, false); + DeleteEntity(prop); + } + } + }, options); + } + + public createScenario(scenario: Scenario, options: Partial = {}): AnimationRunner { + return this.createFromCallback(async (animationCanceller, ped) => { + // If we launch over an existing scenario, we need to cancel it first + if (IsPedUsingAnyScenario(ped)) { + ClearPedTasks(ped); + + await waitUntil( + async () => !IsPedUsingAnyScenario(ped) || animationCanceller.cancelReason !== null, + 1000 + ); + } + + // Check if cancelled while waiting for previous scenario to stop + if (animationCanceller.cancelReason !== null) { + return animationCanceller.cancelReason; + } + + // Fix position for some scenarios + if (scenario.fixPositionDelta) { + const heading = GetEntityHeading(ped); + const position = GetEntityCoords(ped, false) as Vector3; + const scenarioPosition = fixPositionOffset(position, heading, scenario.fixPositionDelta); + + TaskStartScenarioAtPosition( + ped, + scenario.name, + scenarioPosition[0], + scenarioPosition[1], + scenarioPosition[2], + heading, + 0, + true, + false + ); + } else if (scenario.position) { + TaskStartScenarioAtPosition( + ped, + scenario.name, + scenario.position[0], + scenario.position[1], + scenario.position[2], + scenario.position[3], + 0, + scenario.isSittingScenario ?? false, + scenario.shouldTeleport ?? false + ); + } else { + TaskStartScenarioInPlace(ped, scenario.name, -1, true); + } + + // Wait for scenario to start + await waitUntil(async () => IsPedUsingAnyScenario(ped) && IsPedUsingScenario(ped, scenario.name), 1000); + + // Promise that resolves when the scenario is finished + const waitUntilPromise = waitUntil(async () => { + return !IsPedUsingAnyScenario(ped) || !IsPedUsingScenario(ped, scenario.name); + }); + + // Promise that resolves when the scenario is cancelled, aborted or finished + const promise = new Promise(resolve => { + if (scenario.duration > 0) { + wait(scenario.duration).then(() => { + resolve(AnimationStopReason.Finished); + }); + } + + waitUntilPromise.then(cancelled => { + if (cancelled) { + resolve(AnimationStopReason.Canceled); + } else { + if (scenario.duration > 0) { + resolve(AnimationStopReason.Aborted); + } else { + // we cannot determine if the scenario was aborted or finished, so we assume it was finished + resolve(AnimationStopReason.Finished); + } + } + }); + + animationCanceller.onCancel = reason => { + resolve(reason); + }; + }).then(reason => { + if (!waitUntilPromise.isCanceled) { + waitUntilPromise.cancel(); + } + + return reason; + }); + + promise.finally(() => { + if (IsPedUsingAnyScenario(ped) && IsPedUsingScenario(ped, scenario.name)) { + ClearPedTasks(ped); + } + + if (scenario.propsCreated) { + const position = GetEntityCoords(ped, false) as Vector3; + + for (const prop of scenario.propsCreated) { + const hash = GetHashKey(prop); + const propId = GetClosestObjectOfType( + position[0], + position[1], + position[2], + 1.0, + hash, + false, + true, + true + ); + + if (propId !== 0) { + SetEntityAsMissionEntity(propId, false, false); + DetachEntity(propId, false, false); + DeleteObject(propId); + } + } + } + }); + + return promise; + }, options); + } + + public createFromCallback( + callback: (animationCanceller: AnimationCanceller, ped: number) => Promise, + options: Partial = {} + ): AnimationRunner { + const playOptions = { ...defaultPlayOptions, ...options }; + + if (!playOptions.ped) { + playOptions.ped = PlayerPedId(); + } + + if (playOptions.clearTasksBefore) { + ClearPedTasksImmediately(playOptions.ped); + ClearPedSecondaryTask(playOptions.ped); + } + + if (playOptions.resetWeapon) { + SetCurrentPedWeapon(playOptions.ped, GetHashKey(WeaponName.UNARMED), true); + } + + const animationCanceller = new AnimationCanceller(); + + return new AnimationRunner( + callback(animationCanceller, playOptions.ped).finally(() => { + if (playOptions.clearTasksAfter) { + ClearPedTasks(playOptions.ped); + ClearPedSecondaryTask(playOptions.ped); + } + }), + animationCanceller + ); + } +} diff --git a/resources/[soz]/soz-core/src/client/animation/animation.handsup.provider.ts b/resources/[soz]/soz-core/src/client/animation/animation.handsup.provider.ts new file mode 100644 index 0000000000..a39308b2ed --- /dev/null +++ b/resources/[soz]/soz-core/src/client/animation/animation.handsup.provider.ts @@ -0,0 +1,96 @@ +import { Command } from '../../core/decorators/command'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { Tick } from '../../core/decorators/tick'; +import { Control } from '../../shared/input'; +import { PlayerService } from '../player/player.service'; +import { AnimationRunner } from './animation.factory'; +import { AnimationService } from './animation.service'; + +@Provider() +export class AnimationHandsUpProvider { + @Inject(AnimationService) + private animationService: AnimationService; + + @Inject(PlayerService) + private playerService: PlayerService; + + private handsUp: AnimationRunner = null; + + @Tick() + public async disableVehicleHandsUp() { + if (this.handsUp === null) { + return; + } + + if (GetPedInVehicleSeat(GetVehiclePedIsIn(PlayerPedId(), false), -1) !== PlayerPedId()) { + return; + } + + DisableControlAction(0, Control.Sprint, true); + DisableControlAction(0, Control.Attack, true); + DisableControlAction(0, Control.Aim, true); + DisableControlAction(0, Control.Detonate, true); + DisableControlAction(0, Control.ThrowGrenade, true); + DisableControlAction(0, Control.VehicleAccelerate, true); + DisableControlAction(0, Control.VehicleBrake, true); + DisableControlAction(0, Control.VehicleMoveLeftRight, true); + DisableControlAction(0, Control.VehicleMoveLeftOnly, true); + DisableControlAction(0, Control.VehicleMoveRightOnly, true); + DisableControlAction(0, Control.MeleeAttack1, true); + DisableControlAction(0, Control.MeleeAttack2, true); + DisableControlAction(0, Control.Attack2, true); + DisableControlAction(0, Control.MeleeAttackLight, true); + DisableControlAction(0, Control.MeleeAttackHeavy, true); + DisableControlAction(0, Control.MeleeAttackAlternate, true); + DisableControlAction(0, Control.MeleeBlock, true); + DisableControlAction(0, Control.VehicleExit, true); + DisableControlAction(27, Control.VehicleExit, true); + } + + @Command('animation_handsup', { + description: "Mains en l'air", + keys: [ + { + mapper: 'keyboard', + key: 'X', + }, + ], + }) + public async toggleHandsUp() { + if (this.handsUp) { + this.handsUp.cancel(); + + return; + } + + if (!this.playerService.canDoAction()) { + return; + } + + const ped = PlayerPedId(); + + if (IsPedSittingInAnyVehicle(ped)) { + return; + } + + SetCurrentPedWeapon(ped, GetHashKey('WEAPON_UNARMED'), true); + + this.handsUp = this.animationService.playAnimation({ + base: { + dictionary: 'missminuteman_1ig_2', + name: 'handsup_base', + duration: -1, + options: { + freezeLastFrame: true, + enablePlayerControl: true, + onlyUpperBody: true, + }, + }, + }); + + await this.handsUp; + + this.handsUp = null; + } +} diff --git a/resources/[soz]/soz-core/src/client/animation/animation.module.ts b/resources/[soz]/soz-core/src/client/animation/animation.module.ts index 8daae1b6b7..761fb70105 100644 --- a/resources/[soz]/soz-core/src/client/animation/animation.module.ts +++ b/resources/[soz]/soz-core/src/client/animation/animation.module.ts @@ -1,7 +1,17 @@ import { Module } from '../../core/decorators/module'; +import { AnimationHandsUpProvider } from './animation.handsup.provider'; +import { AnimationPointProvider } from './animation.point.provider'; import { AnimationProvider } from './animation.provider'; +import { AnimationRagdollProvider } from './animation.ragdoll.provider'; +import { SeatAnimationProvider } from './animation.world.provider'; @Module({ - providers: [AnimationProvider], + providers: [ + AnimationHandsUpProvider, + AnimationPointProvider, + AnimationProvider, + AnimationRagdollProvider, + SeatAnimationProvider, + ], }) export class AnimationModule {} diff --git a/resources/[soz]/soz-core/src/client/animation/animation.point.provider.ts b/resources/[soz]/soz-core/src/client/animation/animation.point.provider.ts new file mode 100644 index 0000000000..e9cb3896b5 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/animation/animation.point.provider.ts @@ -0,0 +1,106 @@ +import { Command } from '../../core/decorators/command'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { wait } from '../../core/utils'; +import { Vector3 } from '../../shared/polyzone/vector'; +import { PlayerService } from '../player/player.service'; +import { ResourceLoader } from '../repository/resource.loader'; + +@Provider() +export class AnimationPointProvider { + @Inject(PlayerService) + private playerService: PlayerService; + + @Inject(ResourceLoader) + private resourceLoader: ResourceLoader; + + private pointing = false; + + @Command('animation_point', { + description: 'Pointer du doigt', + keys: [ + { + mapper: 'keyboard', + key: 'B', + }, + ], + }) + public async togglePoint() { + const ped = PlayerPedId(); + + if (this.pointing) { + this.pointing = false; + return; + } + + if (!this.playerService.canDoAction()) { + return; + } + + if (IsPedSittingInAnyVehicle(ped)) { + return; + } + + await this.resourceLoader.loadAnimationDictionary('anim@mp_point'); + TaskMoveNetworkByName(ped, 'task_mp_pointing', 0.5, false, 'anim@mp_point', 24); + this.resourceLoader.unloadAnimationDictionary('anim@mp_point'); + + this.pointing = true; + + while (this.pointing) { + let camPitch = GetGameplayCamRelativePitch(); + + if (camPitch < -70.0) { + camPitch = -70.0; + } else if (camPitch > 42.0) { + camPitch = 42.0; + } + + camPitch = (camPitch + 70.0) / 112.0; + const camHeading = (GetGameplayCamRelativeHeading() + 180) % 360; + const camHeadingRad = (camHeading * Math.PI) / 180.0; + const cosCamHeading = Math.cos(camHeadingRad); + const sinCamHeading = Math.sin(camHeadingRad); + const camHeadingPercent = camHeading / 360.0; + + const coords = GetOffsetFromEntityInWorldCoords( + ped, + cosCamHeading * -0.2 - sinCamHeading * (0.4 * camHeadingPercent + 0.3), + sinCamHeading * -0.2 + cosCamHeading * (0.4 * camHeadingPercent + 0.3), + 0.6 + ) as Vector3; + const ray = Cast_3dRayPointToPoint( + coords[0], + coords[1], + coords[2] - 0.2, + coords[0], + coords[1], + coords[2] + 0.2, + 0.4, + 95, + ped, + 7 + ); + + const [, blocked, ,] = GetRaycastResult(ray); + + SetTaskMoveNetworkSignalFloat(ped, 'Pitch', camPitch); + SetTaskMoveNetworkSignalFloat(ped, 'Heading', camHeadingPercent * -1.0 + 1.0); + SetTaskMoveNetworkSignalBool(ped, 'isBlocked', blocked); + SetTaskMoveNetworkSignalBool( + ped, + 'isFirstPerson', + GetCamViewModeForContext(GetCamActiveViewModeContext()) == 4 + ); + + await wait(0); + + if (!IsTaskMoveNetworkActive(ped)) { + this.pointing = false; + } + } + + RequestTaskMoveNetworkStateTransition(ped, 'Stop'); + ClearPedSecondaryTask(ped); + } +} diff --git a/resources/[soz]/soz-core/src/client/animation/animation.provider.ts b/resources/[soz]/soz-core/src/client/animation/animation.provider.ts index 3978c7f3db..ace45b2388 100644 --- a/resources/[soz]/soz-core/src/client/animation/animation.provider.ts +++ b/resources/[soz]/soz-core/src/client/animation/animation.provider.ts @@ -1,7 +1,6 @@ import { Once, OnceStep } from '../../core/decorators/event'; import { Inject } from '../../core/decorators/injectable'; import { Provider } from '../../core/decorators/provider'; -import { ResourceLoader } from '../resources/resource.loader'; import { AnimationService } from './animation.service'; @Provider() @@ -9,29 +8,8 @@ export class AnimationProvider { @Inject(AnimationService) private animationService: AnimationService; - @Inject(ResourceLoader) - private resourceLoader: ResourceLoader; - - private animationLoop: Promise | null = null; - - @Once() - public async init() { - this.animationLoop = this.animationService.loop(); - } - @Once(OnceStep.Stop) - public async stop() { - await this.animationService.destroy(); - this.animationLoop = null; - } - - @Once() - public async onStart() { - // const walkStyle = 'move_m@quick'; - // await this.resourceLoader.loadAnimationSet(walkStyle); - // - // SetPedMovementClipset(PlayerPedId(), walkStyle, 0.2); - // - // this.resourceLoader.unloadedAnimationSet(walkStyle); + public stop() { + this.animationService.stop(); } } diff --git a/resources/[soz]/soz-core/src/client/animation/animation.ragdoll.provider.ts b/resources/[soz]/soz-core/src/client/animation/animation.ragdoll.provider.ts new file mode 100644 index 0000000000..148ae99465 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/animation/animation.ragdoll.provider.ts @@ -0,0 +1,55 @@ +import { Command } from '../../core/decorators/command'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { wait } from '../../core/utils'; +import { PlayerService } from '../player/player.service'; + +@Provider() +export class AnimationRagdollProvider { + @Inject(PlayerService) + private playerService: PlayerService; + + private ragdoll = false; + + @Command('animation_ragdoll', { + description: 'Ragdoll', + keys: [ + { + mapper: 'keyboard', + key: 'Z', + }, + ], + }) + public async toggleRagdoll() { + if (this.ragdoll) { + this.ragdoll = false; + return; + } + + const player = this.playerService.getPlayer(); + if (!player) { + return; + } + + if (player.metadata && player.metadata.inside.apartment) { + return; + } + + if (!this.playerService.canDoAction()) { + return; + } + + const ped = PlayerPedId(); + + if (IsPedInAnyVehicle(ped, false)) { + return; + } + + this.ragdoll = true; + + while (this.ragdoll) { + SetPedToRagdoll(PlayerPedId(), 1000, 1000, 0, false, false, false); + await wait(100); + } + } +} diff --git a/resources/[soz]/soz-core/src/client/animation/animation.service.ts b/resources/[soz]/soz-core/src/client/animation/animation.service.ts index 679cb43b3f..56173877ef 100644 --- a/resources/[soz]/soz-core/src/client/animation/animation.service.ts +++ b/resources/[soz]/soz-core/src/client/animation/animation.service.ts @@ -1,215 +1,17 @@ -import PCancelable from 'p-cancelable'; +import { Inject, Injectable } from '@core/decorators/injectable'; +import { wait, waitUntil } from '@core/utils'; +import { AnimationFactory, AnimationRunner } from '@public/client/animation/animation.factory'; -import { Inject, Injectable } from '../../core/decorators/injectable'; -import { wait, waitUntil } from '../../core/utils'; +import { Animation, AnimationStopReason, PlayOptions, Scenario } from '../../shared/animation'; import { BoxZone } from '../../shared/polyzone/box.zone'; import { Vector3, Vector4 } from '../../shared/polyzone/vector'; -import { AnimationOptions, animationOptionsToFlags } from '../../shared/progress'; -import { WeaponName } from '../../shared/weapons/weapon'; -import { ResourceLoader } from '../resources/resource.loader'; - -export type Animation = { - enter?: AnimationInfo; - base: AnimationInfo; - exit?: AnimationInfo; -}; - -export type Scenario = { - name: string; - duration?: number; -}; - -export type AnimationInfo = { - dictionary: string; - name: string; - duration?: number; - blendInSpeed?: number; - blendOutSpeed?: number; - playbackRate?: number; - lockX?: boolean; - lockY?: boolean; - lockZ?: boolean; - options?: AnimationOptions; -}; - -type PlayOptions = { - reset_weapon?: boolean; -}; - -type AnimationTask = { - animation?: Animation; - scenario?: Scenario; - play_options?: PlayOptions; - reject: (reason: any) => void; - resolve: (cancelled: boolean) => void; -}; @Injectable() export class AnimationService { - @Inject(ResourceLoader) - private resourceLoader: ResourceLoader; - - private queue: AnimationTask[] = []; - - private running = false; - - private currentAnimation: AnimationTask | null = null; - - private currentAnimationLoopResolve: () => void; - - private doAnimation(animation: AnimationInfo, forceDuration: boolean): number { - const duration = animation.duration - ? animation.duration - : forceDuration - ? 1000 - : animation.options?.repeat - ? -1 - : GetAnimDuration(animation.dictionary, animation.name) * 1000; - - const blendInSpeed = animation.blendInSpeed ? animation.blendInSpeed : 1; - const blendOutSpeed = animation.blendOutSpeed ? animation.blendOutSpeed : 1; - const flags = animationOptionsToFlags(animation.options || {}); - const playbackRate = animation.playbackRate ? animation.playbackRate : 0.0; - const lockX = animation.lockX ? animation.lockX : false; - const lockY = animation.lockY ? animation.lockY : false; - const lockZ = animation.lockZ ? animation.lockZ : false; - - TaskPlayAnim( - PlayerPedId(), - animation.dictionary, - animation.name, - blendInSpeed, - blendOutSpeed, - duration, - flags, - playbackRate, - lockX, - lockY, - lockZ - ); - - return duration; - } - - private async waitUntilCancelled(animation: AnimationInfo, duration: number | PCancelable): Promise { - const ped = PlayerPedId(); - const until = async () => { - return !IsEntityPlayingAnim(ped, animation.dictionary, animation.name, 3); - }; - - if (typeof duration === 'number') { - return waitUntil(until, duration); - } - - const waitUntilPromise = waitUntil(until); - const durationPromise = async () => { - await duration; - - return false; - }; - - const cancelled = await Promise.race([waitUntilPromise, durationPromise()]); + @Inject(AnimationFactory) + private animationFactory: AnimationFactory; - waitUntilPromise.cancel(); - duration.cancel(); - - return cancelled; - } - - private async doScenario(scenario: Scenario, stop: PCancelable): Promise { - const ped = PlayerPedId(); - - ClearPedTasksImmediately(ped); - TaskStartScenarioInPlace(ped, scenario.name, 0, true); - - const until = async () => { - return !IsPedUsingAnyScenario(ped) || !IsPedUsingScenario(ped, scenario.name); - }; - - if (scenario.duration) { - return waitUntil(until, scenario.duration); - } - - const waitUntilPromise = waitUntil(until); - const durationPromise = async () => { - await stop; - - return false; - }; - - const cancelled = await Promise.race([waitUntilPromise, durationPromise()]); - - waitUntilPromise.cancel(); - stop.cancel(); - - return cancelled; - } - - public async loop() { - this.running = true; - - while (this.running) { - if (this.queue.length === 0) { - await wait(100); - - continue; - } - - const animationPromise = new PCancelable(resolve => { - this.currentAnimationLoopResolve = resolve; - }); - - this.currentAnimation = this.queue.shift(); - - const options = this.currentAnimation.play_options || { - reset_weapon: true, - }; - - let cancelled = false; - - if (this.currentAnimation.animation) { - if (this.currentAnimation.animation.enter) { - cancelled = await this.waitUntilCancelled( - this.currentAnimation.animation.enter, - this.doAnimation(this.currentAnimation.animation.enter, true) - ); - } - - if (!cancelled) { - const duration = this.doAnimation(this.currentAnimation.animation.base, false); - - cancelled = await this.waitUntilCancelled( - this.currentAnimation.animation.base, - duration !== -1 ? duration : animationPromise - ); - } - - if (!cancelled && this.currentAnimation.animation.exit) { - cancelled = await this.waitUntilCancelled( - this.currentAnimation.animation.exit, - this.doAnimation(this.currentAnimation.animation.exit, true) - ); - } - } else if (this.currentAnimation.scenario) { - cancelled = await this.doScenario(this.currentAnimation.scenario, animationPromise); - } - - const ped = PlayerPedId(); - - if (options.reset_weapon) { - SetCurrentPedWeapon(ped, GetHashKey(WeaponName.UNARMED), true); - } - this.currentAnimation.resolve(cancelled); - - this.currentAnimation = null; - this.currentAnimationLoopResolve = null; - - await wait(100); - - ClearPedTasks(ped); - ClearPedSecondaryTask(ped); - } - } + private runningAnimations: Map = new Map(); public async walkToCoords(coords: Vector4, duration = 1000) { const playerPed = PlayerPedId(); @@ -230,70 +32,94 @@ export class AnimationService { await wait(interval); } - public async playScenario(scenario: Scenario, options?: PlayOptions): Promise { - const promise = new Promise((resolve, reject) => { - this.queue.push({ - scenario, - reject, - resolve, - play_options: options, - }); - }); + public playAnimationIfNotRunning(animation: Animation, options?: Partial) { + const id = animation.base.dictionary + animation.base.name; - // Will stop current animation if in loop - if (this.currentAnimationLoopResolve) { - this.currentAnimationLoopResolve(); - } + if (!this.runningAnimations.has(id)) { + const runner = this.animationFactory.createAnimation(animation, options); + this.runningAnimations.set(id, runner); - return promise; + runner.finally(() => { + this.runningAnimations.delete(id); + }); + } } - public async playAnimation(animation: Animation, options?: PlayOptions): Promise { - if (animation.enter?.dictionary) { - await this.resourceLoader.loadAnimationDictionary(animation.enter.dictionary); - } + public stopAnimationIfRunning(animation: Animation) { + const id = animation.base.dictionary + animation.base.name; - if (animation.base.dictionary) { - await this.resourceLoader.loadAnimationDictionary(animation.base.dictionary); + if (this.runningAnimations.has(id)) { + this.runningAnimations.get(id).cancel(AnimationStopReason.Canceled); } + } + public async walkToCoordsAvoidObstacles(coords: Vector3 | Vector4, maxDuration = 5000) { + const ped = PlayerPedId(); + TaskGoToCoordAnyMeans(ped, coords[0], coords[1], coords[2], 1.0, 0, false, 786603, 0xbf800000); + const zone: BoxZone = new BoxZone([coords[0], coords[1], coords[2]], 1.5, 1.5); + const interval = 500; + for (let i = 0; i < maxDuration; i += interval) { + if (zone.isPointInside(GetEntityCoords(ped) as Vector3)) { + break; + } - if (animation.exit?.dictionary) { - await this.resourceLoader.loadAnimationDictionary(animation.exit.dictionary); + await wait(interval); } + ClearPedTasks(ped); + } + + public async clearShopAnimations(ped: number) { + ClearPedTasks(ped); + ClearPedSecondaryTask(ped); + RemoveAnimDict('anim@heists@heist_corona@team_idles@male_c'); + RemoveAnimDict('anim@heists@heist_corona@team_idles@female_a'); + } - const promise = new Promise((resolve, reject) => { - this.queue.push({ - animation, - reject, - resolve, - play_options: options, + public toggleAnimation(animation: Animation, options?: Partial) { + const id = animation.base.dictionary + animation.base.name; + + if (this.runningAnimations.has(id)) { + this.runningAnimations.get(id).cancel(AnimationStopReason.Canceled); + } else { + const runner = this.animationFactory.createAnimation(animation, options); + this.runningAnimations.set(id, runner); + + runner.finally(() => { + this.runningAnimations.delete(id); }); - }); + } + } + + public toggleScenario(scenario: Scenario, options?: Partial) { + const id = scenario.name; - // Will stop current animation if in loop - if (this.currentAnimationLoopResolve) { - this.currentAnimationLoopResolve(); + if (this.runningAnimations.has(id)) { + this.runningAnimations.get(id).cancel(AnimationStopReason.Canceled); + } else { + const runner = this.animationFactory.createScenario(scenario, options); + this.runningAnimations.set(id, runner); + + runner.finally(() => { + this.runningAnimations.delete(id); + }); } + } - return promise; + public playScenario(scenario: Scenario, options?: Partial): AnimationRunner { + return this.animationFactory.createScenario(scenario, options); } - public stop() { - if (this.currentAnimationLoopResolve) { - this.currentAnimationLoopResolve(); - } + public playAnimation(animation: Animation, options?: Partial): AnimationRunner { + return this.animationFactory.createAnimation(animation, options); } - public purge() { - this.queue = []; + public async stop(ped = PlayerPedId()): Promise { + ClearPedTasks(ped); + ClearPedSecondaryTask(ped); - if (this.currentAnimationLoopResolve) { - this.currentAnimationLoopResolve(); - } + await waitUntil(async () => !IsPedUsingAnyScenario(ped), 1000); } public destroy() { this.stop(); - this.running = false; } } diff --git a/resources/[soz]/soz-core/src/client/animation/animation.world.provider.ts b/resources/[soz]/soz-core/src/client/animation/animation.world.provider.ts new file mode 100644 index 0000000000..992afff234 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/animation/animation.world.provider.ts @@ -0,0 +1,146 @@ +import { getDistance, Vector3, Vector4 } from '@public/shared/polyzone/vector'; + +import { BarbecueList, EntityConfig, LoungerTargetList, SeatsTargetList } from '../../config/worldinterraction'; +import { Once, OnceStep } from '../../core/decorators/event'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { TargetFactory } from '../target/target.factory'; +import { AnimationService } from './animation.service'; + +@Provider() +export class SeatAnimationProvider { + @Inject(TargetFactory) + private targetFactory: TargetFactory; + + @Inject(AnimationService) + private animationService: AnimationService; + + public Relative2Absolute(Ox: number, Oy: number, heading: number): [number, number] { + heading = heading * (Math.PI / 180); + const x = Ox * Math.cos(heading) - Oy * Math.sin(heading); + const y = Ox * Math.sin(heading) + Oy * Math.cos(heading); + return [x, y]; + } + + public calculateSeatPosition(entity: number, position: Vector3): Vector4 { + const [Px, Py, Pz] = position; + const [x, y, z] = GetEntityCoords(entity); + let heading = GetEntityHeading(entity); + if (heading >= 180) { + heading = heading - 179; + } else { + heading = heading + 179; + } + + let Offset: Vector4 = [0, 0, 0, 0]; + let x2 = 0.0, + y2 = 0.0, + BestDistance = 2.0; + let BestSeat = '0'; + + if (EntityConfig[GetEntityModel(entity)]) { + if (Object.keys(EntityConfig[GetEntityModel(entity)]).length === 1) { + Offset = EntityConfig[GetEntityModel(entity)][0]; + [x2, y2] = this.Relative2Absolute(Offset[0], Offset[1], heading); + } else { + for (const [key] of Object.entries(EntityConfig[GetEntityModel(entity)])) { + Offset = EntityConfig[GetEntityModel(entity)][key]; + [x2, y2] = this.Relative2Absolute(Offset[0], Offset[1], heading); + const distance = getDistance([Px, Py, Pz], [x + x2, y + y2, z]); + if (distance < BestDistance) { + BestDistance = distance; + BestSeat = key; + } + } + Offset = EntityConfig[GetEntityModel(entity)][BestSeat]; + [x2, y2] = this.Relative2Absolute(Offset[0], Offset[1], heading); + } + } + return [x + x2, y + y2, z + Offset[2], heading + Offset[3]]; + } + + public async playSitAnimation( + entity: number, + scenario: string, + isSittingScenario: boolean, + shouldTeleport: boolean + ) { + const ped = PlayerPedId(); + const position = GetEntityCoords(ped) as Vector3; + const heading = GetEntityHeading(ped); + const seatPosition = this.calculateSeatPosition(entity, position); + + await this.animationService.playScenario({ + name: scenario, + position: seatPosition, + isSittingScenario, + shouldTeleport, + }); + + if (shouldTeleport) { + SetPedCoordsKeepVehicle(ped, position[0], position[1], position[2]); + SetEntityHeading(ped, heading); + } + } + + @Once(OnceStep.PlayerLoaded) + public async setupSitAnimation() { + this.targetFactory.createForModel( + SeatsTargetList, + [ + { + label: "S'asseoir", + icon: 'fas fa-chair', + action: async entity => + this.playSitAnimation(entity, 'PROP_HUMAN_SEAT_CHAIR_MP_PLAYER', true, true), + }, + ], + 1.2 + ); + this.targetFactory.createForModel( + SeatsTargetList, + [ + { + label: "S'asseoir et Boire", + icon: 'fas fa-beer', + action: async entity => + this.playSitAnimation(entity, 'PROP_HUMAN_SEAT_CHAIR_DRINK_BEER', false, true), + }, + ], + 1.2 + ); + this.targetFactory.createForModel( + SeatsTargetList, + [ + { + label: "S'asseoir et Manger", + icon: 'fas fa-hamburger', + action: async entity => this.playSitAnimation(entity, 'PROP_HUMAN_SEAT_CHAIR_FOOD', false, true), + }, + ], + 1.2 + ); + this.targetFactory.createForModel( + LoungerTargetList, + [ + { + label: "S'allonger", + icon: 'fas fa-umbrella-beach', + action: async entity => this.playSitAnimation(entity, 'PROP_HUMAN_SEAT_SUNLOUNGER', false, false), + }, + ], + 1.4 + ); + this.targetFactory.createForModel( + BarbecueList, + [ + { + label: 'Cuisiner', + icon: 'fas fa-stroopwafel', + action: async entity => this.playSitAnimation(entity, 'PROP_HUMAN_BBQ', false, false), + }, + ], + 1.0 + ); + } +} diff --git a/resources/[soz]/soz-core/src/client/bank/bank.money-case.provider.ts b/resources/[soz]/soz-core/src/client/bank/bank.money-case.provider.ts index decd01fa59..e3eeb7e727 100644 --- a/resources/[soz]/soz-core/src/client/bank/bank.money-case.provider.ts +++ b/resources/[soz]/soz-core/src/client/bank/bank.money-case.provider.ts @@ -25,7 +25,7 @@ export class BankMoneyCaseProvider { return false; } - if (LocalPlayer.state.adminDisableMoneyCase) { + if (this.playerService.getState().disableMoneyCase) { return false; } @@ -33,7 +33,7 @@ export class BankMoneyCaseProvider { return false; } - if (LocalPlayer.state.in_shop) { + if (this.playerService.getState().isInShop) { return false; } @@ -51,7 +51,6 @@ export class BankMoneyCaseProvider { } if (getVehicleTryingToEnter !== 0) { - TriggerEvent('inventory:client:StoreWeapon'); return false; } @@ -59,7 +58,7 @@ export class BankMoneyCaseProvider { } private hasMoneyCase(): boolean { - return GetSelectedPedWeapon(PlayerPedId()) == MONEY_CASE_HASH; + return GetCurrentPedWeapon(PlayerPedId(), true)[1] == MONEY_CASE_HASH; } private addMoneyCase(): void { @@ -68,7 +67,6 @@ export class BankMoneyCaseProvider { } private removeMoneyCase(): void { - TriggerEvent('inventory:client:StoreWeapon'); RemoveWeaponFromPed(PlayerPedId(), MONEY_CASE_HASH); } diff --git a/resources/[soz]/soz-core/src/client/billboard/billboard.module.ts b/resources/[soz]/soz-core/src/client/billboard/billboard.module.ts new file mode 100644 index 0000000000..4391fbb6a4 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/billboard/billboard.module.ts @@ -0,0 +1,7 @@ +import { Module } from '../../core/decorators/module'; +import { BillboardProvider } from './billboard.provider'; + +@Module({ + providers: [BillboardProvider], +}) +export class BillboardModule {} diff --git a/resources/[soz]/soz-core/src/client/billboard/billboard.provider.ts b/resources/[soz]/soz-core/src/client/billboard/billboard.provider.ts new file mode 100644 index 0000000000..85cd79a78c --- /dev/null +++ b/resources/[soz]/soz-core/src/client/billboard/billboard.provider.ts @@ -0,0 +1,68 @@ +import { Once, OnceStep, OnEvent } from '@public/core/decorators/event'; +import { Inject } from '@public/core/decorators/injectable'; +import { Provider } from '@public/core/decorators/provider'; +import { wait } from '@public/core/utils'; +import { ClientEvent } from '@public/shared/event'; + +import { BillboardRepository } from '../repository/billboard.repository'; +import { BillboardService } from './billboard.service'; + +@Provider() +export class BillboardProvider { + @Inject(BillboardRepository) + private billboardRepository: BillboardRepository; + + @Inject(BillboardService) + private billboardService: BillboardService; + + @Once(OnceStep.RepositoriesLoaded) + public async onRepositoriesLoaded() { + //Billboards : Attente du chargement de l'ensemble des ressources + await wait(10000); + + const billboards = this.billboardRepository.get(); + for (const billboard of Object.values(billboards)) { + if (!billboard.enabled || !billboard.imageUrl) { + RemoveReplaceTexture(billboard.originDictName, billboard.originTextureName); + continue; + } + this.billboardService.loadBillboard( + billboard.imageUrl, + billboard.originDictName, + billboard.originTextureName, + billboard.width, + billboard.height, + billboard.name + ); + await wait(0); + } + } + + @OnEvent(ClientEvent.BILLBOARD_UPDATE) + public async updateBillboard(billboard) { + this.billboardRepository.updateBillboard(billboard); + + if (!billboard.enabled || !billboard.imageUrl) { + RemoveReplaceTexture(billboard.originDictName, billboard.originTextureName); + return; + } + + this.billboardService.loadBillboard( + billboard.imageUrl, + billboard.originDictName, + billboard.originTextureName, + billboard.width, + billboard.height, + billboard.name + ); + } + + @OnEvent(ClientEvent.BILLBOARD_DELETE) + public async deleteBillboardTexture(billboard) { + if (!billboard || !billboard.id) { + return; + } + this.billboardRepository.deleteBillboard(billboard.id); + RemoveReplaceTexture(billboard.originDictName, billboard.originTextureName); + } +} diff --git a/resources/[soz]/soz-core/src/client/billboard/billboard.service.ts b/resources/[soz]/soz-core/src/client/billboard/billboard.service.ts new file mode 100644 index 0000000000..4d49b3a847 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/billboard/billboard.service.ts @@ -0,0 +1,20 @@ +import { Injectable } from '@public/core/decorators/injectable'; + +@Injectable() +export class BillboardService { + public loadBillboard( + imageUrl: string, + dictName: string, + textureName: string, + width: number, + height: number, + name: string + ) { + const dict = CreateRuntimeTxd(name); + const dui = CreateDui(imageUrl, width, height); + const duiHandle = GetDuiHandle(dui); + CreateRuntimeTextureFromDuiHandle(dict, `${name}_texture`, duiHandle); + RemoveReplaceTexture(dictName, textureName); + AddReplaceTexture(dictName, textureName, name, `${name}_texture`); + } +} diff --git a/resources/[soz]/soz-core/src/client/binoculars/binoculars.config.ts b/resources/[soz]/soz-core/src/client/binoculars/binoculars.config.ts new file mode 100644 index 0000000000..fc70cc6880 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/binoculars/binoculars.config.ts @@ -0,0 +1,6 @@ +export const FOV_MAX = 70.0; +export const FOV_MIN = 5.0; +export const ZOOMSPEED = 10.0; +export const SPEED_LR = 8.0; +export const SPEED_UD = 8.0; +export const FOV = (FOV_MAX + FOV_MIN) * 0.5; diff --git a/resources/[soz]/soz-core/src/client/binoculars/binoculars.module.ts b/resources/[soz]/soz-core/src/client/binoculars/binoculars.module.ts new file mode 100644 index 0000000000..9b32221cbe --- /dev/null +++ b/resources/[soz]/soz-core/src/client/binoculars/binoculars.module.ts @@ -0,0 +1,7 @@ +import { Module } from '../../core/decorators/module'; +import { BinocularsProvider } from './binoculars.provider'; + +@Module({ + providers: [BinocularsProvider], +}) +export class BinocularsModule {} diff --git a/resources/[soz]/soz-core/src/client/binoculars/binoculars.provider.ts b/resources/[soz]/soz-core/src/client/binoculars/binoculars.provider.ts new file mode 100644 index 0000000000..254609aec5 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/binoculars/binoculars.provider.ts @@ -0,0 +1,168 @@ +import { ResourceLoader } from '@public/client/repository/resource.loader'; +import { ClientEvent } from '@public/shared/event'; + +import { OnEvent } from '../../core/decorators/event'; +import { Inject } from '../../core/decorators/injectable'; +import { Provider } from '../../core/decorators/provider'; +import { wait } from '../../core/utils'; +import { PlayerService } from '../player/player.service'; +import { FOV, FOV_MAX, FOV_MIN, SPEED_LR, SPEED_UD, ZOOMSPEED } from './binoculars.config'; + +@Provider() +export class BinocularsProvider { + @Inject(PlayerService) + private playerService: PlayerService; + + @Inject(ResourceLoader) + private resourceLoader: ResourceLoader; + + private binocularsConfig = { enabled: false, newZ: 0, fov: FOV }; + + // -- FUNCTIONS-- + public HideHUDThisFrame() { + HideHelpTextThisFrame(); + HideHudAndRadarThisFrame(); + HideHudComponentThisFrame(1); + HideHudComponentThisFrame(2); + HideHudComponentThisFrame(3); + HideHudComponentThisFrame(4); + HideHudComponentThisFrame(6); + HideHudComponentThisFrame(7); + HideHudComponentThisFrame(8); + HideHudComponentThisFrame(9); + HideHudComponentThisFrame(13); + HideHudComponentThisFrame(11); + HideHudComponentThisFrame(12); + HideHudComponentThisFrame(15); + HideHudComponentThisFrame(18); + HideHudComponentThisFrame(19); + } + + public CheckInputRotation(cam, zoomvalue) { + const rightAxisX = GetDisabledControlNormal(0, 220); + const rightAxisY = GetDisabledControlNormal(0, 221); + const rotation = GetCamRot(cam, 2); + if (rightAxisX !== 0.0 || rightAxisY !== 0.0) { + this.binocularsConfig.newZ = rotation[2] + rightAxisX * -1.0 * SPEED_UD * (zoomvalue + 0.1); + const new_x = Math.max( + Math.min(20.0, rotation[0] + rightAxisY * -1.0 * SPEED_LR * (zoomvalue + 0.1)), + -89.5 + ); + SetCamRot(cam, new_x, 0.0, this.binocularsConfig.newZ, 2); + } + } + + public HandleZoom(cam) { + if (IsControlJustPressed(0, 241)) { + this.binocularsConfig.fov = Math.max(this.binocularsConfig.fov - ZOOMSPEED, FOV_MIN); + } + if (IsControlJustPressed(0, 242)) { + this.binocularsConfig.fov = Math.min(this.binocularsConfig.fov + ZOOMSPEED, FOV_MAX); + } + const currentFov = GetCamFov(cam); + if (Math.abs(this.binocularsConfig.fov - currentFov) < 0.1) { + this.binocularsConfig.fov = currentFov; + } + SetCamFov(cam, currentFov + (this.binocularsConfig.fov - currentFov) * 0.05); + } + + private async createCameraThread() { + const player = PlayerPedId(); + + const text = '~INPUT_FRONTEND_RRIGHT~ Ranger les jumelles\n'; + + AddTextEntry('binoculars_help_text', text); + DisplayHelpTextThisFrame('binoculars_help_text', false); + + if (!IsPedSittingInAnyVehicle(player)) { + TaskStartScenarioInPlace(PlayerPedId(), 'WORLD_HUMAN_BINOCULARS', 0, true); + PlayAmbientSpeech1(PlayerPedId(), 'GENERIC_CURSE_MED', 'SPEECH_PARAMS_FORCE'); + + await wait(2000); + } + + const cam = CreateCam('DEFAULT_SCRIPTED_FLY_CAMERA', true); + AttachCamToEntity(cam, player, 0.05, 0.5, 0.7, true); + SetCamRot(cam, 2.0, 1.0, GetEntityHeading(player), 2); + SetCamFov(cam, this.binocularsConfig.fov); + RenderScriptCams(true, false, 0, true, false); + + const scaleform = await this.resourceLoader.loadScaleformMovie('BINOCULARS'); + + this.playerService.updateState({ isInventoryBusy: true }); + + while (this.binocularsConfig.enabled) { + SetPauseMenuActive(false); + if (!IsPedSittingInAnyVehicle(player)) { + SetEntityHeading(player, this.binocularsConfig.newZ); + } + + DisableAllControlActions(0); + DisableAllControlActions(2); + + EnableControlAction(2, 241, true); // INPUT_CURSOR_SCROLL_UP + EnableControlAction(2, 242, true); // INPUT_CURSOR_SCROLL_DOWN + EnableControlAction(2, 202, true); // INPUT_FRONTEND_CANCEL + + if (IsControlJustPressed(0, 202)) { + this.toggleBinoculars(); + } + + const zoomvalue = (1.0 / (FOV_MAX - FOV_MIN)) * (this.binocularsConfig.fov - FOV_MIN); + this.CheckInputRotation(cam, zoomvalue); + this.HandleZoom(cam); + this.HideHUDThisFrame(); + DrawScaleformMovieFullscreen(scaleform, 255, 255, 255, 255, 0); + + let camHeading = GetGameplayCamRelativeHeading(); + let camPitch = GetGameplayCamRelativePitch(); + if (camPitch < -70.0) { + camPitch = -70.0; + } else if (camPitch > 42.0) { + camPitch = 42.0; + } + camPitch = (camPitch + 70.0) / 112.0; + if (camHeading < -180.0) { + camHeading = -180.0; + } else if (camHeading > 180.0) { + camHeading = 180.0; + } + camHeading = (camHeading + 180.0) / 360.0; + SetTaskMoveNetworkSignalFloat(player, 'Pitch', camPitch); + SetTaskMoveNetworkSignalFloat(player, 'Heading', camHeading * -1.0 + 1.0); + + await wait(5); + } + + ClearPedTasks(PlayerPedId()); + RenderScriptCams(false, false, 0, true, false); + DestroyCam(cam, false); + + this.playerService.updateState({ isInventoryBusy: false }); + } + + private cameraOperator() { + if (this.binocularsConfig.enabled) { + this.createCameraThread(); + } + } + + // Toggle Events + @OnEvent(ClientEvent.BINOCULARS_TOGGLE) + public toggleBinoculars() { + this.binocularsConfig.enabled = !this.binocularsConfig.enabled; + this.cameraOperator(); + } + + // Set state Events + @OnEvent(ClientEvent.BINOCULARS_SET) + public setBinoculars(value) { + this.binocularsConfig.enabled = value; + this.cameraOperator(); + } + + @OnEvent(ClientEvent.PLAYER_ON_DEATH, false) + public onDead() { + this.binocularsConfig.enabled = false; + } +} diff --git a/resources/[soz]/soz-core/src/client/camera.ts b/resources/[soz]/soz-core/src/client/camera.ts index 38cfed0ab3..0684323771 100644 --- a/resources/[soz]/soz-core/src/client/camera.ts +++ b/resources/[soz]/soz-core/src/client/camera.ts @@ -19,6 +19,7 @@ export class CameraService { PointCamAtCoord(cam, target[0], target[1], target[2]); SetCamActive(cam, true); RenderScriptCams(true, true, 1000, true, true); + return cam; } public deleteCamera() { diff --git a/resources/[soz]/soz-core/src/client/craft/craft.module.ts b/resources/[soz]/soz-core/src/client/craft/craft.module.ts new file mode 100644 index 0000000000..34003f6761 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/craft/craft.module.ts @@ -0,0 +1,7 @@ +import { Module } from '../../core/decorators/module'; +import { CraftProvider } from './craft.provider'; + +@Module({ + providers: [CraftProvider], +}) +export class CraftModule {} diff --git a/resources/[soz]/soz-core/src/client/craft/craft.provider.ts b/resources/[soz]/soz-core/src/client/craft/craft.provider.ts new file mode 100644 index 0000000000..d9db4d66cd --- /dev/null +++ b/resources/[soz]/soz-core/src/client/craft/craft.provider.ts @@ -0,0 +1,41 @@ +import { OnNuiEvent } from '@public/core/decorators/event'; +import { Inject } from '@public/core/decorators/injectable'; +import { Provider } from '@public/core/decorators/provider'; +import { emitRpcTimeout } from '@public/core/rpc'; +import { Crafts, CraftsList } from '@public/shared/craft/craft'; +import { NuiEvent } from '@public/shared/event'; +import { RpcServerEvent } from '@public/shared/rpc'; + +import { ProgressService } from '../progress.service'; + +@Provider() +export class CraftProvider { + @Inject(ProgressService) + private progressService: ProgressService; + + @OnNuiEvent(NuiEvent.CraftDoRecipe) + public async onDoCraft({ + itemId, + category, + type, + }: { + itemId: string; + category: string; + type: string; + }): Promise { + const crafts = Crafts[type]; + const categoryList = crafts[category]; + return await emitRpcTimeout( + RpcServerEvent.CRAFT_DO_RECIPES, + categoryList.duration + 2000, + itemId, + type, + category + ); + } + + @OnNuiEvent(NuiEvent.CraftCancel) + public async onCancel(): Promise { + this.progressService.cancel(); + } +} diff --git a/resources/[soz]/soz-core/src/client/craft/craft.service.ts b/resources/[soz]/soz-core/src/client/craft/craft.service.ts new file mode 100644 index 0000000000..91ab3b7f64 --- /dev/null +++ b/resources/[soz]/soz-core/src/client/craft/craft.service.ts @@ -0,0 +1,50 @@ +import { Inject, Injectable } from '@public/core/decorators/injectable'; +import { emitRpc } from '@public/core/rpc'; +import { CraftsList } from '@public/shared/craft/craft'; +import { JobType } from '@public/shared/job'; +import { NamedZone } from '@public/shared/polyzone/box.zone'; +import { RpcServerEvent } from '@public/shared/rpc'; + +import { JobService } from '../job/job.service'; +import { NuiDispatch } from '../nui/nui.dispatch'; +import { PlayerService } from '../player/player.service'; +import { TargetFactory } from '../target/target.factory'; + +@Injectable() +export class CraftService { + @Inject(TargetFactory) + private targetFactory: TargetFactory; + + @Inject(PlayerService) + private playerService: PlayerService; + + @Inject(NuiDispatch) + private nuiDispatch: NuiDispatch; + + @Inject(JobService) + private jobService: JobService; + + public createBtargetZoneCraft(zones: NamedZone[], icon: string, label: string, job: JobType) { + zones.forEach(zone => + this.targetFactory.createForBoxZone(zone.name, zone, [ + { + icon: icon, + label: label, + job: job, + color: job, + blackoutGlobal: true, + blackoutJob: job, + canInteract: () => { + return this.playerService.isOnDuty(); + }, + action: async () => { + const crafting = await emitRpc(RpcServerEvent.CRAFT_GET_RECIPES, job); + crafting.title = this.jobService.getJob(job).label; + crafting.subtitle = 'Confection'; + this.nuiDispatch.dispatch('craft', 'ShowCraft', crafting); + }, + }, + ]) + ); + } +} diff --git a/resources/[soz]/soz-core/src/client/draw.service.ts b/resources/[soz]/soz-core/src/client/draw.service.ts index c9106b32d2..5dfe128d1b 100644 --- a/resources/[soz]/soz-core/src/client/draw.service.ts +++ b/resources/[soz]/soz-core/src/client/draw.service.ts @@ -1,31 +1,74 @@ import { Injectable } from '../core/decorators/injectable'; -import { Vector3 } from '../shared/polyzone/vector'; +import { RGBAColor } from '../shared/color'; +import { Font } from '../shared/hud'; +import { Vector2, Vector3 } from '../shared/polyzone/vector'; + +type Style = { + font: Font; + size: number; + color: RGBAColor; + shadow: { + distance: number; + color: RGBAColor; + }; + border: { + size: number; + color: RGBAColor; + } | null; + centered: boolean; + outline: boolean; +}; @Injectable() export class DrawService { - public drawText( - x: number, - y: number, - width: number, - height: number, - scale: number, - r: number, - g: number, - b: number, - a: number, - text: string - ): void { - SetTextFont(4); - SetTextProportional(false); - SetTextScale(scale, scale); - SetTextColour(r, g, b, a); - SetTextDropshadow(0, 0, 0, 0, 255); - SetTextEdge(2, 0, 0, 0, 255); - SetTextDropShadow(); - SetTextOutline(); + public drawText(text: string, position: Vector2, style: Partial + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_J.svg b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_J.svg new file mode 100644 index 0000000000..cab148b958 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_J.svg @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_L.svg b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_L.svg new file mode 100644 index 0000000000..c77e8a47c9 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_L.svg @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_O.svg b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_O.svg new file mode 100644 index 0000000000..84f65e3663 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_O.svg @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_S.svg b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_S.svg new file mode 100644 index 0000000000..512f178656 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_S.svg @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_T.svg b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_T.svg new file mode 100644 index 0000000000..fd4840b38d --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_T.svg @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_Z.svg b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_Z.svg new file mode 100644 index 0000000000..b5e7e8f494 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/assets/piece_Z.svg @@ -0,0 +1,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/GameboardView.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/GameboardView.tsx new file mode 100644 index 0000000000..26c31d9e7c --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/GameboardView.tsx @@ -0,0 +1,30 @@ +import React from 'react'; + +import { viewMatrix } from '../game/Game'; +import { Context } from '../utils/context'; +import { Cell } from './cell'; + +export default function GameboardView(): JSX.Element { + const game = React.useContext(Context); + const matrix = viewMatrix(game); + + return ( +
+ + + {matrix.map((row, i) => { + const blocksInRow = row.map((block, j) => { + return ( + + ); + }); + + return {blocksInRow}; + })} + +
+ +
+
+ ); +} diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/PieceQueueView.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/PieceQueueView.tsx new file mode 100644 index 0000000000..aafe043101 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/PieceQueueView.tsx @@ -0,0 +1,15 @@ +import React from 'react'; + +import { Context } from '../utils/context'; +import PieceView from './PieceView'; + +export default function PieceQueue(): JSX.Element { + const { queue } = React.useContext(Context); + return ( +
+ {queue.queue.map((piece, i) => ( + + ))} +
+ ); +} diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/PieceView.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/PieceView.tsx new file mode 100644 index 0000000000..f2ece1f2c4 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/PieceView.tsx @@ -0,0 +1,35 @@ +import React from 'react'; + +import I from '../assets/piece_I.svg'; +import J from '../assets/piece_J.svg'; +import L from '../assets/piece_L.svg'; +import O from '../assets/piece_O.svg'; +import S from '../assets/piece_S.svg'; +import T from '../assets/piece_T.svg'; +import Z from '../assets/piece_Z.svg'; +import { Piece } from '../game/Piece'; + +type Props = { + piece?: Piece; +}; + +const PieceView: React.FC = ({ piece }): JSX.Element => { + switch (piece) { + case 'I': + return ; + case 'J': + return ; + case 'L': + return ; + case 'O': + return ; + case 'S': + return ; + case 'T': + return ; + case 'Z': + return ; + } +}; + +export default PieceView; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/Tetris.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/Tetris.tsx new file mode 100644 index 0000000000..a50011fe5d --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/Tetris.tsx @@ -0,0 +1,100 @@ +import { TetrisEvents } from '@typings/app/tetris'; +import React from 'react'; +import { useNavigate } from 'react-router-dom'; + +import { useVisibility } from '../../../hooks/usePhone'; +import { fetchNui } from '../../../utils/fetchNui'; +import * as Game from '../game/Game'; +import { KeyboardMap, useKeyboardControls } from '../hooks/keyboard_detection'; +import { Context } from '../utils/context'; +import Gameboard from './GameboardView'; +import PieceQueue from './PieceQueueView'; + +export type RenderFn = (params: { + Gameboard: React.ComponentType; + PieceQueue: React.ComponentType; + points: number; + linesCleared: number; + level: number; + state: Game.State; + controller: Controller; +}) => React.ReactElement; + +export type Controller = { + hardDrop: () => void; + moveDown: () => void; + moveLeft: () => void; + moveRight: () => void; + restart: () => void; +}; + +type Props = { + keyboardControls?: KeyboardMap; + children: RenderFn; +}; + +const defaultKeyboardMap: KeyboardMap = { + down: 'MOVE_DOWN', + left: 'MOVE_LEFT', + right: 'MOVE_RIGHT', + space: 'HARD_DROP', + up: 'FLIP_CLOCKWISE', +}; + +const tickSeconds = (level: number) => (0.8 - (level - 1) * 0.007) ** (level - 1); + +export default function Tetris(props: Props): JSX.Element { + const [game, dispatch] = React.useReducer(Game.update, Game.init()); + const keyboardMap = props.keyboardControls ?? defaultKeyboardMap; + useKeyboardControls(keyboardMap, dispatch); + const level = Game.getLevel(game); + const { visibility } = useVisibility(); + const navigate = useNavigate(); + + React.useEffect(() => { + let interval: number | undefined; + if (game.state === 'PLAYING') { + interval = window.setInterval(() => { + dispatch('TICK'); + if (!visibility) { + navigate('/'); + } + }, tickSeconds(level) * 1000); + } else if (game.state === 'LOST') { + const score = game.points; + if (!game.score_send) { + fetchNui(TetrisEvents.SEND_SCORE, { score }); + } + game.score_send = true; + } + + return () => { + window.clearInterval(interval); + }; + }, [game.state, level, visibility]); + + const controller = React.useMemo( + () => ({ + hardDrop: () => dispatch('HARD_DROP'), + moveDown: () => dispatch('MOVE_DOWN'), + moveLeft: () => dispatch('MOVE_LEFT'), + moveRight: () => dispatch('MOVE_RIGHT'), + restart: () => dispatch('RESTART'), + }), + [dispatch] + ); + + return ( + + {props.children({ + Gameboard, + PieceQueue, + points: game.points, + linesCleared: game.lines, + state: game.state, + level, + controller, + })} + + ); +} diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/cell.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/cell.tsx new file mode 100644 index 0000000000..5255525b18 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/components/cell.tsx @@ -0,0 +1,77 @@ +import cn from 'classnames'; +import React from 'react'; + +import { Piece } from '../game/Piece'; + +type CellProps = { + block: Piece | 'ghost'; +}; + +export const Cell: React.FC = ({ block }) => { + switch (block) { + case 'I': + return ( + + + + + + ); + case 'O': + return ( + + + + + + ); + case 'S': + return ( + + + + + + ); + case 'T': + return ( + + + + + + ); + case 'Z': + return ( + + + + + + ); + case 'L': + return ( + + + + + + ); + case 'J': + return ( + + + + + + ); + } + + return ( +
+ ); +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Game.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Game.ts new file mode 100644 index 0000000000..0d7de9f62e --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Game.ts @@ -0,0 +1,131 @@ +import Constants from '../utils/game_config'; +import { + addPieceToBoard, + buildMatrix, + flipClockwise, + hardDrop, + isEmptyPosition, + Matrix, + moveDown, + moveLeft, + moveRight, + PositionedPiece, + setPiece, +} from './Matrix'; +import { Piece } from './Piece'; +import * as PieceQueue from './Queue'; + +export type State = 'PAUSED' | 'PLAYING' | 'LOST'; + +export type Game = { + state: State; + matrix: Matrix; + piece: PositionedPiece; + queue: PieceQueue.PieceQueue; + points: number; + lines: number; + score_send: boolean; +}; + +export const getLevel = (game: Game): number => Math.floor(game.lines / 10) + 1; + +export type Action = 'TICK' | 'HARD_DROP' | 'MOVE_DOWN' | 'MOVE_LEFT' | 'MOVE_RIGHT' | 'FLIP_CLOCKWISE' | 'RESTART'; + +export const update = (game: Game, action: Action): Game => { + switch (action) { + case 'RESTART': { + return init(); + } + case 'HARD_DROP': { + if (game.state !== 'PLAYING') return game; + const piece = hardDrop(game.matrix, game.piece); + return lockInPiece({ ...game, piece }); + } + case 'TICK': + case 'MOVE_DOWN': { + if (game.state !== 'PLAYING') return game; + const updated = applyMove(moveDown, game); + if (game.piece === updated.piece) { + return lockInPiece(updated); + } else { + return updated; + } + } + case 'MOVE_LEFT': { + return applyMove(moveLeft, game); + } + case 'MOVE_RIGHT': { + return applyMove(moveRight, game); + } + case 'FLIP_CLOCKWISE': { + return applyMove(flipClockwise, game); + } + default: { + const exhaustiveCheck: never = action; + throw new Error(`Unhandled action: ${exhaustiveCheck}`); + } + } +}; + +const lockInPiece = (game: Game): Game => { + const [matrix, linesCleared] = setPiece(game.matrix, game.piece); + const next = PieceQueue.getNextPiece(game.queue); + const piece = initializePiece(next.piece); + return { + ...game, + state: isEmptyPosition(matrix, piece) ? game.state : 'LOST', + matrix, + piece, + queue: next.queue, + lines: game.lines + linesCleared, + points: game.points + addScore(linesCleared), + }; +}; + +const pointsPerLine = 100; +const addScore = (additionalLines: number) => { + if (additionalLines === 4) { + return pointsPerLine * 10; // 1000 pts for 4 lines + } else { + return additionalLines * pointsPerLine; // 100 pts per line + } +}; + +const initialPosition = { + x: Constants.GAME_WIDTH / 2 - Constants.BLOCK_WIDTH / 2, + y: 0, +}; + +const initializePiece = (piece: Piece): PositionedPiece => { + return { + position: initialPosition, + piece, + rotation: 0, + }; +}; + +const applyMove = (move: (matrix: Matrix, piece: PositionedPiece) => PositionedPiece | undefined, game: Game): Game => { + if (game.state !== 'PLAYING') return game; + const afterFlip = move(game.matrix, game.piece); + return afterFlip ? { ...game, piece: afterFlip } : game; +}; + +export function viewMatrix(game: Game): Matrix { + let gameboard = game.matrix; + gameboard = addPieceToBoard(gameboard, hardDrop(gameboard, game.piece), true); + return addPieceToBoard(gameboard, game.piece); +} + +export const init = (): Game => { + const queue = PieceQueue.create(5); + const next = PieceQueue.getNextPiece(queue); + return { + state: 'PLAYING', + points: 0, + lines: 0, + matrix: buildMatrix(), + piece: initializePiece(next.piece), + queue: next.queue, + score_send: false, + }; +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Matrix.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Matrix.ts new file mode 100644 index 0000000000..539d4a3ab7 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Matrix.ts @@ -0,0 +1,176 @@ +import Constants from '../utils/game_config'; +import { getBlocks, isRotation, Piece, Rotation } from './Piece'; + +const { GAME_HEIGHT, GAME_WIDTH } = Constants; + +export type Coords = { + x: number; + y: number; +}; + +const serializeCoords = ({ x, y }: Coords): string => `${x},${y}`; + +// Two-dimensional array +// First dimension is height. Second is width. +export type Matrix = Array>; + +export function buildMatrix(): Matrix { + const matrix = new Array(GAME_HEIGHT); + for (let y = 0; y < matrix.length; y++) { + matrix[y] = buildGameRow(); + } + return matrix; +} + +function buildGameRow(): Array { + return new Array(GAME_WIDTH).fill(null); +} + +export const addPieceToBoard = (matrix: Matrix, positionedPiece: PositionedPiece, isGhost = false): Matrix => { + const { piece, rotation, position } = positionedPiece; + const block = getBlocks(piece)[rotation]; + + if (!block) { + throw new Error(`Unexpected: no rotation ${rotation} found to piece ${piece}`); + } + + const filledCells = block.reduce>( + (output, row, y) => + output.concat(row.map((cell, x) => (cell ? { x: x + position.x, y: y + position.y } : false))), + [] + ); + + const filled: Set = new Set( + filledCells.map(value => (value ? serializeCoords(value) : '')).filter(Boolean) + ); + + const value = isGhost ? 'ghost' : piece; + + return matrix.map((row, y) => + row.map((cell, x) => { + return filled.has(serializeCoords({ x, y })) ? value : cell; + }) + ); +}; + +export type PositionedPiece = { + piece: Piece; + rotation: Rotation; + position: Coords; +}; + +export function setPiece(matrix: Matrix, positionedPiece: PositionedPiece): [Matrix, number] { + const _matrix = addPieceToBoard(matrix, positionedPiece); + const linesCleared = clearFullLines(_matrix); + return [_matrix, linesCleared]; +} + +function clearFullLines(matrix: Matrix): number { + let linesCleared = 0; + for (let y = 0; y < matrix.length; y++) { + if (matrix[y] && every(matrix[y])) { + matrix.splice(y, 1); + matrix.unshift(buildGameRow()); + linesCleared += 1; + } + } + + return linesCleared; +} + +function every(list: T[]): boolean { + for (let i = 0; i < list.length; i++) { + if (!list[i]) return false; + } + return true; +} + +export function isEmptyPosition(matrix: Matrix, positionedPiece: PositionedPiece): boolean { + const { piece, rotation, position } = positionedPiece; + const blocks = getBlocks(piece)[rotation]; + + for (let x = 0; x < Constants.BLOCK_WIDTH; x++) { + for (let y = 0; y < Constants.BLOCK_HEIGHT; y++) { + const block = blocks[y][x]; + const matrixX = x + position.x; + const matrixY = y + position.y; + + if (block) { + if (matrixX >= 0 && matrixX < GAME_WIDTH && matrixY < GAME_HEIGHT) { + if (!matrix[matrixY] || matrix[matrixY][matrixX]) { + return false; + } + } else { + return false; + } + } + } + } + return true; +} + +function assert(value: unknown): asserts value { + if (!value) throw new Error('assertion failed'); +} + +function tryMove(move: (pp: PositionedPiece) => PositionedPiece) { + return function (gameboard: Matrix, positionedPiece: PositionedPiece): PositionedPiece | undefined { + const updatedPiece = move(positionedPiece); + + if (isEmptyPosition(gameboard, updatedPiece)) { + return updatedPiece; + } + + return undefined; + }; +} + +export const moveLeft = tryMove((positionedPiece: PositionedPiece) => { + const newPosition = { + ...positionedPiece.position, + x: positionedPiece.position.x - 1, + }; + + return { ...positionedPiece, position: newPosition }; +}); + +export const moveRight = tryMove((positionedPiece: PositionedPiece) => { + const newPosition = { + ...positionedPiece.position, + x: positionedPiece.position.x + 1, + }; + + return { ...positionedPiece, position: newPosition }; +}); + +export const moveDown = tryMove((positionedPiece: PositionedPiece) => { + const newPosition = { + ...positionedPiece.position, + y: positionedPiece.position.y + 1, + }; + + return { ...positionedPiece, position: newPosition }; +}); + +export const flipClockwise = tryMove((positionedPiece: PositionedPiece) => { + const rotation = ((positionedPiece.rotation ?? 0) + 1) % Constants.ROTATION_COUNT; + assert(isRotation(rotation)); + return { ...positionedPiece, rotation }; +}); + +export const flipCounterclockwise = tryMove((positionedPiece: PositionedPiece) => { + let rotation = (positionedPiece.rotation ?? 0) - 1; + if (rotation < 0) rotation += Constants.ROTATION_COUNT; + assert(isRotation(rotation)); + return { ...positionedPiece, rotation }; +}); + +export function hardDrop(gameboard: Matrix, positionedPiece: PositionedPiece): PositionedPiece { + const position = { ...positionedPiece.position }; + + while (isEmptyPosition(gameboard, { ...positionedPiece, position })) { + position.y += 1; + } + position.y -= 1; + return { ...positionedPiece, position }; +} diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Piece.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Piece.ts new file mode 100644 index 0000000000..ca0d36ff29 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Piece.ts @@ -0,0 +1,232 @@ +import Constants from '../utils/game_config'; + +export const pieces = ['I', 'J', 'L', 'O', 'S', 'T', 'Z']; +export type Piece = typeof pieces[number]; +export type Rotation = 0 | 1 | 2 | 3; + +export const isRotation = (num: number): num is Rotation => num >= 0 && num < Constants.ROTATION_COUNT; + +export const getBlocks = (piece: Piece): number[][][] => { + switch (piece) { + case 'I': + return [ + [ + [0, 1, 0, 0], + [0, 1, 0, 0], + [0, 1, 0, 0], + [0, 1, 0, 0], + ], + [ + [0, 0, 0, 0], + [1, 1, 1, 1], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 0, 1, 0], + [0, 0, 1, 0], + [0, 0, 1, 0], + [0, 0, 1, 0], + ], + [ + [0, 0, 0, 0], + [0, 0, 0, 0], + [1, 1, 1, 1], + [0, 0, 0, 0], + ], + ]; + case 'J': + return [ + [ + [0, 1, 0, 0], + [0, 1, 0, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 0, 0, 0], + [1, 1, 1, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 1, 0], + [0, 1, 0, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 0, 0, 0], + [1, 1, 1, 0], + [0, 0, 1, 0], + [0, 0, 0, 0], + ], + ]; + case 'L': + return [ + [ + [0, 1, 0, 0], + [0, 1, 0, 0], + [0, 1, 1, 0], + [0, 0, 0, 0], + ], + [ + [0, 0, 0, 0], + [1, 1, 1, 0], + [1, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 1, 0, 0], + [0, 1, 0, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 0, 1, 0], + [1, 1, 1, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + ]; + case 'O': + return [ + [ + [1, 1, 0, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 1, 0, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 1, 0, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 1, 0, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + ]; + + case 'S': + return [ + [ + [0, 0, 0, 0], + [0, 1, 1, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 0, 0, 0], + [1, 1, 0, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 1, 0], + [1, 1, 0, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 0, 0], + [0, 1, 1, 0], + [0, 0, 1, 0], + [0, 0, 0, 0], + ], + ]; + case 'T': + return [ + [ + [0, 0, 0, 0], + [1, 1, 1, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 0, 0], + [1, 1, 0, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 0, 0], + [1, 1, 1, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 0, 0], + [0, 1, 1, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + ]; + case 'Z': + return [ + [ + [0, 0, 0, 0], + [1, 1, 0, 0], + [0, 1, 1, 0], + [0, 0, 0, 0], + ], + [ + [0, 1, 0, 0], + [1, 1, 0, 0], + [1, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [1, 1, 0, 0], + [0, 1, 1, 0], + [0, 0, 0, 0], + [0, 0, 0, 0], + ], + [ + [0, 0, 1, 0], + [0, 1, 1, 0], + [0, 1, 0, 0], + [0, 0, 0, 0], + ], + ]; + + default: { + const exhaustiveCheck: never = piece; + throw new Error(`Unhandled color case: ${exhaustiveCheck}`); + } + } +}; + +export const getClassName = (piece: Piece | 'ghost'): string => { + switch (piece) { + case 'I': + return 'piece-i'; + case 'J': + return 'piece-j'; + case 'L': + return 'piece-l'; + case 'O': + return 'piece-o'; + case 'S': + return 'piece-s'; + case 'T': + return 'piece-t'; + case 'Z': + return 'piece-z'; + case 'ghost': + return 'piece-preview'; + default: { + const exhaustiveCheck: never = piece; + throw new Error(`Unhandled piece case: ${exhaustiveCheck}`); + } + } +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Queue.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Queue.ts new file mode 100644 index 0000000000..509a77395b --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/game/Queue.ts @@ -0,0 +1,71 @@ +import { Piece, pieces } from './Piece'; + +export type PieceQueue = { + minimumLength: number; + queue: Piece[]; + bucket: Piece[]; +}; + +export function create(minimumLength: number): PieceQueue { + return fill({ + minimumLength, + queue: [], + bucket: [], + }); +} + +function fill(pieceQueue: PieceQueue): PieceQueue { + const local: Piece[] = []; + let bucket = pieceQueue.bucket; + while (local.length + pieceQueue.queue.length < pieceQueue.minimumLength) { + const [piece, updatedBucket] = getFromBucket(bucket); + local.push(piece); + bucket = updatedBucket; + } + + return { + ...pieceQueue, + queue: pieceQueue.queue.concat(local), + }; +} + +export function getNextPiece(pieceQueue: PieceQueue): { + piece: Piece; + queue: PieceQueue; +} { + if (!pieceQueue.queue[0]) { + throw new Error('Error queue is empty'); + } + const next = pieceQueue.queue[0]; + const queue = pieceQueue.queue.slice(1); + return { + piece: next, + queue: fill({ + ...pieceQueue, + queue, + }), + }; +} + +function getFromBucket(bucket: Piece[]): [Piece, Piece[]] { + const local = bucket.slice(0); + if (local.length === 0) { + // fill the bucket + pieces.forEach(piece => { + for (let i = 0; i < 4; i++) { + local.push(piece); + } + }); + } + const randomPiece = local.splice(randomNumber(local.length), 1)[0]; + if (!randomPiece) { + throw new Error(`Error bucket pull`); + } + return [randomPiece, local]; +} + +export default PieceQueue; + +function randomNumber(under: number): number { + return Math.floor(Math.random() * under); +} diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/hooks/keyboard_detection.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/hooks/keyboard_detection.ts new file mode 100644 index 0000000000..08874ec6d2 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/hooks/keyboard_detection.ts @@ -0,0 +1,33 @@ +import key from 'keymaster'; +import React from 'react'; + +import { Action } from '../game/Game'; + +export type KeyboardMap = Record; + +export const useKeyboardControls = (keyboardMap: KeyboardMap, dispatch: React.Dispatch): void => { + React.useEffect(() => { + const keyboardDispatch = Object.entries(keyboardMap).reduce((output, [key, action]) => { + output[key] = () => dispatch(action); + return output; + }, {}); + addKeyboardEvents(keyboardDispatch); + return () => removeKeyboardEvents(keyboardDispatch); + }, [keyboardMap, dispatch]); +}; + +function addKeyboardEvents(keyboardMap: KeyboardDispatch) { + Object.keys(keyboardMap).forEach((k: keyof KeyboardDispatch) => { + const fn = keyboardMap[k]; + if (fn) { + key(k, fn); + } + }); +} +function removeKeyboardEvents(keyboardMap: KeyboardDispatch) { + Object.keys(keyboardMap).forEach(k => { + key.unbind(k); + }); +} + +type KeyboardDispatch = Record void>; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/icon.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/icon.tsx new file mode 100644 index 0000000000..cc3c08f2a0 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/icon.tsx @@ -0,0 +1,16 @@ +import React from 'react'; + +const GameTetrisIcon: React.FC = props => { + return ( + + + + ); +}; + +export default GameTetrisIcon; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/index.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/index.tsx new file mode 100644 index 0000000000..e4d5656a3c --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/index.tsx @@ -0,0 +1,51 @@ +import { Transition } from '@headlessui/react'; +import { FullPageWithHeader } from '@ui/layout/FullPageWithHeader'; +import cn from 'classnames'; +import React from 'react'; +import { Route, Routes, useLocation } from 'react-router-dom'; + +import { AppWrapper } from '../../ui/components/AppWrapper'; +import { useBackground } from '../../ui/hooks/useBackground'; +import { TetrisGame } from './pages/TetrisGame'; +import { TetrisLeaderboard } from './pages/TetrisLeaderboard'; + +export const GameTetris: React.FC = () => { + const backgroundClass = useBackground(); + const { pathname } = useLocation(); + + return ( + + {pathname === '/game-tetris' && ( +
+ )} + + + + } /> + } /> + + + + + ); +}; +export default GameTetris; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/pages/TetrisGame.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/pages/TetrisGame.tsx new file mode 100644 index 0000000000..f92d061091 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/pages/TetrisGame.tsx @@ -0,0 +1,123 @@ +import cn from 'classnames'; +import React, { FunctionComponent, useMemo } from 'react'; +import { useSelector } from 'react-redux'; +import { useNavigate } from 'react-router-dom'; + +import { useCitizenID } from '../../../hooks/usePhone'; +import { RootState } from '../../../store'; +import { store } from '../../../store'; +import { AppContent } from '../../../ui/components/AppContent'; +import { ActionButton } from '../../../ui/old_components/ActionButton'; +import Tetris from '../components/Tetris'; + +export const LeaderBoardIcon: FunctionComponent = () => { + return ( + + + + ); +}; + +type DataContainerProps = { + title: string; + value: string | number; + big?: boolean; +}; + +const DataContainer: FunctionComponent = ({ title, value, big = false }) => { + return ( +
+
{title}
+

+ {value} +

+
+ ); +}; + +export const TetrisGame: React.FC = () => { + const navigate = useNavigate(); + + const playerCitizenID = useCitizenID(); + const tetrisLeaderboard = useSelector((state: RootState) => state.appTetrisLeaderboard); + + const bestPlayerScore = useMemo(() => { + if (!tetrisLeaderboard) return null; + + const player = tetrisLeaderboard.sort((a, b) => b.score - a.score).find(p => p.citizenid === playerCitizenID); + if (!player) return null; + + return player.score; + }, [playerCitizenID, tetrisLeaderboard]); + + const onClickLeaderboard = () => { + store.dispatch.appTetrisLeaderboard.loadLeaderboard(); + navigate('/game-tetris/leaderboard'); + }; + + return ( + + + {({ Gameboard, PieceQueue, points, level, linesCleared, state, controller }) => ( + <> +
+ {points > bestPlayerScore && ( +
+ Nouveau record ! +
+ )} +
+ + + +
+ +
+
+ +
+
+
Pièces
+ +
+
+
+ + + Voir le classement + + + {state === 'LOST' && ( +
+
+
+ Vous avez perdu ! +
+

+ Vous avez fait {points} points et vous avez atteint le niveau {level} avec{' '} + {linesCleared} lignes complétées. +

+

+ Votre meilleur score est de{' '} + {points > bestPlayerScore ? points : bestPlayerScore} points. +

+ Recommencer +
+
+ )} + + )} +
+
+ ); +}; + +export default TetrisGame; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/pages/TetrisLeaderboard.tsx b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/pages/TetrisLeaderboard.tsx new file mode 100644 index 0000000000..33501547a3 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/pages/TetrisLeaderboard.tsx @@ -0,0 +1,95 @@ +import { Transition } from '@headlessui/react'; +import { ChevronLeftIcon } from '@heroicons/react/outline'; +import cn from 'classnames'; +import React from 'react'; +import { useSelector } from 'react-redux'; +import { useNavigate } from 'react-router-dom'; + +import { useConfig } from '../../../hooks/usePhone'; +import { RootState } from '../../../store'; +import { AppContent } from '../../../ui/components/AppContent'; +import { AppTitle } from '../../../ui/components/AppTitle'; +import { AppWrapper } from '../../../ui/components/AppWrapper'; +import { ContactPicture } from '../../../ui/components/ContactPicture'; +import { Button } from '../../../ui/old_components/Button'; + +export const TetrisLeaderboard: React.FC = () => { + const config = useConfig(); + const navigate = useNavigate(); + + const tetrisLeaderboard = useSelector((state: RootState) => state.appTetrisLeaderboard).sort( + (a, b) => b.score - a.score + ); + const top3 = tetrisLeaderboard.slice(0, 3); + const rest = tetrisLeaderboard.slice(3); + + return ( + + + + + + +
+ {top3.map((player, i) => ( +
+
+ +
+
+

{player.player_name}

+

{player.score}

+
+
+ ))} +
+
+ {rest.map((player, i) => ( +
+
+
#{i + 4}
+
+ +
+ +
{player.player_name}
+
{player.score}
+
+
+ ))} +
+
+
+
+ ); +}; + +export default TetrisLeaderboard; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/constants.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/constants.ts new file mode 100644 index 0000000000..4bfadca7ce --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/constants.ts @@ -0,0 +1,116 @@ +import { TetrisLeaderboard } from '@typings/app/tetris'; + +export const MockTetrisLeaderboard: TetrisLeaderboard[] = [ + { + citizenid: '1', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '2', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1001, + game_played: 10, + }, + { + citizenid: '3', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1002, + game_played: 10, + }, + { + citizenid: '4', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1003, + game_played: 10, + }, + { + citizenid: '5', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '6', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '7', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '8', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '9', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '10', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '11', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '12', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '13', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '14', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe not a long name', + score: 1000, + game_played: 10, + }, + { + citizenid: '15', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Doe', + score: 1000, + game_played: 10, + }, + { + citizenid: '1', + avatar: 'https://placekitten.com/1920/1080', + player_name: 'John Very long name Doe', + score: 10000, + game_played: 10, + }, +]; diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/context.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/context.ts new file mode 100644 index 0000000000..ce19b5c2f8 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/context.ts @@ -0,0 +1,4 @@ +import React from 'react'; + +import { Game, init } from '../game/Game'; +export const Context = React.createContext(init()); diff --git a/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/game_config.ts b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/game_config.ts new file mode 100644 index 0000000000..2678f5b258 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/game-tetris/utils/game_config.ts @@ -0,0 +1,7 @@ +export default { + GAME_WIDTH: 10, + GAME_HEIGHT: 20, + BLOCK_WIDTH: 4, + BLOCK_HEIGHT: 4, + ROTATION_COUNT: 4, +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/invoices/hooks/useInvoicesAPI.ts b/resources/[soz]/soz-phone/src/nui/apps/invoices/hooks/useInvoicesAPI.ts new file mode 100644 index 0000000000..f514d47b9d --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/invoices/hooks/useInvoicesAPI.ts @@ -0,0 +1,21 @@ +import { InvoicesEvents } from '@typings/app/invoices'; +import { ServerPromiseResp } from '@typings/common'; +import { useCallback } from 'react'; + +import { fetchNui } from '../../../utils/fetchNui'; + +interface InvoicesAPIValue { + payInvoice: (id: number) => Promise; + refuseInvoice: (id: number) => Promise; +} + +export const useInvoicesAPI = (): InvoicesAPIValue => { + const payInvoice = useCallback(async (id: number) => { + await fetchNui>(InvoicesEvents.PAY_INVOICE, id); + }, []); + const refuseInvoice = useCallback(async (id: number) => { + await fetchNui>(InvoicesEvents.REFUSE_INVOICE, id); + }, []); + + return { payInvoice, refuseInvoice }; +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/invoices/icon.tsx b/resources/[soz]/soz-phone/src/nui/apps/invoices/icon.tsx new file mode 100644 index 0000000000..4687119c5a --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/invoices/icon.tsx @@ -0,0 +1,48 @@ +import { FunctionComponent, memo } from 'react'; + +const InvoiceIcon: FunctionComponent = memo(props => { + return ( + + + + + + + + + + + + + + + + ); +}); + +export default InvoiceIcon; diff --git a/resources/[soz]/soz-phone/src/nui/apps/invoices/index.tsx b/resources/[soz]/soz-phone/src/nui/apps/invoices/index.tsx new file mode 100644 index 0000000000..c3e412b249 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/invoices/index.tsx @@ -0,0 +1,33 @@ +import { Transition } from '@headlessui/react'; +import { memo } from 'react'; +import { Route, Routes } from 'react-router-dom'; + +import { AppWrapper } from '../../ui/components/AppWrapper'; +import { useBackground } from '../../ui/hooks/useBackground'; +import { FullPageWithHeader } from '../../ui/layout/FullPageWithHeader'; +import InvoiceList from './pages/InvoiceList'; + +export const InvoiceApp = memo(() => { + const backgroundClass = useBackground(); + + return ( + + + + + } /> + + + + + ); +}); diff --git a/resources/[soz]/soz-phone/src/nui/apps/invoices/pages/InvoiceList.tsx b/resources/[soz]/soz-phone/src/nui/apps/invoices/pages/InvoiceList.tsx new file mode 100644 index 0000000000..e84ee21664 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/invoices/pages/InvoiceList.tsx @@ -0,0 +1,136 @@ +import { Menu, Transition } from '@headlessui/react'; +import { CheckIcon, XIcon } from '@heroicons/react/outline'; +import { AppContent } from '@ui/components/AppContent'; +import { AppTitle } from '@ui/components/AppTitle'; +import { Button } from '@ui/old_components/Button'; +import cn from 'classnames'; +import { useTranslation } from 'react-i18next'; +import { useSelector } from 'react-redux'; + +import { useConfig } from '../../../hooks/usePhone'; +import { useApp } from '../../../os/apps/hooks/useApps'; +import { RootState } from '../../../store'; +import { DayAgo } from '../../../ui/components/DayAgo'; +import { useInvoicesAPI } from '../hooks/useInvoicesAPI'; +// TODO: add search bar later +const InvoiceList = (): any => { + const invoicesApp = useApp('invoices'); + const invoices = useSelector((state: RootState) => state.appInvoices); + const { payInvoice, refuseInvoice } = useInvoicesAPI(); + const [t] = useTranslation(); + const config = useConfig(); + + if (invoices && invoices.length) + return ( + + +
+
    + {invoices + .sort((a, b) => b.created_at - a.created_at) + .map(invoice => ( + + +
    +
    +
    +
    +
    + + + + + + + + + + +
    + ))} +
+
+
+ ); + + return ( + + +
+ {t('INVOICES.NO_INVOICES')} +
+
+ ); +}; + +export default InvoiceList; diff --git a/resources/[soz]/soz-phone/src/nui/apps/invoices/utils/constants.ts b/resources/[soz]/soz-phone/src/nui/apps/invoices/utils/constants.ts new file mode 100644 index 0000000000..99bc0b476e --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/invoices/utils/constants.ts @@ -0,0 +1,32 @@ +import { InvoiceItem } from '@typings/app/invoices'; + +export const BrowserInvoicesData: InvoiceItem[] = [ + { + id: 1, + label: "Chateau Marius - Violation de secret d`'enquête", + emitterName: 'Los Santos Police Department', + amount: 500, + created_at: new Date('2023-02-23 13:29:43').getTime(), + }, + { + id: 2, + label: 'Facture 3', + emitterName: 'Federal Bureau of Investigation', + amount: 5500, + created_at: new Date('2023-02-20 13:29:45').getTime(), + }, + { + id: 3, + label: 'Facture 1', + emitterName: 'Blaine County Sheriff Office', + amount: 50000, + created_at: new Date().getTime(), + }, + { + id: 4, + label: 'Facture 1', + emitterName: 'Los Santos Medical Center', + amount: 50000, + created_at: new Date('2023-01-23 13:29:59').getTime(), + }, +]; diff --git a/resources/[soz]/soz-phone/src/nui/apps/messages/components/modal/MessageBubble.tsx b/resources/[soz]/soz-phone/src/nui/apps/messages/components/modal/MessageBubble.tsx index 6836472f80..2b417cb0f5 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/messages/components/modal/MessageBubble.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/messages/components/modal/MessageBubble.tsx @@ -6,7 +6,7 @@ import { Message, MessageEvents } from '@typings/messages'; import { PictureReveal } from '@ui/old_components/PictureReveal'; import { fetchNui } from '@utils/fetchNui'; import cn from 'classnames'; -import dayjs from 'dayjs'; +import { format } from 'date-fns'; import React from 'react'; import { useConfig } from '../../../../hooks/usePhone'; @@ -77,12 +77,12 @@ export const MessageBubble: React.FC = ({ message }) => { 'text-2xl': config.textZoom.value === 1.6, })} > - {message.message.split(/(:[a-zA-Z0-9-_+]+:)/g).map(text => { + {message.message.split(/(:[a-zA-Z0-9-_+]+:)/g).map((text, i) => { if (text.startsWith(':') && text.endsWith(':')) { - return ; + return ; } - return text; + return {text}; })}

@@ -115,7 +115,7 @@ export const MessageBubble: React.FC = ({ message }) => { 'text-gray-500': config.theme.value === 'light', })} > - {dayjs(message.createdAt).format('HH:mm')} + {format(new Date(message.createdAt), 'HH:mm')}
diff --git a/resources/[soz]/soz-phone/src/nui/apps/messages/hooks/useMessageNotifications.ts b/resources/[soz]/soz-phone/src/nui/apps/messages/hooks/useMessageNotifications.ts index cb33a16e85..28227c588f 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/messages/hooks/useMessageNotifications.ts +++ b/resources/[soz]/soz-phone/src/nui/apps/messages/hooks/useMessageNotifications.ts @@ -37,10 +37,28 @@ export const useMessageNotifications = () => { } }); }; + const setNotificationSilent = ({ conversationName, conversationId, message }) => { + const group: MessageConversation = null; + const id = `${NOTIFICATION_ID}:${conversationId}`; + + const notification = { + app: 'messages', + id, + sound: true, + title: group?.display || group?.phoneNumber || conversationName, + onClick: () => navigate(`/messages/${conversationId}`), + content: message, + Icon, + notificationIcon: Icon, + }; + + removeId(id); + addNotification(notification); + }; const removeNotification = (conversationId: string) => { removeId(`${NOTIFICATION_ID}:${conversationId}`); }; - return { setNotification, removeNotification }; + return { setNotification, removeNotification, setNotificationSilent }; }; diff --git a/resources/[soz]/soz-phone/src/nui/apps/messages/pages/Messages.tsx b/resources/[soz]/soz-phone/src/nui/apps/messages/pages/Messages.tsx index f9fd0edf52..4e122b1646 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/messages/pages/Messages.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/messages/pages/Messages.tsx @@ -1,12 +1,12 @@ import { Transition } from '@headlessui/react'; import { ChevronLeftIcon } from '@heroicons/react/outline'; -import { ArchiveIcon, PhoneIcon, UserAddIcon } from '@heroicons/react/solid'; +import { ArchiveIcon, PencilAltIcon, PhoneIcon, UserAddIcon } from '@heroicons/react/solid'; import { AppTitle } from '@ui/components/AppTitle'; import { AppWrapper } from '@ui/components/AppWrapper'; import { Button } from '@ui/old_components/Button'; import cn from 'classnames'; -import dayjs from 'dayjs'; -import localizedFormat from 'dayjs/plugin/localizedFormat'; +import { format } from 'date-fns'; +import { fr } from 'date-fns/locale'; import React, { useEffect, useMemo, useState } from 'react'; import { useTranslation } from 'react-i18next'; import { useSelector } from 'react-redux'; @@ -25,8 +25,6 @@ import { MessageBubble } from '../components/modal/MessageBubble'; import { MessageImageModal } from '../components/modal/MessageImageModal'; import { useMessageNotifications } from '../hooks/useMessageNotifications'; -dayjs.extend(localizedFormat); - export const Messages = () => { const config = useConfig(); const backgroundClass = useBackground(); @@ -65,7 +63,10 @@ export const Messages = () => { .filter(conversation => conversation.conversation_id === groupId) .sort((a, b) => b.id - a.id) .forEach(message => { - const date = dayjs(message.createdAt).locale('fr').format('LL'); + const date = format(new Date(message.createdAt), 'PP', { + locale: fr, + }); + if (messagesByDate[date] === undefined) { messagesByDate[date] = []; } @@ -74,13 +75,17 @@ export const Messages = () => { return messagesByDate; }, [messages, groupId]); - const { getDisplayByNumber } = useContact(); + const { getDisplayByNumber, getIdByNumber } = useContact(); const { initializeCall } = useCall(); const handleAddContact = number => { return navigate(`/contacts/-1/?addNumber=${number}`); }; + const openContactInfo = (phoneNumber: string) => { + navigate(`/contacts/${getIdByNumber(phoneNumber)}`); + }; + const handleArchiveConversation = conversation_id => { store.dispatch.simCard.setConversationArchived(conversation_id); navigate(-1); @@ -113,19 +118,29 @@ export const Messages = () => { +
handleArchiveConversation(conversation.conversation_id)} /> {getDisplayByNumber(conversation.phoneNumber) === conversation.phoneNumber && ( - )} + {getDisplayByNumber(conversation.phoneNumber) !== conversation.phoneNumber && ( + + )} initializeCall(conversation.phoneNumber)} @@ -148,8 +163,8 @@ export const Messages = () => { }} >
- {Object.keys(filteredMessages).map(date => ( - <> + {Object.keys(filteredMessages).map((date, id) => ( + {filteredMessages[date].map(message => ( ))} @@ -174,7 +189,7 @@ export const Messages = () => {
- + ))}
diff --git a/resources/[soz]/soz-phone/src/nui/apps/notes/index.tsx b/resources/[soz]/soz-phone/src/nui/apps/notes/index.tsx index e2a4b094cc..7e1fbd6639 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/notes/index.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/notes/index.tsx @@ -9,7 +9,7 @@ import { useNotes } from '../../hooks/app/useNotes'; import { useConfig } from '../../hooks/usePhone'; import { AppContent } from '../../ui/components/AppContent'; import { useBackground } from '../../ui/hooks/useBackground'; -import { FullPageWithHeaderWithNavBar } from '../../ui/layout/FullPageWithHeaderWithNavBar'; +import { FullPage } from '../../ui/layout/FullPage'; import { NoteForm } from './pages/NoteForm'; import NoteList from './pages/NoteList'; @@ -28,7 +28,7 @@ export const NotesApp: React.FC = () => { }; return ( - + {
- + ); }; diff --git a/resources/[soz]/soz-phone/src/nui/apps/notes/pages/NoteForm.tsx b/resources/[soz]/soz-phone/src/nui/apps/notes/pages/NoteForm.tsx index 6cecc074fe..0529a0538c 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/notes/pages/NoteForm.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/notes/pages/NoteForm.tsx @@ -1,5 +1,5 @@ -import { Transition } from '@headlessui/react'; -import { ChevronLeftIcon, TrashIcon } from '@heroicons/react/outline'; +import { Menu, Transition } from '@headlessui/react'; +import { CheckIcon, ChevronLeftIcon, TrashIcon } from '@heroicons/react/outline'; import { AppContent } from '@ui/components/AppContent'; import { AppTitle } from '@ui/components/AppTitle'; import { Button } from '@ui/old_components/Button'; @@ -71,12 +71,31 @@ export const NoteForm: React.FC = () => { const NoteActions = (
{!isNewNote && ( - + + + + + + + + + + + + )}
); diff --git a/resources/[soz]/soz-phone/src/nui/apps/settings/hooks/useSettings.ts b/resources/[soz]/soz-phone/src/nui/apps/settings/hooks/useSettings.ts index cd5fbe7623..49c921b42b 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/settings/hooks/useSettings.ts +++ b/resources/[soz]/soz-phone/src/nui/apps/settings/hooks/useSettings.ts @@ -23,6 +23,10 @@ export interface IPhoneSettings { societyNotification: SettingOption; societyNotificationVol: number; handsFree: boolean; + planeMode: boolean; + dynamicAlert: boolean; + dynamicAlertVol: number; + dynamicAlertDuration: SettingOption; } export const useSettingsAPI = () => { diff --git a/resources/[soz]/soz-phone/src/nui/apps/settings/pages/SettingsHome.tsx b/resources/[soz]/soz-phone/src/nui/apps/settings/pages/SettingsHome.tsx index 06764d9fcd..420adc1abf 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/settings/pages/SettingsHome.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/settings/pages/SettingsHome.tsx @@ -1,4 +1,4 @@ -import { ChatAltIcon } from '@heroicons/react/outline'; +import { ChatAltIcon, PaperAirplaneIcon } from '@heroicons/react/outline'; import { AdjustmentsIcon, BellIcon, @@ -22,7 +22,7 @@ import { useQueryParams } from '../../../common/hooks/useQueryParams'; import { deleteQueryFromLocation } from '../../../common/utils/deleteQueryFromLocation'; import { usePhoneConfig } from '../../../config/hooks/usePhoneConfig'; import { useConfig } from '../../../hooks/usePhone'; -import { useAvatar, usePhoneNumber } from '../../../hooks/useSimCard'; +import { useAvatar, usePhoneNumber, usePhoneSocietyNumber } from '../../../hooks/useSimCard'; import { useApp } from '../../../os/apps/hooks/useApps'; import { useSnackbar } from '../../../os/snackbar/hooks/useSnackbar'; import { store } from '../../../store'; @@ -41,6 +41,7 @@ export const SettingsHome = () => { const settingsApp = useApp('settings'); const { pathname, search } = useLocation(); const navigate = useNavigate(); + const societyNumber = usePhoneSocietyNumber(); const phoneConfig = usePhoneConfig(); const myNumber = usePhoneNumber(); @@ -53,6 +54,10 @@ export const SettingsHome = () => { const [openMenu, closeMenu, ContextMenu, isMenuOpen] = useContextMenu(); + const canShowDynamicAlerts = (): boolean => { + return ['555-LSPD', '555-BCSO', '555-SASP', '555-FBI'].some(allowedNumber => allowedNumber === societyNumber); + }; + const handleSettingChange = (key: string | number, value: any) => { if (key === 'zoom') { if (window.innerHeight <= value.value * 10) { @@ -69,6 +74,11 @@ export const SettingsHome = () => { const themes = phoneConfig.themes.map( MapSettingItem(config.theme, (val: SettingOption) => handleSettingChange('theme', val)) ); + const dynamicAlertDurationOptions = phoneConfig.dynamicAlertDurationOptions.map( + MapSettingItem(config.dynamicAlertDuration, (val: SettingOption) => + handleSettingChange('dynamicAlertDuration', val) + ) + ); const zoomOptions = phoneConfig.zoomOptions.map( MapSettingItem(config.zoom, (val: SettingOption) => handleSettingChange('zoom', val)) ); @@ -159,7 +169,42 @@ export const SettingsHome = () => { value={config.handsFree} onClick={curr => handleSettingChange('handsFree', !curr)} /> + } + color="bg-[#FF6633]" + value={config.planeMode} + onClick={curr => handleSettingChange('planeMode', !curr)} + /> + {canShowDynamicAlerts() && ( + <> + + } + color="bg-orange-500" + value={config.dynamicAlert} + onClick={curr => handleSettingChange('dynamicAlert', !curr)} + /> + } + color="bg-[#5756CE]" + /> + } + iconEnd={} + value={config.dynamicAlertVol} + onCommit={e => handleSettingChange('dynamicAlertVol', parseInt(e.target.value))} + /> + + + )} { const [t] = useTranslation(); const sendSocietyMessage = useCallback( - ({ number, message, anonymous, position }: PreDBSociety) => { + ({ number, message, anonymous, position, info }: PreDBSociety) => { setTimeout(() => { fetchNui>(SocietyEvents.SEND_SOCIETY_MESSAGE, { number, anonymous, message, position, + info, }).then(serverResp => { if (serverResp.status !== 'ok') { return addAlert({ diff --git a/resources/[soz]/soz-phone/src/nui/apps/society-contacts/utils/constants.ts b/resources/[soz]/soz-phone/src/nui/apps/society-contacts/utils/constants.ts index 0838862bd7..5c1eae1038 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/society-contacts/utils/constants.ts +++ b/resources/[soz]/soz-phone/src/nui/apps/society-contacts/utils/constants.ts @@ -97,4 +97,22 @@ export const SocietyContactsState: Society[] = [ number: '555-MDR', avatar: 'media/society_icon/mdr.webp', }, + { + id: 17, + display: "Force de l'ordre", + number: '555-POLICE', + avatar: 'media/society_icon/fdo.webp', + }, + { + id: 18, + display: 'SASP', + number: '555-SASP', + avatar: 'media/society_icon/sasp.webp', + }, + { + id: 19, + display: 'Gouvernement', + number: '555-GOUV', + avatar: 'media/society_icon/gouv.webp', + }, ]; diff --git a/resources/[soz]/soz-phone/src/nui/apps/society-messages/index.tsx b/resources/[soz]/soz-phone/src/nui/apps/society-messages/index.tsx index 8b46f1663f..34cd4f3117 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/society-messages/index.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/society-messages/index.tsx @@ -1,12 +1,21 @@ import { Transition } from '@headlessui/react'; +import { ChatIcon, MapIcon } from '@heroicons/react/outline'; import { useApp } from '@os/apps/hooks/useApps'; +import { ServerPromiseResp } from '@typings/common'; +import { MessageEvents } from '@typings/messages'; import { AppContent } from '@ui/components/AppContent'; import { AppTitle } from '@ui/components/AppTitle'; import { AppWrapper } from '@ui/components/AppWrapper'; import { FullPageWithHeader } from '@ui/layout/FullPageWithHeader'; +import { fetchNui } from '@utils/fetchNui'; +import cn from 'classnames'; import React from 'react'; import { Route, Routes } from 'react-router-dom'; +import { useNavigate } from 'react-router-dom'; +import { useSociety } from '../../../nui/hooks/app/useSociety'; +import { useConfig } from '../../../nui/hooks/usePhone'; +import { usePhoneSocietyNumber } from '../../hooks/useSimCard'; import { useBackground } from '../../ui/hooks/useBackground'; import MessagesList from './pages/MessagesList'; @@ -14,6 +23,21 @@ export const SocietyMessagesApp = () => { const messages = useApp('society-messages'); const backgroundClass = useBackground(); + const config = useConfig(); + const navigate = useNavigate(); + const { getContacts } = useSociety(); + const contacts = getContacts(); + const societyNumber = usePhoneSocietyNumber(); + const societyId = contacts.find(c => c.number == societyNumber)?.id; + + const openContactInfo = (contactId: number) => { + navigate(`/society-contacts/${contactId}`); + }; + + const deleteWaypoint = () => { + fetchNui>(MessageEvents.DELETE_WAYPOINT, {}); + }; + return ( { leaveTo="scale-[0.0] opacity-0" > - +
+ + + +
} /> diff --git a/resources/[soz]/soz-phone/src/nui/apps/society-messages/pages/MessagesList.tsx b/resources/[soz]/soz-phone/src/nui/apps/society-messages/pages/MessagesList.tsx index f726d2a27e..091f9e834d 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/society-messages/pages/MessagesList.tsx +++ b/resources/[soz]/soz-phone/src/nui/apps/society-messages/pages/MessagesList.tsx @@ -1,7 +1,9 @@ import { Menu, Transition } from '@headlessui/react'; +import { DuplicateIcon } from '@heroicons/react/outline'; import { BookmarkIcon, ChatIcon, LocationMarkerIcon, PhoneIcon } from '@heroicons/react/solid'; import { useCall } from '@os/call/hooks/useCall'; import LogDebugEvent from '@os/debug/LogDebugEvents'; +import { setClipboard } from '@os/phone/hooks/useClipboard'; import { ServerPromiseResp } from '@typings/common'; import { MessageEvents } from '@typings/messages'; import { SocietyEvents } from '@typings/society'; @@ -81,6 +83,25 @@ const MessagesList = (): any => { >
diff --git a/resources/[soz]/soz-phone/src/nui/apps/twitch-news/utils/isPolice.ts b/resources/[soz]/soz-phone/src/nui/apps/twitch-news/utils/isPolice.ts index efe81c44d4..501e40b401 100644 --- a/resources/[soz]/soz-phone/src/nui/apps/twitch-news/utils/isPolice.ts +++ b/resources/[soz]/soz-phone/src/nui/apps/twitch-news/utils/isPolice.ts @@ -6,12 +6,16 @@ export const isBCSOMessage = messageType => { return /^(bcso)(:end)?$/.test(messageType); }; +export const isSASPMessage = messageType => { + return /^(sasp)(:end)?$/.test(messageType); +}; + export const isActivePoliceMessage = messageType => { - return /^(lspd|bcso)$/.test(messageType); + return /^(lspd|bcso|sasp)$/.test(messageType); }; export const isPoliceMessage = messageType => { - return isLSPDMessage(messageType) || isBCSOMessage(messageType); + return isLSPDMessage(messageType) || isBCSOMessage(messageType) || isSASPMessage(messageType); }; export const convertTypeToName = function (type) { @@ -25,6 +29,6 @@ export const convertTypeToName = function (type) { case 'fait-divers': return 'Fait Divers'; case 'info-traffic': - return 'Info Traffic'; + return 'Info Trafic'; } }; diff --git a/resources/[soz]/soz-phone/src/nui/apps/weather/assets/icons.tsx b/resources/[soz]/soz-phone/src/nui/apps/weather/assets/icons.tsx new file mode 100644 index 0000000000..21db0ce237 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/weather/assets/icons.tsx @@ -0,0 +1,444 @@ +import React from 'react'; + +interface IconProps { + className?: string; + width: string; + height: string; +} + +export const SunnyDayIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const SunnyNightIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const CloudsIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const SmogDayIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const SmogNightIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const RainIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const ThunderIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const ClearingIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const ClearingNightIcon: React.FC = props => { + return ( + + + + + + + + + + + + + ); +}; + +export const NeutralIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const NeutralNightIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const SnowIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const BlizzardIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const SnowLightIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const XmasIcon: React.FC = props => { + return ( + + + + + + + + ); +}; + +export const HalloweenIcon: React.FC = props => { + return ( + + + + + + + + ); +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/weather/icon.tsx b/resources/[soz]/soz-phone/src/nui/apps/weather/icon.tsx new file mode 100644 index 0000000000..074814ed62 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/weather/icon.tsx @@ -0,0 +1,24 @@ +import React from 'react'; + +const WeatherIcon: React.FC = props => { + return ( + + + + ); +}; + +export default WeatherIcon; diff --git a/resources/[soz]/soz-phone/src/nui/apps/weather/index.tsx b/resources/[soz]/soz-phone/src/nui/apps/weather/index.tsx new file mode 100644 index 0000000000..52b9b6bfde --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/weather/index.tsx @@ -0,0 +1,47 @@ +import { Transition } from '@headlessui/react'; +import cn from 'classnames'; +import { Route, Routes } from 'react-router-dom'; + +import { useWeather } from '../../hooks/app/useWeather'; +import { useTime } from '../../hooks/usePhone'; +import { AppWrapper } from '../../ui/components/AppWrapper'; +import { FullPage } from '../../ui/layout/FullPage'; +import { WeatherList } from './pages/WeatherList'; + +export const WeatherApp = () => { + const { getAlert } = useWeather(); + const alert = getAlert(); + const alertInProgress = alert && alert.getTime() > Date.now(); + const time = useTime(); + const hours = parseInt(time.slice(0, 2), 10); + const isNight = hours >= 21 || hours < 6; + const isDay = hours >= 8 && hours < 20; + + return ( + + + + + } /> + + + + + ); +}; diff --git a/resources/[soz]/soz-phone/src/nui/apps/weather/pages/WeatherList.tsx b/resources/[soz]/soz-phone/src/nui/apps/weather/pages/WeatherList.tsx new file mode 100644 index 0000000000..c3a29e2465 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/weather/pages/WeatherList.tsx @@ -0,0 +1,190 @@ +import cn from 'classnames'; +import { memo, useEffect, useState } from 'react'; +import { useTranslation } from 'react-i18next'; + +import { useWeather } from '../../../hooks/app/useWeather'; +import { useConfig, useTime } from '../../../hooks/usePhone'; +import { AppContent } from '../../../ui/components/AppContent'; +import { + BlizzardIcon, + ClearingIcon, + ClearingNightIcon, + CloudsIcon, + HalloweenIcon, + NeutralIcon, + NeutralNightIcon, + RainIcon, + SmogDayIcon, + SmogNightIcon, + SnowIcon, + SnowLightIcon, + SunnyDayIcon, + SunnyNightIcon, + ThunderIcon, + XmasIcon, +} from '../assets/icons'; +import { advanceTime, extractTime, isDay } from '../utils/time'; + +export const WeatherList = memo(() => { + const [t] = useTranslation(); + const { getForecasts, getAlert } = useWeather(); + const time = useTime(); + const forecasts = getForecasts(); + const alertDate: Date = getAlert(); + const [alertMessage, setAlertMessage] = useState(); + const config = useConfig(); + const checkAlert = () => { + if (alertDate && alertDate.getTime() > Date.now()) { + const remainingTime = alertDate.getTime() - Date.now(); + const minutes = Math.floor((remainingTime % (1000 * 60 * 60)) / (1000 * 60)).toString(10); + const seconds = Math.floor((remainingTime % (1000 * 60)) / 1000).toString(10); + setAlertMessage(`${minutes.padStart(2, '0')}:${seconds.padStart(2, '0')}`); + } else { + setAlertMessage(''); + } + }; + + useEffect(() => { + checkAlert(); + const interval = setInterval(checkAlert, 1000); + + return () => clearInterval(interval); + }, [alertDate]); + + const getIcon = (icon: string, size: string, isDay: boolean, className?: string) => { + switch (icon) { + case 'EXTRASUNNY': + case 'CLEAR': { + if (isDay) { + return ; + } + return ; + } + case 'CLOUDS': + case 'OVERCAST': { + return ; + } + case 'SMOG': + case 'FOGGY': { + if (isDay) { + return ; + } + return ; + } + case 'RAIN': { + return ; + } + case 'THUNDER': { + return ; + } + case 'CLEARING': { + if (isDay) { + return ; + } + return ; + } + case 'NEUTRAL': { + if (isDay) { + return ; + } + return ; + } + case 'SNOW': { + return ; + } + case 'BLIZZARD': { + return ; + } + case 'SNOWLIGHT': { + return ; + } + case 'XMAS': { + return ; + } + case 'HALLOWEEN': { + return ; + } + } + }; + + if (alertMessage) { + return ( + +
+
+ {getIcon(forecasts[0].weather, '150px', isDay(extractTime(time)), 'm-auto')} +

{t('WEATHER.ALERT.TITLE')}

+

{t('WEATHER.ALERT.DESCRIPTION')}

+

{alertMessage}

+
+
+
+ ); + } + + if (forecasts && forecasts.length) { + const timeObject = extractTime(time); + let day = isDay(timeObject) ? 'DAY' : 'NIGHT'; + const currentWeatherForecastKey = + 'WEATHER.FORECASTS.' + + (forecasts[0].weather.toUpperCase() === 'EXTRASUNNY' + ? 'EXTRASUNNY.' + day + : forecasts[0].weather.toUpperCase()); + advanceTime(timeObject, forecasts[0].duration); + + return ( + +
+
+ {getIcon(forecasts[0].weather, '100px', day === 'DAY', 'm-auto')} +

{t(currentWeatherForecastKey)}

+

{forecasts[0].temperature}°C

+
+
+

Prévisions

+
    + {forecasts.slice(1).map((forecast, index) => { + day = isDay(timeObject) ? 'DAY' : 'NIGHT'; + const weatherForecastKey = + 'WEATHER.FORECASTS.' + + (forecast.weather.toUpperCase() === 'EXTRASUNNY' + ? 'EXTRASUNNY.' + day + : forecast.weather.toUpperCase()); + advanceTime(timeObject, forecast.duration); + return ( +
  • +
    + {getIcon(forecast.weather, '2em', day === 'DAY')} + {t(weatherForecastKey)} +
    +
    + {forecast.temperature}°C +
    +
  • + ); + })} +
+
+
+
+ ); + } + + return ( + +
+

+ {t('WEATHER.LOADING')} +

+
+
+ ); +}); diff --git a/resources/[soz]/soz-phone/src/nui/apps/weather/utils/constants.ts b/resources/[soz]/soz-phone/src/nui/apps/weather/utils/constants.ts new file mode 100644 index 0000000000..29b1034310 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/weather/utils/constants.ts @@ -0,0 +1,77 @@ +import { WeatherForecast } from '../../../../../typings/app/weather'; + +export const MockWeatherForecastsData: WeatherForecast[] = [ + { + temperature: 20, + weather: 'HALLOWEEN', + duration: 43200000, // 43200000 for 12 hours + }, + { + temperature: 45, + weather: 'EXTRASUNNY', + duration: 0, + }, + { + temperature: -5, + weather: 'CLOUDS', + duration: 0, + }, + { + temperature: 22, + weather: 'SMOG', + duration: 0, + }, + { + temperature: 0, + weather: 'OVERCAST', + duration: 0, + }, + // { + // temperature: 0, + // weather: 'RAIN', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'THUNDER', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'CLEARING', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'NEUTRAL', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'SNOW', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'BLIZZARD', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'SNOWLIGHT', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'XMAS', + // duration: 0, + // }, + // { + // temperature: 0, + // weather: 'HALLOWEEN', + // duration: 0, + // }, +]; + +// export const MockAlertData: Date = new Date(Date.now() + 1000 * 60 * 15); +export const MockAlertData: Date = null; diff --git a/resources/[soz]/soz-phone/src/nui/apps/weather/utils/time.ts b/resources/[soz]/soz-phone/src/nui/apps/weather/utils/time.ts new file mode 100644 index 0000000000..af5f7eeac4 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/apps/weather/utils/time.ts @@ -0,0 +1,37 @@ +type Time = { + hour: number; + minute: number; + second: number; +}; + +export const extractTime = (time: string) => { + const [hour, minute] = time.split(':'); + return { hour: Number(hour), minute: Number(minute), second: 0 }; +}; + +export const advanceTime = (time: Time, durationInMs: number) => { + const incrementSeconds = durationInMs / 1000; + time.second += incrementSeconds; + if (time.second >= 60) { + const incrementMinutes = Math.floor(time.second / 60); + + time.minute += incrementMinutes; + time.second %= 60; + + if (time.minute >= 60) { + const incrementHours = Math.floor(time.minute / 60); + + time.hour += incrementHours; + time.minute %= 60; + + if (time.hour >= 24) { + time.hour %= 24; + } + } + } + return time; +}; + +export const isDay = (time: Time) => { + return time.hour >= 6 && time.hour < 21; +}; diff --git a/resources/[soz]/soz-phone/src/nui/config/default.json b/resources/[soz]/soz-phone/src/nui/config/default.json index 648fc9c447..b37dc30810 100644 --- a/resources/[soz]/soz-phone/src/nui/config/default.json +++ b/resources/[soz]/soz-phone/src/nui/config/default.json @@ -1,215 +1,240 @@ { - "defaultLanguage": "fr", - "wallpapers": [ - { - "label": "SoZ 1", - "value": "back1.jpg" - }, - { - "label": "SoZ 2", - "value": "back2.jpg" - }, - { - "label": "SoZ 3", - "value": "back3.jpg" - }, - { - "label": "SoZ 4", - "value": "back4.jpg" - }, - { - "label": "SoZ 5", - "value": "back5.jpg" - }, - { - "label": "SoZ 6", - "value": "back6.jpg" - }, - { - "label": "SoZ 7", - "value": "back7.jpg" - }, - { - "label": "SoZ 8", - "value": "back8.jpg" - } - ], - "frames": [ - { - "label": "Default", - "value": "default.png" - } - ], - "zoomOptions": [ - { - "label": "200%", - "value": 200 - }, - { - "label": "180%", - "value": 180 - }, - { - "label": "160%", - "value": 160 - }, - { - "label": "140%", - "value": 140 - }, - { - "label": "120%", - "value": 120 - }, - { - "label": "100%", - "value": 100 - }, - { - "label": "90%", - "value": 90 - }, - { - "label": "80%", - "value": 80 - }, - { - "label": "70%", - "value": 70 - } - ], - "textZoomOptions": [ - { - "label": "100%", - "value": 1.0 - }, - { - "label": "120%", - "value": 1.2 - }, - { - "label": "140%", - "value": 1.4 - }, - { - "label": "160%", - "value": 1.6 - } - ], - "languages": [ - { - "label": "Français", - "value": "fr" - } - ], - "ringtones": [ - { - "label": "Marimba", - "value": "marimba" - }, - { - "label": "Pixel", - "value": "pixel" - }, - { - "label": "Nostalgie", - "value": "faily" - }, - { - "label": "Fantaisie", - "value": "fantaisie" - }, - { - "label": "Thriller", - "value": "thriller" - } - ], - "notiSounds": [ - { - "label": "Online", - "value": "online" - }, - { - "label": "Weweweeeee", - "value": "99kr" - }, - { - "label": "Old", - "value": "old" - }, - { - "label": "Pouloum", - "value": "pouloum" - }, - { - "label": "Toudoum", - "value": "toudoum" - }, - { - "label": "Toutouloum", - "value": "toutouloum" - }, - { - "label": "UwU", - "value": "uwu" - } - ], - "defaultSettings": { - "language": { - "label": "English", - "value": "fr" - }, - "wallpaper": { - "label": "Soz1", - "value": "back1.jpg" - }, - "customWallpaper": "", - "frame": { - "label": "Default", - "value": "default.png" - }, - "theme": { - "label": "Mode clair", - "value": "light" - }, - "zoom": { - "label": "90%", - "value": 90 - }, - "textZoom": { - "label": "100%", - "value": 1.0 - }, - "streamerMode": false, - "ringtone": { - "label": "Pixel", - "value": "pixel" - }, - "notiSound": { - "label": "Online", - "value": "online" - }, - "societyNotification": { - "label": "Online", - "value": "online" - }, - "ringtoneVol": 50, - "notiSoundVol": 50, - "societyNotificationVol": 50, - "handsFree": false - }, - "themes": [ - { - "label": "Mode clair", - "value": "light" - }, - { - "label": "Mode sombre", - "value": "dark" + "defaultLanguage": "fr", + "wallpapers": [ + { + "label": "SoZ 1", + "value": "back1.jpg" + }, + { + "label": "SoZ 2", + "value": "back2.jpg" + }, + { + "label": "SoZ 3", + "value": "back3.jpg" + }, + { + "label": "SoZ 4", + "value": "back4.jpg" + }, + { + "label": "SoZ 5", + "value": "back5.jpg" + }, + { + "label": "SoZ 6", + "value": "back6.jpg" + }, + { + "label": "SoZ 7", + "value": "back7.jpg" + }, + { + "label": "SoZ 8", + "value": "back8.jpg" + } + ], + "frames": [ + { + "label": "Default", + "value": "default.png" + } + ], + "dynamicAlertDurationOptions": [ + { + "label": "2 secondes", + "value": 2000 + }, + { + "label": "5 secondes", + "value": 5000 + }, + { + "label": "10 secondes", + "value": 10000 + }, + { + "label": "15 secondes", + "value": 15000 + } + ], + "zoomOptions": [ + { + "label": "200%", + "value": 200 + }, + { + "label": "180%", + "value": 180 + }, + { + "label": "160%", + "value": 160 + }, + { + "label": "140%", + "value": 140 + }, + { + "label": "120%", + "value": 120 + }, + { + "label": "100%", + "value": 100 + }, + { + "label": "90%", + "value": 90 + }, + { + "label": "80%", + "value": 80 + }, + { + "label": "70%", + "value": 70 + } + ], + "textZoomOptions": [ + { + "label": "100%", + "value": 1.0 + }, + { + "label": "120%", + "value": 1.2 + }, + { + "label": "140%", + "value": 1.4 + }, + { + "label": "160%", + "value": 1.6 + } + ], + "languages": [ + { + "label": "Français", + "value": "fr" + } + ], + "ringtones": [ + { + "label": "Marimba", + "value": "marimba" + }, + { + "label": "Pixel", + "value": "pixel" + }, + { + "label": "Nostalgie", + "value": "faily" + }, + { + "label": "Fantaisie", + "value": "fantaisie" + }, + { + "label": "Thriller", + "value": "thriller" + } + ], + "notiSounds": [ + { + "label": "Online", + "value": "online" + }, + { + "label": "Weweweeeee", + "value": "99kr" + }, + { + "label": "Old", + "value": "old" + }, + { + "label": "Pouloum", + "value": "pouloum" + }, + { + "label": "Toudoum", + "value": "toudoum" + }, + { + "label": "Toutouloum", + "value": "toutouloum" + }, + { + "label": "UwU", + "value": "uwu" + } + ], + "defaultSettings": { + "language": { + "label": "English", + "value": "fr" + }, + "wallpaper": { + "label": "Soz1", + "value": "back1.jpg" + }, + "customWallpaper": "", + "frame": { + "label": "Default", + "value": "default.png" + }, + "theme": { + "label": "Mode clair", + "value": "light" + }, + "zoom": { + "label": "90%", + "value": 90 + }, + "textZoom": { + "label": "100%", + "value": 1.0 + }, + "streamerMode": false, + "ringtone": { + "label": "Pixel", + "value": "pixel" + }, + "notiSound": { + "label": "Online", + "value": "online" + }, + "societyNotification": { + "label": "Online", + "value": "online" + }, + "ringtoneVol": 50, + "notiSoundVol": 50, + "societyNotificationVol": 50, + "handsFree": false, + "planeMode": false, + "dynamicAlert": false, + "dynamicAlertVol": 50, + "dynamicAlertDuration": { + "label": "5 secondes", + "value": 5000 + } + }, + "themes": [ + { + "label": "Mode clair", + "value": "light" + }, + { + "label": "Mode sombre", + "value": "dark" + } + ], + "debug": { + "printDebugLogs": false, + "logLevel": 1 } - ], - "debug": { - "printDebugLogs": false, - "logLevel": 1 - } -} +} \ No newline at end of file diff --git a/resources/[soz]/soz-phone/src/nui/hooks/app/useWeather.ts b/resources/[soz]/soz-phone/src/nui/hooks/app/useWeather.ts new file mode 100644 index 0000000000..df49d4b45b --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/hooks/app/useWeather.ts @@ -0,0 +1,22 @@ +import { useCallback } from 'react'; +import { useSelector } from 'react-redux'; + +import { RootState } from '../../store'; + +export const useWeather = () => { + const forecasts = useSelector((state: RootState) => state.appWeather.forecasts); + const stormAlert: Date = useSelector((state: RootState) => state.appWeather.alert); + + const getForecasts = useCallback(() => { + return forecasts; + }, [forecasts]); + + const getAlert = useCallback(() => { + return stormAlert; + }, [stormAlert]); + + return { + getForecasts, + getAlert, + }; +}; diff --git a/resources/[soz]/soz-phone/src/nui/hooks/useApi.ts b/resources/[soz]/soz-phone/src/nui/hooks/useApi.ts new file mode 100644 index 0000000000..35f8906fc3 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/hooks/useApi.ts @@ -0,0 +1,8 @@ +import { useSelector } from 'react-redux'; + +import { ApiConfig } from '../../../typings/api'; +import { RootState } from '../store'; + +export const useApiConfig = (): ApiConfig => { + return useSelector((state: RootState) => state.api); +}; diff --git a/resources/[soz]/soz-phone/src/nui/hooks/useContact.ts b/resources/[soz]/soz-phone/src/nui/hooks/useContact.ts index cf58700413..0a1991e4c6 100644 --- a/resources/[soz]/soz-phone/src/nui/hooks/useContact.ts +++ b/resources/[soz]/soz-phone/src/nui/hooks/useContact.ts @@ -54,11 +54,19 @@ export const useContact = () => { [contacts] ); + const getIdByNumber = useCallback( + (number: string) => { + return contacts.find(contact => contact.number === number)?.id; + }, + [contacts] + ); + return { getDisplayByNumber, getPictureByNumber, getContacts, getContact, getFilteredContacts, + getIdByNumber, }; }; diff --git a/resources/[soz]/soz-phone/src/nui/hooks/useEmergency.ts b/resources/[soz]/soz-phone/src/nui/hooks/useEmergency.ts index 69435cb4c8..aebbbf51b6 100644 --- a/resources/[soz]/soz-phone/src/nui/hooks/useEmergency.ts +++ b/resources/[soz]/soz-phone/src/nui/hooks/useEmergency.ts @@ -18,5 +18,5 @@ export const useLSMCCalled = () => { }; export const useIsDead = () => { - return useSelector((state: RootState) => state.emergency.dead); + return useSelector((state: RootState) => state.emergency.deathReason); }; diff --git a/resources/[soz]/soz-phone/src/nui/hooks/usePhone.ts b/resources/[soz]/soz-phone/src/nui/hooks/usePhone.ts index 6303332c9b..f8ecb5ebb3 100644 --- a/resources/[soz]/soz-phone/src/nui/hooks/usePhone.ts +++ b/resources/[soz]/soz-phone/src/nui/hooks/usePhone.ts @@ -61,3 +61,8 @@ export const useCallModal = () => { const state = useSelector((state: RootState) => state.phone); return state.callModal; }; + +export const useCitizenID = () => { + const state = useSelector((state: RootState) => state.phone); + return state.citizenID; +}; diff --git a/resources/[soz]/soz-phone/src/nui/locale/fr.json b/resources/[soz]/soz-phone/src/nui/locale/fr.json index adecf53e54..1430612d61 100644 --- a/resources/[soz]/soz-phone/src/nui/locale/fr.json +++ b/resources/[soz]/soz-phone/src/nui/locale/fr.json @@ -1,258 +1,297 @@ { - "translation": { - "MISC": { - "TOP_LEVEL_ERR_TITLE": "Erreur fatale", - "TOP_LEVEL_ERR_ACTION": "Rafraîchir", - "TOP_LEVEL_ERR_MSG": " Vous devez recharger la fenêtre NUI. L'erreur est affichée en dessous pour pouvoir la rapporter aux développeurs." - }, - "NOTIFICATIONS": { - "NO_UNREAD": "Aucune notification(s)" - }, - "DATE_FORMAT": "MM/JJ/AAAA", - "DATE_TIME_FORMAT": "MM/JJ/AAAA hh:mm A", - "CALLS": { - "MESSAGES": { - "RINGING": "Appel", - "OUTGOING": "Appel sortant", - "INCOMING": "Appel entrant" - }, - "FEEDBACK": { - "UNAVAILABLE": "Le numéro est actuellement indisponible", - "ERROR_MYSELF": "Vous ne pouvez pas vous appeler vous-même !", - "ERROR": "Une erreur est survenue lors de cet appel" - } - }, - "SETTINGS": { - "PHONE_NUMBER": "Numéro de téléphone", - "CATEGORY": { - "APPEARANCE": "Apparence", - "PHONE": "Téléphone", - "PROFILE": "Profil", - "ACTIONS": "Actions" - }, - "OPTIONS": { - "THEME": "Thème", - "LANGUAGE": "Langage", - "FRAME": "Coque", - "ZOOM": "Zoom", - "TEXT_ZOOM": "Taille des SMS", - "WALLPAPER": "Fond d'écran", - "RESET_SETTINGS": "Réinitialiser toutes vos données", - "STREAMER_MODE": { - "TITLE": "Mode NSFW", - "DESCRIPTION": "Masquer les images par défaut" + "translation": { + "MISC": { + "TOP_LEVEL_ERR_TITLE": "Erreur fatale", + "TOP_LEVEL_ERR_ACTION": "Rafraîchir", + "TOP_LEVEL_ERR_MSG": " Vous devez recharger la fenêtre NUI. L'erreur est affichée en dessous pour pouvoir la rapporter aux développeurs." }, - "HAND_FREE": "Kit mains libres", - "CUSTOM_WALLPAPER": { - "DIALOG_TITLE": "Fond d'écran personnalisé", - "DIALOG_CONTENT": "Choisissez un fond d'écran personnalisé en collant l'URL de l'image en dessous!", - "DIALOG_PLACEHOLDER": "Lien de l'image", - "DIALOG_SUCCESS": "Fond d'écran mis à jour", - "DIALOG_ERROR": "Image ou lien invalide" + "NOTIFICATIONS": { + "NO_UNREAD": "Aucune notification(s)" }, - "RINGTONE": "Sonnerie", - "RINGTONE_VOLUME": "Volume de la sonnerie", - "NOTIFICATION": "Notification Messagerie", - "SOCIETY_NOTIFICATION": "Notification Répondeur", - "NOTIFICATION_VOLUME": "Volume des notifications", - "NOTIFICATION_FILTER": "Filtres des notifications" - }, - "MESSAGES": { - "INVALID_SETTINGS": "Paramètres invalides stockés! Veuillez réinitialiser les paramètres.", - "SETTINGS_RESET": "Les paramètres ont été réinitialisés!" - }, - "ZOOM": { - "WARNING": "Le zoom souhaité sur le téléphone est trop grand pour être affiché sur votre écran. Veuillez utiliser un zoom plus petit." - }, - "FEEDBACK": { - "UPDATE_FAILED": "Mise a jour impossible", - "UPDATE_SUCCESS": "Image mise a jour" - } - }, - "CAMERA": { - "SHARE_DESTINATION": "Où voulez-vous partager l'image ?", - "COPY_IMAGE": "Copiez le lien de l'image ici:", - "FAILED_TO_DELETE": "La photo n'a pas pu être supprimée :(", - "FAILED_TO_TAKE_PHOTO": "La photo n'a pas pu être sauvegardée :(", - "TAKE_PHOTO_SUCCESS": "La photo est bien sauvegardée !" - }, - "PHOTO": { - "FEEDBACK": { - "NO_PHOTOS": "Vous n'avez pas de photos" - } - }, - "CONTACTS": { - "FEEDBACK": { - "ADD_FAILED": "Erreur de création du contact!", - "ADD_SUCCESS": "Contact créé avec succès!", - "UPDATE_FAILED": "Erreur lors de la mise à jour du contact!", - "UPDATE_SUCCESS": "Contact mis à jour avec succès!", - "DELETE_FAILED": "Erreur lors de la suppression du contact!", - "DELETE_SUCCESS": "Contact supprimé avec succès!" - }, - "PLACEHOLDER_SEARCH_CONTACTS": "Rechercher un contact...", - "FORM_NAME": "Nom", - "FORM_NUMBER": "Numéro", - "FORM_AVATAR": "URL Photo de profil", - "MODAL_BUTTON_ADD": "Ajouter contact" - }, - "DIALER": { - "MESSAGES": { - "CURRENT_CALL_TITLE": "Appel en cours", - "INCOMING_CALL_TITLE": "Appel entrant", - "CURRENT_CALL_WITH": "En appel avec {{ transmitter }}", - "TRANSMITTER_IS_CALLING": "{{ transmitter }} vous appelle!" - }, - "INPUT_PLACEHOLDER": "Entrer un numéro", - "NAVBAR_HISTORY": "Historique", - "NAVBAR_DIAL": "Clavier", - "NAVBAR_CONTACTS": "Contacts", - "NO_HISTORY": "Aucun historique d'appel" - }, - "NOTES": { - "FEEDBACK": { - "NO_NOTES": "Vous n'avez pas de notes", - "ADD_FAILED": "La note n'a pas pu être sauvegardée.", - "ADD_SUCCESS": "Note sauvegardée avec succès.", - "DELETE_SUCCESS": "Note supprimée avec succès.", - "DELETE_FAILED": "Impossible de supprimer la note.", - "UPDATE_FAILED": "Impossible de mettre à jour la note.", - "UPDATE_SUCCESS": "Note mise à jour avec succès." - } - }, - "BANK": { - "HOME_TITLE": "Compte en banque", - "CHECKING": "Total :" - }, - "MARKETPLACE": { - "FEEDBACK": { - "REQUIRED_FIELDS": "Tous les champs requis doivent être renseignés!", - "CREATE_LISTING_FAILED": "Échec lors de la création d'une nouvelle liste", - "CREATE_LISTING_SUCCESS": "Nouvelle liste créée avec succès!", - "DELETE_LISTING_FAILED": "Erreur lors de la suppression d'une liste", - "DELETE_LISTING_SUCCESS": "Liste supprimée avec succès", - "REPORT_LISTING_FAILED": "Cette liste a déjà été signalée", - "DUPLICATE_LISTING": "Vous ne pouvez pas créer une liste avec le même titre!", - "REPORT_LISTING_SUCCESS": "Liste signalée avec succès" - }, - "NEW_LISTING": "Nouvelle annonce", - "CHOOSE_IMAGE": "Choisir une image", - "FORM_TITLE": "Titre", - "POST_LISTING": "Publier", - "FORM_IMAGE": "Image ou URL", - "FORM_DESCRIPTION": "Description", - "NO_IMAGE": "Aucune image fournie" - }, - "MESSAGES": { - "MESSAGES": { - "MESSAGE_CONVERSATION_CREATE_ALL_NUMBERS_FAILED": "Aucun des numéros n'ont été trouvés!", - "UNREAD_MESSAGES": "Vous avez {{ count }} message(s) non lu(s)", - "MESSAGE_GROUP_CREATE_SOME_NUMBERS_FAILED": "({{ numbers }}) ne sont pas attribués." - }, - "FEEDBACK": { - "CONVERSATION_CREATE_ONE_NUMBER_FAILED": "{{ number }} n'est pas un numéro attribués", - "NEW_MESSAGE_FAILED": "Erreur d'envoi", - "INVALID_PHONE_NUMBER": "Numéro de téléphone invalide", - "MESSAGE_CONVERSATION_DUPLICATE": "Cette conversation existe déjà!", - "MESSAGE_GROUP_CREATE_FAILED": "Erreur lors de la création du groupe", - "MESSAGE_GROUP_CREATE_MINE": "Vous ne pouvez pas vous ajouter vous-même !", - "FETCHED_MESSAGES_FAILED": "Impossible de retrouver les messages", - "DELETE_CONVERSATION_FAILED": "Impossible de supprimer la conversation" - }, - "SEARCH_PLACEHOLDER": "Rechercher...", - "DELETE_CONVERSATION": "Supprimer la conversation", - "NEW_MESSAGE": "Message...", - "NEW_MESSAGE_GROUP": "Numéros de téléphone...", - "GROUP_CHAT_LABEL": "Nom du groupe...", - "MEDIA_OPTION": "Envoyer une image", - "POSITION_OPTION": "Envoyer votre position", - "DESTINATION_OPTION": "Envoyer votre destination", - "NEW_MESSAGE_GROUP_SUBMIT": "Envoyer", - "INPUT_NAME_OR_NUMBER": "Rechercher des contacts ou tapez un numéro et appuyez sur Entrée", - "ACTIONS_TITLE": "Actions", - "ME": "Moi" - }, - "SOCIETY_CONTACTS": { - "FEEDBACK": { - "SEND_FAILED": "Erreur d'envoi du message !", - "SEND_SUCCESS": "Message envoyé avec succès !" - }, - "PLACEHOLDER_SEARCH_CONTACTS": "Rechercher...", - "FORM_MESSAGE": "Message", - "SEND": "Envoyer le message", - "SEND_POSITION": "Envoyer + Position", - "SET_ANONYMOUS": "Être anonyme" - }, - "SOCIETY_MESSAGES": { - "NOTIFICATION": { - "TITLE": "Appel de société" - } - }, - "RELATIVE_TIME": { - "future": "dans %s", - "past": "%s plus tôt", - "s": "quelques secondes", - "m": "une minute", - "mm": "%d minutes", - "h": "une heure", - "hh": "%d heures", - "d": "un jour", - "dd": "%d jours", - "M": "un mois", - "MM": "%d mois", - "y": "un an", - "yy": "%d années" - }, - "GENERIC": { - "LOADING": "Chargement...", - "WAIT": "Veuillez patienter...", - "SAVE": "Enregistrer", - "EDIT": "Éditer", - "UPDATE": "Mettre à jour", - "REQUIRED": "Requis", - "DELETE": "Supprimer", - "REPORT": "Signaler", - "CALL": "Appeler", - "MESSAGE": "Message", - "CLOSE": "Fermer", - "CANCEL": "Annuler", - "TITLE": "Titre", - "CONTENT": "Contenu", - "WRITE_TO_CLIPBOARD_TOOLTIP": "Copier {{ content }}", - "WRITE_TO_CLIPBOARD_MESSAGE": "{{content}} copié dans le presse-papier!" - }, - "COMING_SOON": "Coming soon...", - "INITIALIZING": "Initialisation", - "APPS_DIALER": "Téléphone", - "APPS_CONTACTS": "Contacts", - "APPS_MESSAGES": "Messages", - "APPS_SETTINGS": "Paramètres", - "APPS_BANK": "Fleeca Banque", - "APPS_NOTES": "Notes", - "APPS_EXAMPLE": "Example app", - "APPS_MARKETPLACE": "Marketplace", - "APPS_CAMERA": "Caméra", - "APPS_PHOTO": "Galerie", - "APPS_SOCIETY_CONTACTS": "Annuaire Entreprise", - "APPS_SOCIETY_MESSAGES": "Répondeur Entreprise", - "APPS_TWITCH_NEWS": "Twitch News", - "APPS_ZUTOM": "Zutom", - "GENERIC_CLICK_TO_REVEAL": "Cliquer pour révéler", - "GENERIC_LOADING": "Chargement...", - "GENERIC_WAIT": "Veuillez patienter...", - "GENERIC_SAVE": "Enregistrer", - "GENERIC_EDIT": "Éditer", - "GENERIC_UPDATE": "Mettre à jour", - "GENERIC_REQUIRED": "Requis", - "GENERIC_DELETE": "Supprimer", - "GENERIC_REPORT": "Signaler", - "GENERIC_CALL": "Appeler", - "GENERIC_MESSAGE": "Message", - "GENERIC_CLOSE": "Fermer", - "GENERIC_CANCEL": "Annuler", - "GENERIC_TITLE": "Titre", - "GENERIC_CONTENT": "Contenu", - "GENERIC_WRITE_TO_CLIPBOARD_TOOLTIP": "Copier {{ content }}", - "GENERIC_WRITE_TO_CLIPBOARD_MESSAGE": "{{content}} copié dans le presse-papier!" - } + "DATE_FORMAT": "MM/JJ/AAAA", + "DATE_TIME_FORMAT": "MM/JJ/AAAA hh:mm A", + "CALLS": { + "MESSAGES": { + "RINGING": "Appel", + "OUTGOING": "Appel sortant", + "INCOMING": "Appel entrant" + }, + "FEEDBACK": { + "UNAVAILABLE": "Le numéro est actuellement indisponible", + "ERROR_MYSELF": "Vous ne pouvez pas vous appeler vous-même !", + "ERROR": "Une erreur est survenue lors de cet appel" + } + }, + "SETTINGS": { + "PHONE_NUMBER": "Numéro de téléphone", + "CATEGORY": { + "APPEARANCE": "Apparence", + "PHONE": "Téléphone", + "PROFILE": "Profil", + "ACTIONS": "Actions" + }, + "OPTIONS": { + "THEME": "Thème", + "LANGUAGE": "Langage", + "FRAME": "Coque", + "ZOOM": "Zoom", + "TEXT_ZOOM": "Taille des SMS", + "WALLPAPER": "Fond d'écran", + "RESET_SETTINGS": "Réinitialiser toutes vos données", + "STREAMER_MODE": { + "TITLE": "Mode NSFW", + "DESCRIPTION": "Masquer les images par défaut" + }, + "HAND_FREE": "Kit mains libres", + "PLANE_MODE": "Mode avion", + "PLANE_MODE_ACTIVATED":"Mode avion activé", + "DYNAMIC_ALERTS": "Alertes dynamiques", + "DYNAMIC_ALERTS_VOLUME": "Volume des alertes dynamiques", + "DYNAMIC_ALERTS_DURATION": "Durée des alertes dynamiques", + "CUSTOM_WALLPAPER": { + "DIALOG_TITLE": "Fond d'écran personnalisé", + "DIALOG_CONTENT": "Choisissez un fond d'écran personnalisé en collant l'URL de l'image en dessous!", + "DIALOG_PLACEHOLDER": "Lien de l'image", + "DIALOG_SUCCESS": "Fond d'écran mis à jour", + "DIALOG_ERROR": "Image ou lien invalide" + }, + "RINGTONE": "Sonnerie", + "RINGTONE_VOLUME": "Volume de la sonnerie", + "NOTIFICATION": "Notification Messagerie", + "SOCIETY_NOTIFICATION": "Notification Répondeur", + "NOTIFICATION_VOLUME": "Volume des notifications", + "NOTIFICATION_FILTER": "Filtres des notifications" + }, + "MESSAGES": { + "INVALID_SETTINGS": "Paramètres invalides stockés! Veuillez réinitialiser les paramètres.", + "SETTINGS_RESET": "Les paramètres ont été réinitialisés!" + }, + "ZOOM": { + "WARNING": "Le zoom souhaité sur le téléphone est trop grand pour être affiché sur votre écran. Veuillez utiliser un zoom plus petit." + }, + "FEEDBACK": { + "UPDATE_FAILED": "Mise a jour impossible", + "UPDATE_SUCCESS": "Image mise a jour" + } + }, + "CAMERA": { + "SHARE_DESTINATION": "Où voulez-vous partager l'image ?", + "COPY_IMAGE": "Copiez le lien de l'image ici:", + "FAILED_TO_DELETE": "La photo n'a pas pu être supprimée :(", + "FAILED_TO_TAKE_PHOTO": "La photo n'a pas pu être sauvegardée :(", + "TAKE_PHOTO_SUCCESS": "La photo est bien sauvegardée !", + "IS_NOT_AVAILABLE_DURING_CALL": "La caméra n'est pas disponible pendant un appel" + }, + "PHOTO": { + "FEEDBACK": { + "NO_PHOTOS": "Vous n'avez pas de photos" + } + }, + "CONTACTS": { + "FEEDBACK": { + "ADD_FAILED": "Erreur de création du contact!", + "ADD_SUCCESS": "Contact créé avec succès!", + "UPDATE_FAILED": "Erreur lors de la mise à jour du contact!", + "UPDATE_SUCCESS": "Contact mis à jour avec succès!", + "DELETE_FAILED": "Erreur lors de la suppression du contact!", + "DELETE_SUCCESS": "Contact supprimé avec succès!" + }, + "PLACEHOLDER_SEARCH_CONTACTS": "Rechercher un contact...", + "FORM_NAME": "Nom", + "FORM_NUMBER": "Numéro", + "FORM_AVATAR": "URL Photo de profil", + "MODAL_BUTTON_ADD": "Ajouter contact" + }, + "DIALER": { + "MESSAGES": { + "CURRENT_CALL_TITLE": "Appel en cours", + "INCOMING_CALL_TITLE": "Appel entrant", + "CURRENT_CALL_WITH": "En appel avec {{ transmitter }}", + "TRANSMITTER_IS_CALLING": "{{ transmitter }} vous appelle!" + }, + "INPUT_PLACEHOLDER": "Entrer un numéro", + "NAVBAR_HISTORY": "Historique", + "NAVBAR_DIAL": "Clavier", + "NAVBAR_CONTACTS": "Contacts", + "NO_HISTORY": "Aucun historique d'appel" + }, + "NOTES": { + "FEEDBACK": { + "NO_NOTES": "Vous n'avez pas de notes", + "ADD_FAILED": "La note n'a pas pu être sauvegardée.", + "ADD_SUCCESS": "Note sauvegardée avec succès.", + "DELETE_SUCCESS": "Note supprimée avec succès.", + "DELETE_FAILED": "Impossible de supprimer la note.", + "UPDATE_FAILED": "Impossible de mettre à jour la note.", + "UPDATE_SUCCESS": "Note mise à jour avec succès." + } + }, + "INVOICES": { + "NO_INVOICES": "Vous n'avez pas de factures en attente." + }, + "BANK": { + "HOME_TITLE": "Compte en banque", + "CHECKING": "Total :" + }, + "MARKETPLACE": { + "FEEDBACK": { + "REQUIRED_FIELDS": "Tous les champs requis doivent être renseignés!", + "CREATE_LISTING_FAILED": "Échec lors de la création d'une nouvelle liste", + "CREATE_LISTING_SUCCESS": "Nouvelle liste créée avec succès!", + "DELETE_LISTING_FAILED": "Erreur lors de la suppression d'une liste", + "DELETE_LISTING_SUCCESS": "Liste supprimée avec succès", + "REPORT_LISTING_FAILED": "Cette liste a déjà été signalée", + "DUPLICATE_LISTING": "Vous ne pouvez pas créer une liste avec le même titre!", + "REPORT_LISTING_SUCCESS": "Liste signalée avec succès" + }, + "NEW_LISTING": "Nouvelle annonce", + "CHOOSE_IMAGE": "Choisir une image", + "FORM_TITLE": "Titre", + "POST_LISTING": "Publier", + "FORM_IMAGE": "Image ou URL", + "FORM_DESCRIPTION": "Description", + "NO_IMAGE": "Aucune image fournie" + }, + "MESSAGES": { + "MESSAGES": { + "MESSAGE_CONVERSATION_CREATE_ALL_NUMBERS_FAILED": "Aucun des numéros n'ont été trouvés!", + "UNREAD_MESSAGES": "Vous avez {{ count }} message(s) non lu(s)", + "MESSAGE_GROUP_CREATE_SOME_NUMBERS_FAILED": "({{ numbers }}) ne sont pas attribués." + }, + "FEEDBACK": { + "CONVERSATION_CREATE_ONE_NUMBER_FAILED": "{{ number }} n'est pas un numéro attribués", + "NEW_MESSAGE_FAILED": "Erreur d'envoi", + "INVALID_PHONE_NUMBER": "Numéro de téléphone invalide", + "MESSAGE_CONVERSATION_DUPLICATE": "Cette conversation existe déjà!", + "MESSAGE_GROUP_CREATE_FAILED": "Erreur lors de la création du groupe", + "MESSAGE_GROUP_CREATE_MINE": "Vous ne pouvez pas vous ajouter vous-même !", + "FETCHED_MESSAGES_FAILED": "Impossible de retrouver les messages", + "DELETE_CONVERSATION_FAILED": "Impossible de supprimer la conversation" + }, + "SEARCH_PLACEHOLDER": "Rechercher...", + "DELETE_CONVERSATION": "Supprimer la conversation", + "NEW_MESSAGE": "Message...", + "NEW_MESSAGE_GROUP": "Numéros de téléphone...", + "GROUP_CHAT_LABEL": "Nom du groupe...", + "MEDIA_OPTION": "Envoyer une image", + "POSITION_OPTION": "Envoyer votre position", + "DESTINATION_OPTION": "Envoyer votre destination", + "NEW_MESSAGE_GROUP_SUBMIT": "Envoyer", + "INPUT_NAME_OR_NUMBER": "Rechercher des contacts ou tapez un numéro et appuyez sur Entrée", + "ACTIONS_TITLE": "Actions", + "ME": "Moi" + }, + "SOCIETY_CONTACTS": { + "FEEDBACK": { + "SEND_FAILED": "Erreur d'envoi du message !", + "SEND_SUCCESS": "Message envoyé avec succès !" + }, + "PLACEHOLDER_SEARCH_CONTACTS": "Rechercher...", + "FORM_MESSAGE": "Message", + "SEND": "Envoyer le message", + "SEND_POSITION": "Envoyer + Position", + "SET_ANONYMOUS": "Être anonyme" + }, + "SOCIETY_MESSAGES": { + "NOTIFICATION": { + "TITLE": "Appel de société" + } + }, + "WEATHER": { + "ALERT": { + "TITLE": "Alerte tempête", + "DESCRIPTION": "Une tempête est en approche, veuillez rester à l'intérieur et vous mettre à l'abri." + }, + "FORECASTS": { + "EXTRASUNNY": { + "DAY": "Ensoleillé", + "NIGHT": "Enluné" + }, + "CLEAR": "Clair", + "CLOUDS": "Nuageux", + "SMOG": "Brouillard", + "FOGGY": "Brumeux", + "OVERCAST": "Couvert", + "RAIN": "Pluie", + "THUNDER": "Orage", + "CLEARING": "Éclaircies, rares averses", + "NEUTRAL": "Éclaircies", + "SNOW": "Neige", + "BLIZZARD": "Blizzard", + "SNOWLIGHT": "Neige légère", + "XMAS": "Neige", + "HALLOWEEN": "Apocalyptique" + }, + "LOADING": "Récupération de la météo..." + }, + "RELATIVE_TIME": { + "future": "dans %s", + "past": "%s plus tôt", + "s": "quelques secondes", + "m": "une minute", + "mm": "%d minutes", + "h": "une heure", + "hh": "%d heures", + "d": "un jour", + "dd": "%d jours", + "M": "un mois", + "MM": "%d mois", + "y": "un an", + "yy": "%d années" + }, + "GENERIC": { + "LOADING": "Chargement...", + "WAIT": "Veuillez patienter...", + "SAVE": "Enregistrer", + "EDIT": "Éditer", + "UPDATE": "Mettre à jour", + "REQUIRED": "Requis", + "DELETE": "Supprimer", + "REPORT": "Signaler", + "CALL": "Appeler", + "MESSAGE": "Message", + "CLOSE": "Fermer", + "CANCEL": "Annuler", + "TITLE": "Titre", + "CONTENT": "Contenu", + "WRITE_TO_CLIPBOARD_TOOLTIP": "Copier {{ content }}", + "WRITE_TO_CLIPBOARD_MESSAGE": "{{content}} copié dans le presse-papier!" + }, + "COMING_SOON": "Coming soon...", + "INITIALIZING": "Initialisation", + "APPS_DIALER": "Téléphone", + "APPS_CONTACTS": "Contacts", + "APPS_MESSAGES": "Messages", + "APPS_SETTINGS": "Paramètres", + "APPS_BANK": "Fleeca Banque", + "APPS_NOTES": "Notes", + "APPS_INVOICES": "Factures", + "APPS_EXAMPLE": "Example app", + "APPS_MARKETPLACE": "Marketplace", + "APPS_CAMERA": "Caméra", + "APPS_PHOTO": "Galerie", + "APPS_SOCIETY_CONTACTS": "Annuaire Entreprise", + "APPS_SOCIETY_MESSAGES": "Répondeur Entreprise", + "APPS_TWITCH_NEWS": "Twitch News", + "APPS_ZUTOM": "Zutom", + "APPS_WEATHER": "Météo", + "APPS_TETRIS": "Tetris", + "GENERIC_CLICK_TO_REVEAL": "Cliquer pour révéler", + "GENERIC_LOADING": "Chargement...", + "GENERIC_WAIT": "Veuillez patienter...", + "GENERIC_SAVE": "Enregistrer", + "GENERIC_EDIT": "Éditer", + "GENERIC_UPDATE": "Mettre à jour", + "GENERIC_REQUIRED": "Requis", + "GENERIC_DELETE": "Supprimer", + "GENERIC_REPORT": "Signaler", + "GENERIC_CALL": "Appeler", + "GENERIC_MESSAGE": "Message", + "GENERIC_CLOSE": "Fermer", + "GENERIC_CANCEL": "Annuler", + "GENERIC_TITLE": "Titre", + "GENERIC_CONTENT": "Contenu", + "GENERIC_WRITE_TO_CLIPBOARD_TOOLTIP": "Copier {{ content }}", + "GENERIC_WRITE_TO_CLIPBOARD_MESSAGE": "{{content}} copié dans le presse-papier!" + } } diff --git a/resources/[soz]/soz-phone/src/nui/models/api.ts b/resources/[soz]/soz-phone/src/nui/models/api.ts new file mode 100644 index 0000000000..4f74c8d659 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/models/api.ts @@ -0,0 +1,29 @@ +import { createModel } from '@rematch/core'; + +import { ApiConfig, ApiEvents } from '../../../typings/api'; +import { fetchNui } from '../utils/fetchNui'; +import { RootModel } from '.'; + +export const api = createModel()({ + state: { + apiEndpoint: 'https://api.soz.zerator.com/graphql', + publicEndpoint: 'https://soz.zerator.com', + } as ApiConfig, + reducers: { + set: (state, config: Partial) => { + return { ...state, ...config }; + }, + }, + effects: dispatch => ({ + async loadApi() { + fetchNui(ApiEvents.LOAD_API, undefined, { + apiEndpoint: 'https://api.soz.zerator.com/graphql', + publicEndpoint: 'https://soz.zerator.com', + }) + .then(config => { + dispatch.api.set(config || {}); + }) + .catch(() => console.error('Failed to load api config')); + }, + }), +}); diff --git a/resources/[soz]/soz-phone/src/nui/models/app/invoices.ts b/resources/[soz]/soz-phone/src/nui/models/app/invoices.ts new file mode 100644 index 0000000000..234739489a --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/models/app/invoices.ts @@ -0,0 +1,48 @@ +import { createModel } from '@rematch/core'; +import { InvoiceItem, InvoicesEvents } from '@typings/app/invoices'; + +import { ServerPromiseResp } from '../../../../typings/common'; +import { BrowserInvoicesData } from '../../apps/invoices/utils/constants'; +import { fetchNui } from '../../utils/fetchNui'; +import { buildRespObj } from '../../utils/misc'; +import { RootModel } from '..'; + +export const appInvoices = createModel()({ + state: [] as InvoiceItem[], + reducers: { + set: (state, payload) => { + return [...payload]; + }, + add: (state, payload) => { + return [payload, ...state]; + }, + remove: (state, payload) => { + return state.filter(invoice => invoice.id !== payload); + }, + }, + effects: dispatch => ({ + async setInvoices(payload: InvoiceItem[]) { + dispatch.appInvoices.set(payload); + }, + async addInvoice(payload: InvoiceItem) { + dispatch.appInvoices.add(payload); + }, + async deleteInvoice(payload: number) { + dispatch.appInvoices.remove(payload); + }, + // loader + async loadInvoices() { + fetchNui>( + InvoicesEvents.FETCH_ALL_INVOICES, + undefined, + buildRespObj(BrowserInvoicesData) + ) + .then(messages => { + dispatch.appInvoices.set(messages.data || []); + }) + .catch(() => { + console.error('Failed to load invoices'); + }); + }, + }), +}); diff --git a/resources/[soz]/soz-phone/src/nui/models/app/tetrisLeaderboard.ts b/resources/[soz]/soz-phone/src/nui/models/app/tetrisLeaderboard.ts new file mode 100644 index 0000000000..9fe5dab963 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/models/app/tetrisLeaderboard.ts @@ -0,0 +1,36 @@ +import { createModel } from '@rematch/core'; + +import { TetrisEvents, TetrisLeaderboard } from '../../../../typings/app/tetris'; +import { ServerPromiseResp } from '../../../../typings/common'; +import { MockTetrisLeaderboard } from '../../apps/game-tetris/utils/constants'; +import { fetchNui } from '../../utils/fetchNui'; +import { buildRespObj } from '../../utils/misc'; +import { RootModel } from '..'; + +export const appTetrisLeaderboard = createModel()({ + state: [] as TetrisLeaderboard[], + reducers: { + set: (state, payload) => { + return [...payload]; + }, + add: (state, payload) => { + return [payload, ...state]; + }, + }, + effects: dispatch => ({ + // loader + async loadLeaderboard() { + fetchNui>( + TetrisEvents.FETCH_LEADERBOARD, + undefined, + buildRespObj(MockTetrisLeaderboard) + ).then(leaderboard => { + dispatch.appTetrisLeaderboard.set(leaderboard.data || []); + }); + }, + + async broadcastLeaderboard(leaderboard: TetrisLeaderboard[]) { + dispatch.appTetrisLeaderboard.set(leaderboard); + }, + }), +}); diff --git a/resources/[soz]/soz-phone/src/nui/models/app/weather.ts b/resources/[soz]/soz-phone/src/nui/models/app/weather.ts new file mode 100644 index 0000000000..e0d76b65c4 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/models/app/weather.ts @@ -0,0 +1,49 @@ +import { createModel } from '@rematch/core'; + +import { WeatherEvents, WeatherForecast } from '../../../../typings/app/weather'; +import { ServerPromiseResp } from '../../../../typings/common'; +import { MockAlertData, MockWeatherForecastsData } from '../../apps/weather/utils/constants'; +import { fetchNui } from '../../utils/fetchNui'; +import { buildRespObj } from '../../utils/misc'; +import { RootModel } from '../index'; + +export const appWeather = createModel()({ + state: { + alert: null, + forecasts: [] as WeatherForecast[], + }, + reducers: { + setForecasts: (state, payload) => { + return { ...state, forecasts: payload }; + }, + setStormAlert: (state, payload) => { + return { ...state, alert: payload }; + }, + }, + effects: dispatch => ({ + async updateForecasts(payload: WeatherForecast[]) { + dispatch.appWeather.setForecasts(payload); + }, + async updateStormAlert(payload: Date) { + dispatch.appWeather.setStormAlert(payload); + }, + async refreshForecasts() { + fetchNui>( + WeatherEvents.FETCH_FORECASTS, + undefined, + buildRespObj(MockWeatherForecastsData) + ) + .then(response => { + dispatch.appWeather.updateForecasts(response.data || null); + }) + .catch(() => console.error('Failed to load weather forecast')); + }, + async refreshStormAlert() { + fetchNui>(WeatherEvents.FETCH_STORM_ALERT, undefined, buildRespObj(MockAlertData)) + .then(response => { + dispatch.appWeather.updateStormAlert(response.data || null); + }) + .catch(() => console.error('Failed to load weather alert')); + }, + }), +}); diff --git a/resources/[soz]/soz-phone/src/nui/models/emergency.ts b/resources/[soz]/soz-phone/src/nui/models/emergency.ts index 792aebea61..78a0b0d87f 100644 --- a/resources/[soz]/soz-phone/src/nui/models/emergency.ts +++ b/resources/[soz]/soz-phone/src/nui/models/emergency.ts @@ -6,7 +6,7 @@ export const emergency = createModel()({ state: { lsmcCalled: false, emergency: false, - dead: false, + deathReason: '', emergencyStart: 0, }, reducers: { @@ -16,12 +16,14 @@ export const emergency = createModel()({ SET_EMERGENCY(state, payload: boolean) { if (payload && !state.emergency) { return { ...state, emergencyStart: Date.now(), emergency: payload }; - } else { + } else if (!payload) { return { ...state, lsmcCalled: false, emergency: payload }; + } else { + return { ...state, emergency: payload }; } }, - SET_DEAD(state, payload: boolean) { - return { ...state, dead: payload }; + SET_DEAD(state, deathReason: string) { + return { ...state, deathReason: deathReason }; }, }, effects: dispatch => ({ @@ -31,8 +33,8 @@ export const emergency = createModel()({ async setEmergency(payload: boolean) { dispatch.emergency.SET_EMERGENCY(payload); }, - async setDead(payload: boolean) { - dispatch.emergency.SET_DEAD(payload); + async setDead(deathReason: string) { + dispatch.emergency.SET_DEAD(deathReason); }, }), }); diff --git a/resources/[soz]/soz-phone/src/nui/models/index.ts b/resources/[soz]/soz-phone/src/nui/models/index.ts index 7d4180bd63..b29542f716 100644 --- a/resources/[soz]/soz-phone/src/nui/models/index.ts +++ b/resources/[soz]/soz-phone/src/nui/models/index.ts @@ -1,9 +1,13 @@ import { Models } from '@rematch/core'; +import { api } from './api'; import { appBank } from './app/bank'; +import { appInvoices } from './app/invoices'; import { appNotes } from './app/notes'; import { appSociety } from './app/society'; +import { appTetrisLeaderboard } from './app/tetrisLeaderboard'; import { appTwitchNews } from './app/twitchNews'; +import { appWeather } from './app/weather'; import { emergency } from './emergency'; import { time } from './os/time'; import { visibility } from './os/visibility'; @@ -17,6 +21,7 @@ export interface RootModel extends Models { phone: typeof phone; time: typeof time; visibility: typeof visibility; + api: typeof api; // System models simCard: typeof simCard; @@ -27,20 +32,27 @@ export interface RootModel extends Models { // Apps models appBank: typeof appBank; appNotes: typeof appNotes; + appInvoices: typeof appInvoices; appTwitchNews: typeof appTwitchNews; appSociety: typeof appSociety; + appWeather: typeof appWeather; + appTetrisLeaderboard: typeof appTetrisLeaderboard; } export const models: RootModel = { phone, time, visibility, + api, simCard, avatar, photo, appBank, appNotes, + appInvoices, appTwitchNews, appSociety, + appWeather, emergency, + appTetrisLeaderboard, }; diff --git a/resources/[soz]/soz-phone/src/nui/models/phone.ts b/resources/[soz]/soz-phone/src/nui/models/phone.ts index cd2fa83308..01f8705c50 100644 --- a/resources/[soz]/soz-phone/src/nui/models/phone.ts +++ b/resources/[soz]/soz-phone/src/nui/models/phone.ts @@ -1,7 +1,11 @@ import { createModel } from '@rematch/core'; +import { ServerPromiseResp } from '../../../typings/common'; +import { PhoneEvents } from '../../../typings/phone'; import { IPhoneSettings } from '../apps/settings/hooks/useSettings'; import config from '../config/default.json'; +import { fetchNui } from '../utils/fetchNui'; +import { buildRespObj } from '../utils/misc'; import { RootModel } from '.'; export const phone = createModel()({ @@ -9,6 +13,7 @@ export const phone = createModel()({ available: true, config: config.defaultSettings as IPhoneSettings, callModal: false, + citizenID: null, }, reducers: { SET_AVAILABILITY(state, payload: boolean) { @@ -20,6 +25,9 @@ export const phone = createModel()({ SET_CALL_MODAL(state, payload: boolean) { return { ...state, callModal: payload }; }, + SET_CITIZEN_ID(state, payload: string) { + return { ...state, citizenID: payload }; + }, }, effects: dispatch => ({ async setAvailability(payload: boolean) { @@ -45,5 +53,12 @@ export const phone = createModel()({ dispatch.phone.SET_CONFIG(phoneConfig); }, + async loadCitizenID() { + fetchNui>(PhoneEvents.SET_CITIZEN_ID, undefined, buildRespObj('1')) + .then(citizenid => { + dispatch.phone.SET_CITIZEN_ID(citizenid.data || ''); + }) + .catch(() => console.error('Failed to fetch citizenid')); + }, }), }); diff --git a/resources/[soz]/soz-phone/src/nui/models/simCard.ts b/resources/[soz]/soz-phone/src/nui/models/simCard.ts index ed833e755c..2361ed00e0 100644 --- a/resources/[soz]/soz-phone/src/nui/models/simCard.ts +++ b/resources/[soz]/soz-phone/src/nui/models/simCard.ts @@ -185,7 +185,7 @@ export const simCard = createModel()({ }) .catch(() => console.error('Failed to fetch contacts')); }, - async loadConversations() { + async loadConversations(callback) { fetchNui>( MessageEvents.FETCH_MESSAGE_CONVERSATIONS, undefined, @@ -193,6 +193,7 @@ export const simCard = createModel()({ ) .then(conversations => { dispatch.simCard.SET_CONVERSATIONS(conversations.data || []); + callback(conversations.data || []); }) .catch(() => console.error('Failed to fetch conversations')); }, diff --git a/resources/[soz]/soz-phone/src/nui/os/apps/config/apps.tsx b/resources/[soz]/soz-phone/src/nui/os/apps/config/apps.tsx index 0d463388ac..cd8f53bd83 100644 --- a/resources/[soz]/soz-phone/src/nui/os/apps/config/apps.tsx +++ b/resources/[soz]/soz-phone/src/nui/os/apps/config/apps.tsx @@ -9,6 +9,10 @@ import { ContactsApp } from '../../../apps/contacts'; import ContactIcon from '../../../apps/contacts/icon'; import { DialerApp } from '../../../apps/dialer'; import DialerIcon from '../../../apps/dialer/icon'; +import GameTetris from '../../../apps/game-tetris'; +import GameTetrisIcon from '../../../apps/game-tetris/icon'; +import { InvoiceApp } from '../../../apps/invoices'; +import InvoiceIcon from '../../../apps/invoices/icon'; import { MessagesApp } from '../../../apps/messages'; import MessagesIcon from '../../../apps/messages/icon'; import { NotesApp } from '../../../apps/notes'; @@ -23,6 +27,8 @@ import { SocietyMessagesApp } from '../../../apps/society-messages'; import SocietyMessagesIcon from '../../../apps/society-messages/icon'; import { TwitchNewsApp } from '../../../apps/twitch-news'; import TwitchNewsIcon from '../../../apps/twitch-news/icon'; +import { WeatherApp } from '../../../apps/weather'; +import WeatherIcon from '../../../apps/weather/icon'; import ZutomIcon from '../../../apps/zutom/icon'; import { ZutomApp } from '../../../apps/zutom/ZutomApp'; @@ -78,6 +84,13 @@ export const APPS: IAppConfig[] = [ component: , icon: NotesIcon, }, + { + id: 'invoices', + nameLocale: 'APPS_INVOICES', + path: '/invoices', + component: , + icon: InvoiceIcon, + }, { id: 'society-contacts', nameLocale: 'APPS_SOCIETY_CONTACTS', @@ -128,4 +141,18 @@ export const APPS: IAppConfig[] = [ component: , icon: CameraIcon, }, + { + id: 'weather', + nameLocale: 'APPS_WEATHER', + path: '/weather', + component: , + icon: WeatherIcon, + }, + { + id: 'game-tetris', + nameLocale: 'APPS_TETRIS', + path: '/game-tetris', + component: , + icon: GameTetrisIcon, + }, ]; diff --git a/resources/[soz]/soz-phone/src/nui/os/call/components/CallContactContainer.tsx b/resources/[soz]/soz-phone/src/nui/os/call/components/CallContactContainer.tsx index dd8f497b36..ec1780ebd6 100644 --- a/resources/[soz]/soz-phone/src/nui/os/call/components/CallContactContainer.tsx +++ b/resources/[soz]/soz-phone/src/nui/os/call/components/CallContactContainer.tsx @@ -9,8 +9,8 @@ const CallContactContainer = () => { const { getDisplayByNumber, getPictureByNumber } = useContact(); - const getDisplayOrNumber = () => - call.isTransmitter ? getDisplayByNumber(call?.receiver) : getDisplayByNumber(call?.transmitter); + const remoteNumber = call.isTransmitter ? call?.receiver : call?.transmitter; + const shouldDisplayNumber = remoteNumber != getDisplayByNumber(remoteNumber); return (
@@ -18,7 +18,8 @@ const CallContactContainer = () => { size={'large'} picture={call.isTransmitter ? getPictureByNumber(call.receiver) : getPictureByNumber(call?.transmitter)} /> -
{getDisplayOrNumber()}
+
{getDisplayByNumber(remoteNumber)}
+ {shouldDisplayNumber &&

{remoteNumber}

}
); }; diff --git a/resources/[soz]/soz-phone/src/nui/os/emergency/components/EmergencyModal.tsx b/resources/[soz]/soz-phone/src/nui/os/emergency/components/EmergencyModal.tsx index 905cc88358..3b6b1b28e9 100644 --- a/resources/[soz]/soz-phone/src/nui/os/emergency/components/EmergencyModal.tsx +++ b/resources/[soz]/soz-phone/src/nui/os/emergency/components/EmergencyModal.tsx @@ -8,9 +8,9 @@ import EmergencyLSMCContainer from './EmergencyLSMCContainer'; import EmergencyUniteHUContainer from './EmergencyUniteHUContainer'; export const EmergencyModal = memo(() => { - const isDead = useIsDead(); + const deathReason = useIsDead(); - if (!isDead) { + if (!deathReason.length) { return (
@@ -39,7 +39,7 @@ export const EmergencyModal = memo(() => {
Status : MORT
-
Cause : Blessures repétées
+
Cause : {deathReason}
  • Les services administratifs ont été prévenus
  • Les médecins seront alertés
  • diff --git a/resources/[soz]/soz-phone/src/nui/os/sound/utils/getSoundSettings.ts b/resources/[soz]/soz-phone/src/nui/os/sound/utils/getSoundSettings.ts index f7e648195d..f81dcf5d23 100644 --- a/resources/[soz]/soz-phone/src/nui/os/sound/utils/getSoundSettings.ts +++ b/resources/[soz]/soz-phone/src/nui/os/sound/utils/getSoundSettings.ts @@ -19,11 +19,11 @@ export const getSoundSettings = ( return app ? { sound: getPath[type](settings[`${app}_${type}`]?.value || settings[type].value), - volume: (settings[`${app}_${type}Vol`] || settings[`${type}Vol`]) / 100, + volume: settings.planeMode ? 0 : (settings[`${app}_${type}Vol`] || settings[`${type}Vol`]) / 100, } : { sound: getPath[type](settings[type as string].value), - volume: settings[`${type}Vol`] / 100, + volume: settings.planeMode ? 0 : settings[`${type}Vol`] / 100, }; } catch (e) { console.error('getSoundSettings.ts error', e, 'Using default sounds'); diff --git a/resources/[soz]/soz-phone/src/nui/services/app/useAppInvoicesService.ts b/resources/[soz]/soz-phone/src/nui/services/app/useAppInvoicesService.ts new file mode 100644 index 0000000000..56db399ff7 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/services/app/useAppInvoicesService.ts @@ -0,0 +1,14 @@ +import { InvoicesEvents } from '@typings/app/invoices'; +import { useEffect } from 'react'; + +import { useNuiEvent } from '../../../libs/nui/hooks/useNuiEvent'; +import { store } from '../../store'; + +export const useAppInvoicesService = () => { + useEffect(() => { + store.dispatch.appInvoices.loadInvoices(); + }, []); + + useNuiEvent('INVOICES', InvoicesEvents.NEW_INVOICE, store.dispatch.appInvoices.addInvoice); + useNuiEvent('INVOICES', InvoicesEvents.REMOVE_INVOICE, store.dispatch.appInvoices.deleteInvoice); +}; diff --git a/resources/[soz]/soz-phone/src/nui/services/app/useAppSocietyService.ts b/resources/[soz]/soz-phone/src/nui/services/app/useAppSocietyService.ts index 1ca9aec79f..a086e5ec51 100644 --- a/resources/[soz]/soz-phone/src/nui/services/app/useAppSocietyService.ts +++ b/resources/[soz]/soz-phone/src/nui/services/app/useAppSocietyService.ts @@ -1,16 +1,27 @@ import { useNuiEvent } from '@libs/nui/hooks/useNuiEvent'; +import { useSoundProvider } from '@os/sound/hooks/useSoundProvider'; +import { getSoundSettings } from '@os/sound/utils/getSoundSettings'; +import { fetchNui } from '@utils/fetchNui'; import { useEffect } from 'react'; +import { useSelector } from 'react-redux'; import { useLocation } from 'react-router-dom'; import { SocietyEvents, SocietyMessage } from '../../../../typings/society'; import { useMessageNotifications } from '../../apps/society-messages/hooks/useMessageNotifications'; -import { useVisibility } from '../../hooks/usePhone'; -import { store } from '../../store'; +import { useConfig, useVisibility } from '../../hooks/usePhone'; +import { usePhoneSocietyNumber } from '../../hooks/useSimCard'; +import { RootState, store } from '../../store'; export const useAppSocietyService = () => { const { setNotification } = useMessageNotifications(); + const { mount, play } = useSoundProvider(); const { visibility } = useVisibility(); const { pathname } = useLocation(); + const config = useConfig(); + const settings = useSelector((state: RootState) => state.phone.config); + const emergency = useSelector((state: RootState) => state.emergency.emergency); + const available = useSelector((state: RootState) => state.phone.available); + const societyNumber = usePhoneSocietyNumber(); useEffect(() => { store.dispatch.appSociety.loadSocietyMessages(); @@ -19,11 +30,30 @@ export const useAppSocietyService = () => { const handleMessageBroadcast = (message: SocietyMessage) => { store.dispatch.appSociety.appendSocietyMessages(message); + const policeNumbers = ['555-POLICE', '555-BCSO', '555-SASP', '555-LSPD', '555-FBI']; + + // Send notificaiton to client (if it's police message only) + if ( + policeNumbers.includes(message.conversation_id) && + config.dynamicAlert === true && + !message.muted && + available && + !emergency + ) { + fetchNui(SocietyEvents.SEND_CLIENT_POLICE_NOTIFICATION, { + ...message, + info: { ...message.info, duration: config.dynamicAlertDuration.value }, + }); + const { sound } = getSoundSettings('societyNotification', settings); + const volume = config.dynamicAlertVol / 100; + mount(sound, volume, false).then(({ url }) => play(url)); + } + if (visibility && pathname.includes('/society-messages')) { return; } - if (!message.muted) { + if (!message.muted && (config.dynamicAlert === false || !policeNumbers.includes(societyNumber))) { setNotification({ message: message.message }); } }; diff --git a/resources/[soz]/soz-phone/src/nui/services/app/useAppTetrisLeaderboardService.ts b/resources/[soz]/soz-phone/src/nui/services/app/useAppTetrisLeaderboardService.ts new file mode 100644 index 0000000000..74506cb586 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/services/app/useAppTetrisLeaderboardService.ts @@ -0,0 +1,13 @@ +import { useNuiEvent } from '@libs/nui/hooks/useNuiEvent'; +import { TetrisEvents } from '@typings/app/tetris'; +import { useEffect } from 'react'; + +import { store } from '../../store'; + +export const useAppTetrisLeaderboardService = () => { + useEffect(() => { + store.dispatch.appTetrisLeaderboard.loadLeaderboard(); + }, []); + + useNuiEvent('TETRIS', TetrisEvents.BROADCAST_LEADERBOARD, store.dispatch.appTetrisLeaderboard.broadcastLeaderboard); +}; diff --git a/resources/[soz]/soz-phone/src/nui/services/app/useAppTwitchNewsService.ts b/resources/[soz]/soz-phone/src/nui/services/app/useAppTwitchNewsService.ts index d2ab115aa7..5858b4f5cd 100644 --- a/resources/[soz]/soz-phone/src/nui/services/app/useAppTwitchNewsService.ts +++ b/resources/[soz]/soz-phone/src/nui/services/app/useAppTwitchNewsService.ts @@ -10,4 +10,5 @@ export const useAppTwitchNewsService = () => { }, []); useNuiEvent('TWITCH_NEWS', TwitchNewsEvents.CREATE_NEWS_BROADCAST, store.dispatch.appTwitchNews.appendNews); + useNuiEvent('TWITCH_NEWS', TwitchNewsEvents.RELOAD_NEWS, store.dispatch.appTwitchNews.loadNews); }; diff --git a/resources/[soz]/soz-phone/src/nui/services/app/useAppWeatherService.ts b/resources/[soz]/soz-phone/src/nui/services/app/useAppWeatherService.ts new file mode 100644 index 0000000000..4e3ee627e2 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/services/app/useAppWeatherService.ts @@ -0,0 +1,15 @@ +import { useEffect } from 'react'; + +import { WeatherEvents } from '../../../../typings/app/weather'; +import { useNuiEvent } from '../../../libs/nui/hooks/useNuiEvent'; +import { store } from '../../store'; + +export const useAppWeatherService = () => { + useEffect(() => { + store.dispatch.appWeather.refreshForecasts(); + store.dispatch.appWeather.refreshStormAlert(); + }, []); + + useNuiEvent('WEATHER', WeatherEvents.UPDATE_FORECASTS, store.dispatch.appWeather.refreshForecasts); + useNuiEvent('WEATHER', WeatherEvents.UPDATE_STORM_ALERT, store.dispatch.appWeather.refreshStormAlert); +}; diff --git a/resources/[soz]/soz-phone/src/nui/services/useApiService.ts b/resources/[soz]/soz-phone/src/nui/services/useApiService.ts new file mode 100644 index 0000000000..5a3f27ecf1 --- /dev/null +++ b/resources/[soz]/soz-phone/src/nui/services/useApiService.ts @@ -0,0 +1,9 @@ +import { useEffect } from 'react'; + +import { store } from '../store'; + +export const useApiService = () => { + useEffect(() => { + store.dispatch.api.loadApi(); + }, []); +}; diff --git a/resources/[soz]/soz-phone/src/nui/services/useCallService.ts b/resources/[soz]/soz-phone/src/nui/services/useCallService.ts index 3ab7baec81..9a180302b4 100644 --- a/resources/[soz]/soz-phone/src/nui/services/useCallService.ts +++ b/resources/[soz]/soz-phone/src/nui/services/useCallService.ts @@ -1,9 +1,11 @@ import { useNuiEvent } from '@libs/nui/hooks/useNuiEvent'; import { ActiveCall, CallEvents } from '@typings/call'; +import { config } from 'process'; import { useEffect, useState } from 'react'; import { useSelector } from 'react-redux'; import { useLocation, useNavigate } from 'react-router-dom'; +import { useConfig } from '../hooks/usePhone'; import { useEndDialSound } from '../os/call/hooks/useEndDialSound'; import { RootState, store } from '../store'; @@ -12,7 +14,7 @@ export const useCallService = () => { const { startTone } = useEndDialSound(); const navigate = useNavigate(); const { pathname } = useLocation(); - + const config = useConfig(); const [modalHasBeenOpenedThisCall, setModalOpened] = useState(false); useEffect(() => { @@ -23,7 +25,7 @@ export const useCallService = () => { if (!modal && pathname === '/call') { navigate('/', { replace: true }); } - if (modal && !modalHasBeenOpenedThisCall && pathname !== '/call') { + if (modal && !config.planeMode && !modalHasBeenOpenedThisCall && pathname !== '/call') { navigate('/call'); } }, [navigate, modal, pathname, modalHasBeenOpenedThisCall]); diff --git a/resources/[soz]/soz-phone/src/nui/services/useDebugService.ts b/resources/[soz]/soz-phone/src/nui/services/useDebugService.ts index b1235cd12b..014369febb 100644 --- a/resources/[soz]/soz-phone/src/nui/services/useDebugService.ts +++ b/resources/[soz]/soz-phone/src/nui/services/useDebugService.ts @@ -1,4 +1,4 @@ -import dayjs from 'dayjs'; +import { format } from 'date-fns'; import { useEffect } from 'react'; import { PhoneEvents } from '../../../typings/phone'; @@ -21,7 +21,7 @@ export const useDebugService = () => { { app: 'PHONE', method: PhoneEvents.SET_TIME, - data: dayjs().format('hh:mm'), + data: format(new Date(), 'HH:mm'), }, { app: 'SIMCARD', @@ -44,8 +44,8 @@ export const useDebugService = () => { data: { is_accepted: true, isTransmitter: true, - transmitter: '603-275-8373', - receiver: '603-275-4747', + transmitter: '111-1134', + receiver: '603-275-8373', active: true, }, }, diff --git a/resources/[soz]/soz-phone/src/nui/services/useMessagesService.ts b/resources/[soz]/soz-phone/src/nui/services/useMessagesService.ts index 81de316237..48c8beb574 100644 --- a/resources/[soz]/soz-phone/src/nui/services/useMessagesService.ts +++ b/resources/[soz]/soz-phone/src/nui/services/useMessagesService.ts @@ -1,5 +1,5 @@ import { useNuiEvent } from '@libs/nui/hooks/useNuiEvent'; -import { MessageEvents } from '@typings/messages'; +import { MessageConversation, MessageEvents } from '@typings/messages'; import { useEffect } from 'react'; import { useLocation } from 'react-router-dom'; @@ -10,10 +10,20 @@ import { store } from '../store'; export const useMessagesService = () => { const { visibility } = useVisibility(); const { pathname } = useLocation(); - const { setNotification } = useMessageNotifications(); + const { setNotification, setNotificationSilent } = useMessageNotifications(); useEffect(() => { - store.dispatch.simCard.loadConversations(); + store.dispatch.simCard.loadConversations((conversations: MessageConversation[]) => { + for (const conversation of conversations) { + if (conversation.unread > 0) { + setNotificationSilent({ + conversationName: conversation.display, + conversationId: conversation.conversation_id, + message: `Message${conversation.unread > 1 ? 's' : ''} en absence`, + }); + } + } + }); store.dispatch.simCard.loadMessages(); }, []); diff --git a/resources/[soz]/soz-phone/src/nui/services/usePhoneService.ts b/resources/[soz]/soz-phone/src/nui/services/usePhoneService.ts index 1b5ac63f3e..ae8cda5842 100644 --- a/resources/[soz]/soz-phone/src/nui/services/usePhoneService.ts +++ b/resources/[soz]/soz-phone/src/nui/services/usePhoneService.ts @@ -25,6 +25,7 @@ export const usePhoneService = () => { useEffect(() => { store.dispatch.phone.loadConfig(); + store.dispatch.phone.loadCitizenID(); }, []); useNuiEvent('PHONE', 'startRestart', () => { diff --git a/resources/[soz]/soz-phone/src/nui/ui/components/ContactPicture.tsx b/resources/[soz]/soz-phone/src/nui/ui/components/ContactPicture.tsx index c27b0e30e0..f358c19b18 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/components/ContactPicture.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/components/ContactPicture.tsx @@ -6,7 +6,7 @@ import { useConfig } from '../../hooks/usePhone'; type Props = { picture?: string; useOffset?: boolean; - size?: 'small' | 'large'; + size?: 'small' | 'medium' | 'large'; }; export const ContactPicture: FunctionComponent = ({ picture, useOffset = true, size = 'small' }) => { @@ -18,6 +18,7 @@ export const ContactPicture: FunctionComponent = ({ picture, useOffset = 'bg-ios-700': config.theme.value === 'dark', 'bg-gray-300': config.theme.value === 'light', 'h-10 w-10': size === 'small', + 'h-14 w-14': size === 'medium', 'h-20 w-20': size === 'large', })} style={{ backgroundImage: `url(${picture})`, backgroundPosition: useOffset ? '-300px 0' : undefined }} diff --git a/resources/[soz]/soz-phone/src/nui/ui/components/DayAgo.tsx b/resources/[soz]/soz-phone/src/nui/ui/components/DayAgo.tsx index 1d19363a2a..24dae4f38c 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/components/DayAgo.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/components/DayAgo.tsx @@ -1,23 +1,33 @@ -import 'dayjs/locale/fr'; - -import dayjs from 'dayjs'; -import relativeTime from 'dayjs/plugin/relativeTime'; +import { formatDistance } from 'date-fns'; +import { fr } from 'date-fns/locale'; import { FunctionComponent, useState } from 'react'; import useInterval from '../../hooks/useInterval'; -dayjs.extend(relativeTime); - type Props = { timestamp: string | number; }; export const DayAgo: FunctionComponent = ({ timestamp }) => { - const [currentDate, setCurrentDate] = useState(new Date().getTime()); + const [currentDate, setCurrentDate] = useState(new Date()); useInterval(() => { - setCurrentDate(new Date().getTime()); + setCurrentDate(new Date()); }, 1000); - return <>{dayjs(timestamp).locale('fr').from(currentDate, true)}; + let date; + + try { + date = new Date(timestamp); + } catch (e) { + date = new Date(); + } + + return ( + <> + {formatDistance(currentDate, date, { + locale: fr, + })} + + ); }; diff --git a/resources/[soz]/soz-phone/src/nui/ui/components/NavigationBar.tsx b/resources/[soz]/soz-phone/src/nui/ui/components/NavigationBar.tsx index ed915ac7df..3f481e89f5 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/components/NavigationBar.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/components/NavigationBar.tsx @@ -14,7 +14,7 @@ export const NavigationBar: FunctionComponent = memo(() => { const config = useConfig(); const color = useCallback(() => { - if (pathname.includes('/camera') || pathname === '/' || pathname === '/call') { + if (pathname.includes('/camera') || ['/', '/call', '/game-tetris'].includes(pathname)) { return 'bg-gray-200'; } else { return config.theme.value === 'dark' ? 'bg-gray-200' : 'bg-ios-800'; diff --git a/resources/[soz]/soz-phone/src/nui/ui/components/TopHeaderBar.tsx b/resources/[soz]/soz-phone/src/nui/ui/components/TopHeaderBar.tsx index 72cfc9fc7a..f486709ab4 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/components/TopHeaderBar.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/components/TopHeaderBar.tsx @@ -1,4 +1,5 @@ import { Transition } from '@headlessui/react'; +import { PaperAirplaneIcon } from '@heroicons/react/outline'; import cn from 'classnames'; import React, { FunctionComponent, memo, useEffect } from 'react'; import { useTranslation } from 'react-i18next'; @@ -36,25 +37,23 @@ export const TopHeaderBar: FunctionComponent = memo(() => { }, [notifications, setBarUncollapsed]); const color = () => { - if (pathname === '/' || pathname === '/emergency') { + if (['/', '/emergency', '/weather', '/game-tetris'].includes(pathname)) { return 'text-white'; - } else if (pathname === '/call' || pathname.includes('/phone')) { + } else if (pathname === '/call' || (call && pathname.includes('/phone'))) { return 'text-white'; } else if (pathname.includes('/camera')) { return 'bg-black text-white'; } else { - return config.theme.value === 'dark' ? 'bg-ios-800 text-white' : 'bg-ios-50 text-black'; + return config.theme.value === 'dark' ? 'text-white' : 'text-black'; } }; return ( <>
    {} @@ -69,8 +68,11 @@ export const TopHeaderBar: FunctionComponent = memo(() => { {!emergency && icons.map(notifIcon => { const Icon = notifIcon.icon; - return ; + return ; })} + {!emergency && config.planeMode && ( + + )}
     
    @@ -107,6 +109,7 @@ export const TopHeaderBar: FunctionComponent = memo(() => { }) } onClick={() => { + setBarUncollapsed(false); navigate('/call'); }} notificationIcon={() => } @@ -114,6 +117,22 @@ export const TopHeaderBar: FunctionComponent = memo(() => { onClickClose={() => {}} /> )} + {config.planeMode && ( + { + setBarUncollapsed(false); + navigate('/settings'); + }} + notificationIcon={() => ( + + )} + onClose={() => {}} + onClickClose={() => {}} + /> + )} {notifications.map((notification, idx) => ( +> = memo(({ children, className, withHeader = true, withNavBar = true }) => { + return ( + + {withHeader && } +
    {children}
    + {withNavBar && } +
    + ); +}); diff --git a/resources/[soz]/soz-phone/src/nui/ui/layout/FullPageWithHeaderWithNavBar.tsx b/resources/[soz]/soz-phone/src/nui/ui/layout/FullPageWithHeaderWithNavBar.tsx deleted file mode 100644 index 023a0656ef..0000000000 --- a/resources/[soz]/soz-phone/src/nui/ui/layout/FullPageWithHeaderWithNavBar.tsx +++ /dev/null @@ -1,17 +0,0 @@ -import { FunctionComponent, memo, PropsWithChildren } from 'react'; - -import { NavigationBar } from '../components/NavigationBar'; -import { TopHeaderBar } from '../components/TopHeaderBar'; -import { FullPageWithoutHeader } from './FullPageWithoutHeader'; - -export const FullPageWithHeaderWithNavBar: FunctionComponent> = memo( - ({ children, className }) => { - return ( - - -
    {children}
    - -
    - ); - } -); diff --git a/resources/[soz]/soz-phone/src/nui/ui/old_components/ActionButton.tsx b/resources/[soz]/soz-phone/src/nui/ui/old_components/ActionButton.tsx index 8e9ac725da..32063d3450 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/old_components/ActionButton.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/old_components/ActionButton.tsx @@ -3,20 +3,20 @@ import React from 'react'; import { useConfig } from '../../hooks/usePhone'; -export const ActionButton: React.FC = ({ ...props }) => { +export const ActionButton: React.FC = ({ children, ...props }) => { const config = useConfig(); return (
    - {props.children} + {children}
    ); }; diff --git a/resources/[soz]/soz-phone/src/nui/ui/old_components/Alert.tsx b/resources/[soz]/soz-phone/src/nui/ui/old_components/Alert.tsx index 5c1210e6e0..7fbd104b49 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/old_components/Alert.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/old_components/Alert.tsx @@ -1,8 +1,8 @@ import cn from 'classnames'; import React, { forwardRef } from 'react'; -export const Alert: React.FC = forwardRef((props, ref) => { - const Icon = props.icon; +export const Alert: React.FC = forwardRef(({ children, severity, icon, ...props }, ref) => { + const IconComponent = icon; return (
    = forwardRef((props, ref) => { className="flex items-center mx-10 px-4 py-2 bg-ios-800 bg-opacity-70 text-gray-300 shadow-md rounded-lg " {...props} > - {props.icon ? ( - + {icon ? ( + ) : (
    )} -
    {props.children}
    +
    {children}
    ); }); diff --git a/resources/[soz]/soz-phone/src/nui/ui/old_components/Button.tsx b/resources/[soz]/soz-phone/src/nui/ui/old_components/Button.tsx index 681df46f62..cffd3a9225 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/old_components/Button.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/old_components/Button.tsx @@ -1,7 +1,9 @@ -import React from 'react'; +import React, { forwardRef } from 'react'; -export const Button: React.FC = ({ ...props }) => ( - -); +export const Button: React.FC = forwardRef(({ children, ...props }, ref) => { + return ( + + ); +}); diff --git a/resources/[soz]/soz-phone/src/nui/ui/old_components/Input.tsx b/resources/[soz]/soz-phone/src/nui/ui/old_components/Input.tsx index b271453f79..5fcdccfdb7 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/old_components/Input.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/old_components/Input.tsx @@ -3,6 +3,7 @@ import { fetchNui } from '@utils/fetchNui'; import { isEnvBrowser } from '@utils/misc'; import cn from 'classnames'; import React, { forwardRef } from 'react'; +import NumberFormat from 'react-number-format'; import { useConfig } from '../../hooks/usePhone'; @@ -37,6 +38,34 @@ export const TextField = forwardRef((props, ref) => { /> ); }); + +export const NumberField = forwardRef((props, ref) => { + const config = useConfig(); + + return ( + { + toggleKeys(false); + if (props.onFocus) { + props.onFocus(e); + } + }} + onBlur={e => { + toggleKeys(true); + if (props.onBlur) { + props.onBlur(e); + } + }} + /> + ); +}); + export const TextareaField = forwardRef((props, ref) => { const config = useConfig(); diff --git a/resources/[soz]/soz-phone/src/nui/ui/old_components/List.tsx b/resources/[soz]/soz-phone/src/nui/ui/old_components/List.tsx index 816d861568..f11f4ad97d 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/old_components/List.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/old_components/List.tsx @@ -3,7 +3,7 @@ import React from 'react'; import { useConfig } from '../../hooks/usePhone'; -export const List = ({ ...props }) => { +export const List = ({ children }) => { const config = useConfig(); return ( @@ -19,7 +19,7 @@ export const List = ({ ...props }) => { 'divide-[#ECECED]': config.theme.value === 'light', })} > - {props.children} + {children}
); diff --git a/resources/[soz]/soz-phone/src/nui/ui/old_components/ListItem.tsx b/resources/[soz]/soz-phone/src/nui/ui/old_components/ListItem.tsx index 42f41d41e0..2060864cad 100644 --- a/resources/[soz]/soz-phone/src/nui/ui/old_components/ListItem.tsx +++ b/resources/[soz]/soz-phone/src/nui/ui/old_components/ListItem.tsx @@ -3,7 +3,7 @@ import React from 'react'; import { useConfig } from '../../hooks/usePhone'; -export const ListItem = ({ ...props }) => { +export const ListItem = ({ children, ...props }) => { const config = useConfig(); return ( @@ -15,7 +15,7 @@ export const ListItem = ({ ...props }) => { })} {...props} > - {props.children} + {children} ); }; diff --git a/resources/[soz]/soz-phone/src/server/calls/calls.service.ts b/resources/[soz]/soz-phone/src/server/calls/calls.service.ts index 93dd264a61..ca9e04a0aa 100644 --- a/resources/[soz]/soz-phone/src/server/calls/calls.service.ts +++ b/resources/[soz]/soz-phone/src/server/calls/calls.service.ts @@ -76,9 +76,25 @@ class CallsService { // Now we can add the call to our memory map this.setCallInMap(callObj.transmitter, callObj); + try { + await this.callsDB.saveCall(callObj); + } catch (e) { + callLogger.error( + `Unable to save call object for transmitter number ${transmitterNumber}. Error: ${e.toString()}` + ); + resp({ status: 'error', errorMsg: 'DATABASE_ERROR' }); + } + // Now if the player is offline, we send the same resp // as before if (!receivingPlayer) { + emitNet(CallEvents.ADD_CALL, reqObj.source, { + is_accepted: false, + transmitter: transmitterNumber, + receiver: reqObj.data.receiverNumber, + isTransmitter: true, + }); + return resp({ status: 'ok', data: { @@ -91,18 +107,6 @@ class CallsService { }); } - callLogger.debug(`Receiving Identifier: ${receiverIdentifier}`); - callLogger.debug(`Receiving source: ${receivingPlayer.source} `); - - try { - await this.callsDB.saveCall(callObj); - } catch (e) { - callLogger.error( - `Unable to save call object for transmitter number ${transmitterNumber}. Error: ${e.toString()}` - ); - resp({ status: 'error', errorMsg: 'DATABASE_ERROR' }); - } - // At this point we return back to the client that the player contacted // is technically available and therefore intialization process ic omplete resp({ @@ -230,7 +234,9 @@ class CallsService { const currentCall = this.callMap.get(transmitterNumber); if (!currentCall) { - callLogger.error(`Call with transmitter number ${transmitterNumber} does not exist in current calls map!`); + callLogger.error( + `Call with transmitter number ${transmitterNumber} does not exist in current calls map! (reject call)` + ); return; } @@ -258,21 +264,24 @@ class CallsService { const transmitterCall = this.callMap.get(currentCall?.transmitter); if (!currentCall) { - callLogger.error(`Call with transmitter number ${transmitterNumber} does not exist in current calls map!`); + callLogger.error( + `Call with transmitter number ${transmitterNumber} does not exist in current calls map! (end call)` + ); return resp({ status: 'error', errorMsg: 'DOES_NOT_EXIST' }); } // Just in case currentCall for some reason at this point is falsy // lets protect against that if (currentCall) { - emitNet(CallEvents.WAS_ENDED, currentCall.transmitterSource); + if (currentCall.transmitterSource !== null) { + emitNet(CallEvents.WAS_ENDED, currentCall.transmitterSource); + } + if ( - (currentCall.receiverSource !== 0 && - currentCall?.identifier === transmitterCall?.identifier && - currentCall?.is_accepted) || - (currentCall?.identifier === transmitterCall?.identifier && - currentCall?.is_accepted === false && - !this.isPlayerAlreadyInCall(transmitterCall?.receiver)) + currentCall.receiverSource !== null && + currentCall.receiverSource !== 0 && + currentCall?.identifier === transmitterCall?.identifier && + (currentCall?.is_accepted || !this.isPlayerAlreadyInCall(transmitterCall?.receiver)) ) { emitNet(CallEvents.WAS_ENDED, currentCall.receiverSource); } diff --git a/resources/[soz]/soz-phone/src/server/invoices/invoices.controller.ts b/resources/[soz]/soz-phone/src/server/invoices/invoices.controller.ts new file mode 100644 index 0000000000..493f16e383 --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/invoices/invoices.controller.ts @@ -0,0 +1,25 @@ +import { InvoiceItem, InvoicesEvents } from '../../../typings/app/invoices'; +import { onNetPromise } from '../lib/PromiseNetEvents/onNetPromise'; +import InvoicesService from './invoices.service'; +import { invoicesLogger } from './invoices.utils'; + +onNetPromise(InvoicesEvents.FETCH_ALL_INVOICES, (reqObj, resp) => { + InvoicesService.handleFetchInvoices(reqObj, resp).catch(e => { + invoicesLogger.error(`Error occurred in fetch bill event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); + +onNetPromise(InvoicesEvents.PAY_INVOICE, async (reqObj, resp) => { + InvoicesService.handlePayInvoice(reqObj, resp).catch(e => { + invoicesLogger.error(`Error occured in delete note event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); + +onNetPromise(InvoicesEvents.REFUSE_INVOICE, async (reqObj, resp) => { + InvoicesService.handleRefuseInvoice(reqObj, resp).catch(e => { + invoicesLogger.error(`Error occured in fetch note event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); diff --git a/resources/[soz]/soz-phone/src/server/invoices/invoices.service.ts b/resources/[soz]/soz-phone/src/server/invoices/invoices.service.ts new file mode 100644 index 0000000000..911244616d --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/invoices/invoices.service.ts @@ -0,0 +1,46 @@ +import { InvoiceItem } from '../../../typings/app/invoices'; +import { PromiseEventResp, PromiseRequest } from '../lib/PromiseNetEvents/promise.types'; +import { invoicesLogger } from './invoices.utils'; +class _InvoicesService { + constructor() { + invoicesLogger.debug('Invoices service started'); + } + + async handleFetchInvoices(reqObj: PromiseRequest, resp: PromiseEventResp) { + try { + let invoices = exports['soz-bank'].GetAllInvoicesForPlayer(reqObj.source); + + if (!Array.isArray(invoices)) { + invoices = Object.values(invoices); + } + + resp({ status: 'ok', data: invoices }); + } catch (e) { + invoicesLogger.error(`Error in handleFetchInvoices, ${e.toString()}`); + resp({ status: 'error', errorMsg: 'DB_ERROR' }); + } + } + + async handlePayInvoice(reqObj: PromiseRequest, resp: PromiseEventResp) { + try { + exports['soz-bank'].PayInvoice(reqObj.source, reqObj.data); + resp({ status: 'ok' }); + } catch (e) { + invoicesLogger.error(`Error in handlePayInvoice, ${e.toString()}`); + resp({ status: 'error', errorMsg: 'DB_ERROR' }); + } + } + + async handleRefuseInvoice(reqObj: PromiseRequest, resp: PromiseEventResp) { + try { + exports['soz-bank'].RejectInvoice(reqObj.source, reqObj.data); + resp({ status: 'ok' }); + } catch (e) { + invoicesLogger.error(`Error in handleRefuseInvoice, ${e.toString()}`); + resp({ status: 'error', errorMsg: 'DB_ERROR' }); + } + } +} + +const InvoicesService = new _InvoicesService(); +export default InvoicesService; diff --git a/resources/[soz]/soz-phone/src/server/invoices/invoices.utils.ts b/resources/[soz]/soz-phone/src/server/invoices/invoices.utils.ts new file mode 100644 index 0000000000..c839fde1f7 --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/invoices/invoices.utils.ts @@ -0,0 +1,3 @@ +import { mainLogger } from '../sv_logger'; + +export const invoicesLogger = mainLogger.child({ module: 'invoices' }); diff --git a/resources/[soz]/soz-phone/src/server/messages/messages.db.ts b/resources/[soz]/soz-phone/src/server/messages/messages.db.ts index 38d2448011..99e32d17a8 100644 --- a/resources/[soz]/soz-phone/src/server/messages/messages.db.ts +++ b/resources/[soz]/soz-phone/src/server/messages/messages.db.ts @@ -86,6 +86,17 @@ export class _MessagesDB { ); } + /** + * Update a message group date + * @param conversationId - the unique group ID this corresponds to + */ + async updateMessageGroupDate(conversationId: string): Promise { + await exports.oxmysql.insert_async( + 'UPDATE phone_messages_conversations SET updatedAt = current_timestamp() WHERE conversation_id = ?', + [conversationId] + ); + } + /** * Find a players identifier from their phone number * @param phoneNumber - the phone number to search for diff --git a/resources/[soz]/soz-phone/src/server/messages/messages.utils.ts b/resources/[soz]/soz-phone/src/server/messages/messages.utils.ts index 69c5e9a0ad..58d4656e25 100644 --- a/resources/[soz]/soz-phone/src/server/messages/messages.utils.ts +++ b/resources/[soz]/soz-phone/src/server/messages/messages.utils.ts @@ -102,6 +102,8 @@ export async function createMessageGroupsFromPhoneNumber( if (!existingConversation) { await MessagesDB.createMessageGroup(sourcePhoneNumber, conversationId, sourcePhoneNumber); await MessagesDB.createMessageGroup(sourcePhoneNumber, conversationId, tgtPhoneNumber); + } else { + await MessagesDB.updateMessageGroupDate(conversationId); } // wrap this in a transaction to make sure ALL of these INSERTs succeed diff --git a/resources/[soz]/soz-phone/src/server/players/player.controller.ts b/resources/[soz]/soz-phone/src/server/players/player.controller.ts index d84add2d64..bf0e57ee78 100644 --- a/resources/[soz]/soz-phone/src/server/players/player.controller.ts +++ b/resources/[soz]/soz-phone/src/server/players/player.controller.ts @@ -1,5 +1,6 @@ import { PhoneEvents } from '../../../typings/phone'; import { SocietyEvents } from '../../../typings/society'; +import { onNetPromise } from '../lib/PromiseNetEvents/onNetPromise'; import { getSource } from '../utils/miscUtils'; import PlayerService from './player.service'; import { playerLogger } from './player.utils'; @@ -13,6 +14,12 @@ onNet(PhoneEvents.FETCH_CREDENTIALS, () => { emitNet(PhoneEvents.SEND_CREDENTIALS, src, phoneNumber, societyPhoneNumber); }); +onNetPromise(PhoneEvents.SET_CITIZEN_ID, (reqObj, resp) => { + const src = getSource(); + + resp({ status: 'ok', data: PlayerService.getIdentifier(src) }); +}); + /** * Essentially this whole file acts as a controller layer * for player related actions. Everything here is registered, diff --git a/resources/[soz]/soz-phone/src/server/players/player.db.ts b/resources/[soz]/soz-phone/src/server/players/player.db.ts index 11b15423fa..0a26928611 100644 --- a/resources/[soz]/soz-phone/src/server/players/player.db.ts +++ b/resources/[soz]/soz-phone/src/server/players/player.db.ts @@ -3,7 +3,8 @@ export class PlayerRepo { const result = await exports.oxmysql.single_async(`SELECT citizenid FROM player WHERE charinfo LIKE ?`, [ '%' + phoneNumber + '%', ]); - return result['citizenid'] || null; + + return result?.citizenid || null; } } diff --git a/resources/[soz]/soz-phone/src/server/players/player.service.ts b/resources/[soz]/soz-phone/src/server/players/player.service.ts index a137e6b104..16de272d1a 100644 --- a/resources/[soz]/soz-phone/src/server/players/player.service.ts +++ b/resources/[soz]/soz-phone/src/server/players/player.service.ts @@ -103,9 +103,8 @@ class _PlayerService { */ async handleNewPlayerJoined(player: any) { const username = `${player.PlayerData.charinfo.firstname} ${player.PlayerData.charinfo.lastname}`; - playerLogger.info(`Started loading for ${username} (${player.PlayerData.source})`); - // Ensure phone number exists or generate + // Ensure phone number exists or generate const newPlayer = new Player({ identifier: player.PlayerData.citizenid, source: player.PlayerData.source, @@ -116,7 +115,6 @@ class _PlayerService { this.addPlayerToMaps(player.PlayerData.source, newPlayer); await this.handlePlayerJobUpdate(player.PlayerData.source, player.PlayerData.job); - playerLogger.info('Player Loaded!'); playerLogger.debug(newPlayer); // This is a stupid hack for development reloading @@ -240,7 +238,6 @@ class _PlayerService { async handleUnloadPlayerEvent(src: number) { this.deletePlayerFromMaps(src); emitNet(PhoneEvents.SET_PLAYER_LOADED, src, false); - playerLogger.info(`Unloaded Player, source: (${src})`); } } diff --git a/resources/[soz]/soz-phone/src/server/server.ts b/resources/[soz]/soz-phone/src/server/server.ts index eeddbf0cf6..9f2418b6ca 100644 --- a/resources/[soz]/soz-phone/src/server/server.ts +++ b/resources/[soz]/soz-phone/src/server/server.ts @@ -2,6 +2,7 @@ import './players/player.controller'; import './calls/calls.controller'; import './notes/notes.controller'; +import './invoices/invoices.controller'; import './contacts/contacts.controller'; import './photo/photo.controller'; import './messages/messages.controller'; @@ -9,3 +10,5 @@ import './societies/societies.controller'; import './twitch-news/twitch-news.controller'; import './settings/settings.controller'; import './bank/bank.controller'; +import './weather/weather.controller'; +import './tetris/tetris.controller'; diff --git a/resources/[soz]/soz-phone/src/server/societies/societies.service.ts b/resources/[soz]/soz-phone/src/server/societies/societies.service.ts index 8fcbcdd970..e5ad34092b 100644 --- a/resources/[soz]/soz-phone/src/server/societies/societies.service.ts +++ b/resources/[soz]/soz-phone/src/server/societies/societies.service.ts @@ -1,3 +1,5 @@ +import axios from 'axios'; + import { DBSocietyUpdate, PreDBSociety, @@ -12,24 +14,34 @@ import { societiesLogger } from './societies.utils'; class _SocietyService { private readonly contactsDB: _SocietiesDB; + private readonly qbCore: any; + private policeMessageCount: number; constructor() { this.contactsDB = SocietiesDb; societiesLogger.debug('Societies service started'); + this.qbCore = global.exports['qb-core'].GetCoreObject(); + this.policeMessageCount = 0; } createMessageBroadcastEvent(player: number, messageId: number, sourcePhone: string, data: PreDBSociety): void { - emitNet(SocietyEvents.CREATE_MESSAGE_BROADCAST, player, { + const qbCorePlayer = this.qbCore.Functions.GetPlayer(player); + + const messageData = { id: messageId, conversation_id: data.number, source_phone: sourcePhone.includes('#') ? '' : sourcePhone, message: data.message, + htmlMessage: data.htmlMessage, position: data.pedPosition, isTaken: false, isDone: false, - muted: !Player(player).state.onDuty, + muted: !qbCorePlayer.PlayerData.job.onduty, createdAt: new Date().getTime(), - }); + info: { ...data.info, notificationId: this.policeMessageCount, serviceNumber: data.number }, + }; + + emitNet(SocietyEvents.CREATE_MESSAGE_BROADCAST, player, messageData); } replaceSocietyPhoneNumber(data: PreDBSociety, phoneSocietyNumber: string): PreDBSociety { @@ -47,9 +59,18 @@ class _SocietyService { reqObj: PromiseRequest, resp: PromiseEventResp ): Promise { - const player = PlayerService.getPlayer(reqObj.source); + let username: string = null; + let identifier: string = null; + if (reqObj.data.overrideIdentifier) { + username = reqObj.data.overrideIdentifier; + identifier = reqObj.data.overrideIdentifier; + } else { + const player = PlayerService.getPlayer(reqObj.source); + username = player?.username; + identifier = player.getPhoneNumber(); + } + const originalMessageNumber = reqObj.data.number; - let identifier = player.getPhoneNumber(); if (reqObj.data.position) { const ped = GetPlayerPed(reqObj.source.toString()); @@ -58,26 +79,36 @@ class _SocietyService { reqObj.data.pedPosition = JSON.stringify({ x: playerX, y: playerY, z: playerZ }); } - if (reqObj.data.overrideIdentifier) { - identifier = reqObj.data.overrideIdentifier; - } if (reqObj.data.anonymous) { identifier = `#${identifier}`; } - if (reqObj.data.number === '555-FBI') { - await global.exports['soz-utils'].SendHTTPRequest('discord_webhook_fbi', { - title: 'Federal Bureau of Investigation', - content: `**Nouveau message reçu : ** \`${player.getPhoneNumber()} - ${player.username}\` \`\`\`${ - reqObj.data.message - }\`\`\` `, - }); + if (reqObj.data.number === '555-FBI' && username) { + const url = GetConvar('soz_api_endpoint', 'https://api.soz.zerator.com') + '/discord/send-fbi'; + await axios.post( + url, + { + phone: identifier, + username: username, + data: reqObj.data.message, + }, + { + auth: { + username: GetConvar('soz_api_username', 'admin'), + password: GetConvar('soz_api_password', 'admin'), + }, + } + ); } try { const contact = await this.contactsDB.addSociety(identifier, reqObj.data); resp({ status: 'ok', data: contact }); + if (['555-LSPD', '555-BCSO', '555-SASP', '555-POLICE'].includes(reqObj.data.number)) { + this.policeMessageCount++; + } + const players = await PlayerService.getPlayersFromSocietyNumber(reqObj.data.number); players.forEach(player => { this.createMessageBroadcastEvent(player.source, contact, identifier, reqObj.data); @@ -104,6 +135,8 @@ class _SocietyService { ), }; + this.policeMessageCount++; + [lspd, bcso] .reduce((acc, val) => acc.concat(val), []) .forEach(player => { @@ -111,7 +144,10 @@ class _SocietyService { player.source, message[player.getSocietyPhoneNumber()], identifier, - this.addTagForSocietyMessage(reqObj.data, originalMessageNumber) + this.replaceSocietyPhoneNumber( + this.addTagForSocietyMessage(reqObj.data, originalMessageNumber), + player.getSocietyPhoneNumber() + ) ); }); } @@ -119,6 +155,7 @@ class _SocietyService { if (reqObj.data.number === '555-POLICE') { const lspd = await PlayerService.getPlayersFromSocietyNumber('555-LSPD'); const bcso = await PlayerService.getPlayersFromSocietyNumber('555-BCSO'); + const sasp = await PlayerService.getPlayersFromSocietyNumber('555-SASP'); const fbi = await PlayerService.getPlayersFromSocietyNumber('555-FBI'); const message: SocietyInsertDTO = { @@ -136,6 +173,13 @@ class _SocietyService { '555-BCSO' ) ), + '555-SASP': await this.contactsDB.addSociety( + identifier, + this.replaceSocietyPhoneNumber( + this.addTagForSocietyMessage(reqObj.data, originalMessageNumber), + '555-SASP' + ) + ), '555-FBI': await this.contactsDB.addSociety( identifier, this.replaceSocietyPhoneNumber( @@ -145,14 +189,15 @@ class _SocietyService { ), }; - [lspd, bcso, fbi] + [lspd, bcso, fbi, sasp] .reduce((acc, val) => acc.concat(val), []) .forEach(player => { + const data = this.addTagForSocietyMessage(reqObj.data, originalMessageNumber); this.createMessageBroadcastEvent( player.source, message[player.getSocietyPhoneNumber()], identifier, - this.addTagForSocietyMessage(reqObj.data, originalMessageNumber) + data ); }); } @@ -181,9 +226,9 @@ class _SocietyService { if (player) { if (societyMessage.isTaken && !societyMessage.isDone) { emitNet( - 'hud:client:DrawNotification', + 'soz-core:client:notification:draw', player.source, - "Votre ~b~appel~s~ vient d'être pris !", + `Votre ~b~appel~s~ au ${societyMessage.conversation_id} vient d'être pris !`, 'info', 10000 ); diff --git a/resources/[soz]/soz-phone/src/server/tetris/tetris.controller.ts b/resources/[soz]/soz-phone/src/server/tetris/tetris.controller.ts new file mode 100644 index 0000000000..2fa54fcf7b --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/tetris/tetris.controller.ts @@ -0,0 +1,20 @@ +import { TetrisEvents, TetrisLeaderboard, TetrisScore } from '../../../typings/app/tetris'; +import { onNetPromise } from '../lib/PromiseNetEvents/onNetPromise'; +import TetrisService from './tetris.service'; +import { tetrisLogger } from './tetris.utils'; + +onNetPromise(TetrisEvents.SEND_SCORE, (reqObj, resp) => { + TetrisService.handleAddScore(reqObj, resp).catch(e => { + tetrisLogger.error(`Error occured in add score event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); + +onNetPromise(TetrisEvents.FETCH_LEADERBOARD, (reqObj, resp) => { + TetrisService.getLeaderboard(reqObj, resp).catch(e => { + tetrisLogger.error( + `Error occured in fetch fetch tetris leaderboard event (${reqObj.source}), Error: ${e.message}` + ); + resp({ status: 'error', errorMsg: 'INTERNAL_ERROR' }); + }); +}); diff --git a/resources/[soz]/soz-phone/src/server/tetris/tetris.db.ts b/resources/[soz]/soz-phone/src/server/tetris/tetris.db.ts new file mode 100644 index 0000000000..6dab26043d --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/tetris/tetris.db.ts @@ -0,0 +1,27 @@ +import { TetrisLeaderboard, TetrisScore } from '../../../typings/app/tetris'; + +export class _TetrisDB { + async addScore(identifier: string, score: TetrisScore): Promise { + return await exports.oxmysql.insert_async('INSERT INTO tetris_score (identifier, score) VALUES (?, ?)', [ + identifier, + score.score, + ]); + } + + getLeaderboard(): Promise { + return exports.oxmysql.query_async( + ` + SELECT player.citizenid, phone_profile.avatar, concat(JSON_VALUE(player.charinfo, '$.firstname'), ' ', JSON_VALUE(player.charinfo, '$.lastname')) as player_name, MAX(tetris_score.score) AS score, try_count.game_played + FROM tetris_score + LEFT JOIN player ON player.citizenid = tetris_score.identifier + LEFT JOIN phone_profile ON JSON_VALUE(player.charinfo, '$.phone') = phone_profile.number + LEFT JOIN (SELECT COUNT(*) as game_played, tetris_score.identifier FROM tetris_score GROUP BY tetris_score.identifier) AS try_count ON player.citizenid = try_count.identifier GROUP BY player.citizenid, try_count.game_played ORDER BY score DESC + `, + [] + ); + } +} + +const TetrisDB = new _TetrisDB(); + +export default TetrisDB; diff --git a/resources/[soz]/soz-phone/src/server/tetris/tetris.service.ts b/resources/[soz]/soz-phone/src/server/tetris/tetris.service.ts new file mode 100644 index 0000000000..c0364c75f9 --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/tetris/tetris.service.ts @@ -0,0 +1,59 @@ +import { TetrisEvents, TetrisLeaderboard, TetrisScore } from '../../../typings/app/tetris'; +import { PromiseEventResp, PromiseRequest } from '../lib/PromiseNetEvents/promise.types'; +import PlayerService from '../players/player.service'; +import TetrisDB, { _TetrisDB } from './tetris.db'; +import { tetrisLogger } from './tetris.utils'; + +class _TetrisService { + private readonly tetrisDB: _TetrisDB; + private tetrisLeaderboard: TetrisLeaderboard[]; + + constructor() { + this.tetrisDB = TetrisDB; + tetrisLogger.debug('Tetris service started'); + } + + async handleAddScore(reqObj: PromiseRequest, resp: PromiseEventResp): Promise { + tetrisLogger.debug('Handling add score, score:'); + tetrisLogger.debug(reqObj.data); + + const identifier = PlayerService.getPlayer(reqObj.source).getIdentifier(); + + try { + await this.tetrisDB.addScore(identifier, reqObj.data); + resp({ status: 'ok' }); + } catch (e) { + tetrisLogger.error(`Error in handleAddScore, ${e.toString()}`); + resp({ status: 'error', errorMsg: 'DB_ERROR' }); + } + + this.tetrisLeaderboard = await this.tetrisDB.getLeaderboard(); + } + + async getLeaderboard(reqObj: PromiseRequest, resp: PromiseEventResp): Promise { + try { + resp({ status: 'ok', data: this.tetrisLeaderboard }); + } catch (e) { + tetrisLogger.error(`Error in getLeaderboard, ${e.toString()}`); + resp({ status: 'error', errorMsg: 'DB_ERROR' }); + } + } + + async fetchLeaderboard(): Promise { + try { + this.tetrisLeaderboard = await this.tetrisDB.getLeaderboard(); + emitNet(TetrisEvents.BROADCAST_LEADERBOARD, -1, this.tetrisLeaderboard); + } catch (e) { + tetrisLogger.error(`Error in fetchLeaderboard, ${e.toString()}`); + } + } +} + +const TetrisService = new _TetrisService(); + +// Init leaderboard +TetrisService.fetchLeaderboard().catch(e => { + tetrisLogger.error(`Error occured in fetchLeaderboard event, Error: ${e.message}`); +}); + +export default TetrisService; diff --git a/resources/[soz]/soz-phone/src/server/tetris/tetris.utils.ts b/resources/[soz]/soz-phone/src/server/tetris/tetris.utils.ts new file mode 100644 index 0000000000..df60222575 --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/tetris/tetris.utils.ts @@ -0,0 +1,3 @@ +import { mainLogger } from '../sv_logger'; + +export const tetrisLogger = mainLogger.child({ module: 'tetris' }); diff --git a/resources/[soz]/soz-phone/src/server/twitch-news/twitch-news.service.ts b/resources/[soz]/soz-phone/src/server/twitch-news/twitch-news.service.ts index b40ee3a670..aeca046dac 100644 --- a/resources/[soz]/soz-phone/src/server/twitch-news/twitch-news.service.ts +++ b/resources/[soz]/soz-phone/src/server/twitch-news/twitch-news.service.ts @@ -34,7 +34,7 @@ class _TwitchNewsService { createdAt: new Date().getTime(), }); - emitNet('hud:client:DrawNewsBanner', -1, reqObj.data.type, reqObj.data.message, reqObj.data.reporter); + emitNet('soz-core:client:news:draw', -1, reqObj.data.type, reqObj.data.message, reqObj.data.reporter); } catch (e) { twitchNewsLogger.error(`Error in handleAddSociety, ${e.toString()}`); resp({ status: 'error', errorMsg: 'DB_ERROR' }); diff --git a/resources/[soz]/soz-phone/src/server/weather/weather.controller.ts b/resources/[soz]/soz-phone/src/server/weather/weather.controller.ts new file mode 100644 index 0000000000..38b60b3bc2 --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/weather/weather.controller.ts @@ -0,0 +1,18 @@ +import { WeatherEvents, WeatherForecast } from '../../../typings/app/weather'; +import { onNetPromise } from '../lib/PromiseNetEvents/onNetPromise'; +import WeatherService from './weather.service'; +import { weatherLogger } from './weather.utils'; + +onNetPromise(WeatherEvents.FETCH_FORECASTS, (reqObj, resp) => { + WeatherService.handleFetchForecasts(reqObj, resp).catch(e => { + weatherLogger.error(`Error occurred in fetch forecast event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); + +onNetPromise(WeatherEvents.FETCH_STORM_ALERT, (reqObj, resp) => { + WeatherService.handleFetchStormAlert(reqObj, resp).catch(e => { + weatherLogger.error(`Error occurred in fetch storm alert event (${reqObj.source}), Error: ${e.message}`); + resp({ status: 'error', errorMsg: 'UNKNOWN_ERROR' }); + }); +}); diff --git a/resources/[soz]/soz-phone/src/server/weather/weather.service.ts b/resources/[soz]/soz-phone/src/server/weather/weather.service.ts new file mode 100644 index 0000000000..e9afef482e --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/weather/weather.service.ts @@ -0,0 +1,28 @@ +import { WeatherForecast } from '../../../typings/app/weather'; +import { PromiseEventResp, PromiseRequest } from '../lib/PromiseNetEvents/promise.types'; +import { weatherLogger } from './weather.utils'; + +class _WeatherService { + async handleFetchForecasts(reqObj: PromiseRequest, resp: PromiseEventResp) { + try { + const forecasts = exports['soz-core'].getWeatherForecasts(); + resp({ status: 'ok', data: forecasts }); + } catch (e) { + weatherLogger.error(`Error in handleFetchForecasts, ${e.toString()}`); + resp({ status: 'error', errorMsg: e.toString() }); + } + } + + async handleFetchStormAlert(reqObj: PromiseRequest, resp: PromiseEventResp) { + try { + const alert = exports['soz-core'].getStormAlert(); + resp({ status: 'ok', data: alert }); + } catch (e) { + weatherLogger.error(`Error in handleFetchStormAlert, ${e.toString()}`); + resp({ status: 'error', errorMsg: e.toString() }); + } + } +} + +const WeatherService = new _WeatherService(); +export default WeatherService; diff --git a/resources/[soz]/soz-phone/src/server/weather/weather.utils.ts b/resources/[soz]/soz-phone/src/server/weather/weather.utils.ts new file mode 100644 index 0000000000..ed937d5b60 --- /dev/null +++ b/resources/[soz]/soz-phone/src/server/weather/weather.utils.ts @@ -0,0 +1,3 @@ +import { mainLogger } from '../sv_logger'; + +export const weatherLogger = mainLogger.child({ module: 'weather' }); diff --git a/resources/[soz]/soz-phone/src/utils/apps.ts b/resources/[soz]/soz-phone/src/utils/apps.ts index 8fa59c2202..85546a545b 100644 --- a/resources/[soz]/soz-phone/src/utils/apps.ts +++ b/resources/[soz]/soz-phone/src/utils/apps.ts @@ -3,9 +3,12 @@ export default { MESSAGES: 'MESSAGES', NOTES: 'NOTES', CONTACTS: 'CONTACTS', + INVOICES: 'INVOICES', CAMERA: 'CAMERA', PHOTO: 'PHOTO', SOCIETIES: 'SOCIETIES', SOCIETY_MESSAGES: 'SOCIETY_MESSAGES', TWITCH_NEWS: 'TWITCH_NEWS', + WEATHER: 'WEATHER', + TETRIS: 'TETRIS', }; diff --git a/resources/[soz]/soz-phone/src/utils/messages.ts b/resources/[soz]/soz-phone/src/utils/messages.ts index 7350c67741..ce5ab32a42 100644 --- a/resources/[soz]/soz-phone/src/utils/messages.ts +++ b/resources/[soz]/soz-phone/src/utils/messages.ts @@ -37,3 +37,7 @@ export function sendSocietyEvent(method: string, data: any = {}): void { export function sendDialerEvent(method: string, data: any = {}): void { sendMessage(apps.DIALER, method, data); } + +export function sendWeatherEvent(method: string, data: any = {}): void { + sendMessage(apps.WEATHER, method, data); +} diff --git a/resources/[soz]/soz-phone/tsconfig.json b/resources/[soz]/soz-phone/tsconfig.json index defd141954..bb45bfe094 100644 --- a/resources/[soz]/soz-phone/tsconfig.json +++ b/resources/[soz]/soz-phone/tsconfig.json @@ -24,5 +24,5 @@ "sourceRoot": "/", "noFallthroughCasesInSwitch": true }, - "include": ["src"] + "include": ["src", "custom.d.ts"], } diff --git a/resources/[soz]/soz-phone/typings/api.ts b/resources/[soz]/soz-phone/typings/api.ts new file mode 100644 index 0000000000..b4d695bc09 --- /dev/null +++ b/resources/[soz]/soz-phone/typings/api.ts @@ -0,0 +1,9 @@ +export type ApiConfig = { + apiEndpoint: string; + publicEndpoint: string; +}; + +export enum ApiEvents { + LOAD_API = 'phone:api:load', + FETCH_TOKEN = 'phone:api:fetchToken', +} diff --git a/resources/[soz]/soz-phone/typings/app/invoices.ts b/resources/[soz]/soz-phone/typings/app/invoices.ts new file mode 100644 index 0000000000..70226c71e2 --- /dev/null +++ b/resources/[soz]/soz-phone/typings/app/invoices.ts @@ -0,0 +1,19 @@ +export enum InvoicesEvents { + FETCH_ALL_INVOICES = 'phone:app:invoices:getInvoices', + NEW_INVOICE = 'phone:app:invoices:newInvoice', + REMOVE_INVOICE = 'phone:app:invoices:removeInvoice', + REFUSE_INVOICE = 'phone:app:invoices:refuse', + PAY_INVOICE = 'phone:app:invoices:pay', + + FIVEM_EVENT_INVOICE_PAID = 'banking:client:invoicePaid', + FIVEM_EVENT_INVOICE_REJECTED = 'banking:client:invoiceRejected', + FIVEM_EVENT_INVOICE_RECEIVED = 'banking:client:invoiceReceived', +} + +export interface InvoiceItem { + id: number; + label: string; + emitterName: string; + amount: number; + created_at: number; +} \ No newline at end of file diff --git a/resources/[soz]/soz-phone/typings/app/tetris.ts b/resources/[soz]/soz-phone/typings/app/tetris.ts new file mode 100644 index 0000000000..a5b039f94e --- /dev/null +++ b/resources/[soz]/soz-phone/typings/app/tetris.ts @@ -0,0 +1,17 @@ +export interface TetrisScore { + score: number; +} + +export interface TetrisLeaderboard { + citizenid: string; + avatar: string; + player_name: string; + score: number; + game_played: number; +} + +export enum TetrisEvents { + SEND_SCORE = 'phone:app:tetris:sendScore', + FETCH_LEADERBOARD = 'phone:app:tetris:fetchLeaderboard', + BROADCAST_LEADERBOARD = 'phone:app:tetris:broadcastLeaderboard', +} diff --git a/resources/[soz]/soz-phone/typings/app/weather.ts b/resources/[soz]/soz-phone/typings/app/weather.ts new file mode 100644 index 0000000000..ad99051001 --- /dev/null +++ b/resources/[soz]/soz-phone/typings/app/weather.ts @@ -0,0 +1,12 @@ +export interface WeatherForecast { + weather: string; + temperature: number; + duration: number; +} + +export enum WeatherEvents { + FETCH_FORECASTS = 'phone:app:weather:fetchForecasts', + FETCH_STORM_ALERT = 'phone:app:weather:fetchStormAlert', + UPDATE_FORECASTS = 'phone:app:weather:updateForecasts', + UPDATE_STORM_ALERT = 'phone:app:weather:updateAlert', +} diff --git a/resources/[soz]/soz-phone/typings/messages.ts b/resources/[soz]/soz-phone/typings/messages.ts index 61e514466d..9f7174e6ee 100644 --- a/resources/[soz]/soz-phone/typings/messages.ts +++ b/resources/[soz]/soz-phone/typings/messages.ts @@ -100,5 +100,6 @@ export enum MessageEvents { GET_POSITION = 'phone:getCurrentPosition', GET_DESTINATION = 'phone:getCurrentDestination', SET_WAYPOINT = 'phone:setWaypoint', + DELETE_WAYPOINT = 'phone:deleteWaypoint', SET_CONVERSATION_ARCHIVED = 'phone:setConversationArchived', } diff --git a/resources/[soz]/soz-phone/typings/phone.ts b/resources/[soz]/soz-phone/typings/phone.ts index 278e4fc17c..9d866915f4 100644 --- a/resources/[soz]/soz-phone/typings/phone.ts +++ b/resources/[soz]/soz-phone/typings/phone.ts @@ -22,6 +22,7 @@ export enum PhoneEvents { FETCH_CREDENTIALS = 'phone:getCredentials', TOGGLE_KEYS = 'phone:toggleAllControls', SET_PLAYER_LOADED = 'phone:setPlayerLoaded', + SET_CITIZEN_ID = 'phone:setCitizenID', } // Used to standardize the server response diff --git a/resources/[soz]/soz-phone/typings/society.ts b/resources/[soz]/soz-phone/typings/society.ts index e8bc94a6d8..42dd7bd480 100644 --- a/resources/[soz]/soz-phone/typings/society.ts +++ b/resources/[soz]/soz-phone/typings/society.ts @@ -2,7 +2,9 @@ export interface PreDBSociety { number: string; anonymous: boolean; message: string; + htmlMessage?: string; position: boolean; + info?: { type?: string; serviceNumber?: string; notificationId: number }; pedPosition?: string; overrideIdentifier?: string; } @@ -27,6 +29,7 @@ export interface SocietyMessage { conversation_id: string; source_phone: string; message: string; + htmlMessage?: string; position: string; isTaken: boolean; takenBy: string | null; @@ -35,6 +38,11 @@ export interface SocietyMessage { createdAt: number; updatedAt: number; muted?: boolean; + info?: { + type?: string; + serviceNumber?: string; + duration?: number; + }; } export enum SocietiesDatabaseLimits { @@ -49,6 +57,7 @@ export enum SocietyEvents { RESET_SOCIETY_MESSAGES = 'phone:resetSocietyMessage', SEND_SOCIETY_MESSAGE_SUCCESS = 'phone:sendSocietyMessageSuccess', CREATE_MESSAGE_BROADCAST = 'phone:createSocietyMessagesBroadcast', + SEND_CLIENT_POLICE_NOTIFICATION = 'phone:sendClientPoliceNotification', } type SocietyNumber = { @@ -76,4 +85,6 @@ export const SocietyNumberList: SocietyNumber = { baun: '555-BAUN', ffs: '555-FFS', mdr: '555-MDR', + sasp: '555-SASP', + gouv: '555-GOUV', }; diff --git a/resources/[soz]/soz-phone/typings/twitch-news.ts b/resources/[soz]/soz-phone/typings/twitch-news.ts index 2e8f48f0ce..6e3e8aaf26 100644 --- a/resources/[soz]/soz-phone/typings/twitch-news.ts +++ b/resources/[soz]/soz-phone/typings/twitch-news.ts @@ -9,7 +9,11 @@ export interface TwitchNewsMessage { | 'lspd' | 'lspd:end' | 'bcso' - | 'bcso:end'; + | 'bcso:end' + | 'sasp' + | 'sasp:end' + | 'gouv' + | 'gouv:end'; reporter?: string; reporterId?: string; image?: string; @@ -23,6 +27,7 @@ export enum SocietiesDatabaseLimits { export enum TwitchNewsEvents { FETCH_NEWS = 'phone:app:news:fetchNews', + RELOAD_NEWS = 'phone:app:news:reloadNews', CREATE_NEWS_BROADCAST = 'phone:app:news:createNewsBroadcast', - API_NEWS_BROADCAST = 'soz-api:server:AddFlashNews', + API_NEWS_BROADCAST = 'soz-core:server:twitch:add-flash-news', } diff --git a/resources/[soz]/soz-phone/yarn.lock b/resources/[soz]/soz-phone/yarn.lock index 734355bdfb..7d98023a51 100644 --- a/resources/[soz]/soz-phone/yarn.lock +++ b/resources/[soz]/soz-phone/yarn.lock @@ -957,6 +957,13 @@ dependencies: regenerator-runtime "^0.13.4" +"@babel/runtime@^7.21.0": + version "7.22.5" + resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.22.5.tgz#8564dd588182ce0047d55d7a75e93921107b57ec" + integrity sha512-ecjvYlnAaZ/KVneE/OdKYBYfgXV3Ptu6zQWmgEF7vwKhQnvVS6bjMD2XYgj+SNvQ1GfK/pjgokfPkC/2CO8CuA== + dependencies: + regenerator-runtime "^0.13.11" + "@babel/template@^7.18.6": version "7.18.6" resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.18.6.tgz#1283f4993e00b929d6e2d3c72fdc9168a2977a31" @@ -1005,11 +1012,6 @@ resolved "https://registry.yarnpkg.com/@citizenfx/server/-/server-2.0.5715-1.tgz#0f3c381c5819419d0b9e294a8028f39ee99cc183" integrity sha512-NHVs453bS8ZW3C2b9BNWWYUO/9DuWPrAU+Nz8JVS9wNNFZsVTt+qnK7vXRqCu1M7lp9tmIMMvazLiZDbOXI0rw== -"@citizenfx/three@^0.100.0": - version "0.100.0" - resolved "https://registry.yarnpkg.com/@citizenfx/three/-/three-0.100.0.tgz#ac605a1f86863e25e5b3c50d9ae80a2ef2a2e361" - integrity sha512-qiJHVGNzhGfZP+poq4X3m9cDoi4H1mK4UgfbBTZoHmtSIiDRAIYEWsb93MHst+ADHtn0vJ8msMRQaAHC3horSA== - "@colors/colors@1.5.0": version "1.5.0" resolved "https://registry.yarnpkg.com/@colors/colors/-/colors-1.5.0.tgz#bb504579c1cae923e6576a4f5da43d25f97bdbd9" @@ -1691,6 +1693,11 @@ resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.11.tgz#d421b6c527a3037f7c84433fd2c4229e016863d3" integrity sha512-wOuvG1SN4Us4rez+tylwwwCV1psiNVOkJeM3AUWUNWg/jDQY2+HE/444y5gc+jBmRqASOm2Oeh5c1axHobwRKQ== +"@types/keymaster@^1.6.30": + version "1.6.30" + resolved "https://registry.yarnpkg.com/@types/keymaster/-/keymaster-1.6.30.tgz#11c3d8b9cb05f207816b77b9621afc6ec8ad01be" + integrity sha512-mtL/NuDBX72zmyIa3cYHA1bQj1WAYlSC4eZcIQj+DHJkcRyTRF2XJXo7DBmkkY8TEq7XaAf7B8TGxs5PHhjRtw== + "@types/md5@^2.2.1": version "2.3.2" resolved "https://registry.yarnpkg.com/@types/md5/-/md5-2.3.2.tgz#529bb3f8a7e9e9f621094eb76a443f585d882528" @@ -2827,10 +2834,12 @@ date-fns@^2.16.1: resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-2.28.0.tgz#9570d656f5fc13143e50c975a3b6bbeb46cd08b2" integrity sha512-8d35hViGYx/QH0icHYCeLmsLmMUheMmTyV9Fcm6gvNwdw31yXXH+O85sOBJ+OLnLQMKZowvpKb6FgMIQjcpvQw== -dayjs@^1.10.7: - version "1.11.3" - resolved "https://registry.yarnpkg.com/dayjs/-/dayjs-1.11.3.tgz#4754eb694a624057b9ad2224b67b15d552589258" - integrity sha512-xxwlswWOlGhzgQ4TKzASQkUhqERI3egRNqgV4ScR8wlANA/A9tZ7miXa44vTTKEq5l7vWoL5G57bG3zA+Kow0A== +date-fns@^2.30.0: + version "2.30.0" + resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-2.30.0.tgz#f367e644839ff57894ec6ac480de40cae4b0f4d0" + integrity sha512-fnULvOpxnC5/Vg3NCiWelDsLiUc9bRwAPs/+LfTLNvetFCtCTN+yQz15C/fs4AwX1R9K5GLtLfn8QW+dWisaAw== + dependencies: + "@babel/runtime" "^7.21.0" debug@2.6.9: version "2.6.9" @@ -4264,6 +4273,11 @@ jsonschema@^1.4.0: array-includes "^3.1.5" object.assign "^4.1.2" +keymaster@^1.6.2: + version "1.6.2" + resolved "https://registry.yarnpkg.com/keymaster/-/keymaster-1.6.2.tgz#e1ae54d0ea9488f9f60b66b668f02e9a1946c6eb" + integrity sha512-OvA/AALN8IDKKkTk2Z+bDrzs/SQao4lo/QPbwSdDvm+frxfiYiYCSn1aHFUypJY3SruAO1y/c771agBmTXqUtg== + kind-of@^6.0.2: version "6.0.3" resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-6.0.3.tgz#07c05034a6c349fa06e24fa35aa76db4580ce4dd" @@ -5444,6 +5458,11 @@ regenerate@^1.4.2: resolved "https://registry.yarnpkg.com/regenerate/-/regenerate-1.4.2.tgz#b9346d8827e8f5a32f7ba29637d398b69014848a" integrity sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A== +regenerator-runtime@^0.13.11: + version "0.13.11" + resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.11.tgz#f6dca3e7ceec20590d07ada785636a90cdca17f9" + integrity sha512-kY1AZVr2Ra+t+piVaJ4gxaFaReZVH40AKNo7UCX6W+dEwBo/2oZJzqfuN1qLq1oL45o56cPaTXELwrTh8Fpggg== + regenerator-runtime@^0.13.4: version "0.13.9" resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.9.tgz#8925742a98ffd90814988d7566ad30ca3b263b52" diff --git a/resources/[soz]/soz-policejob/client/animations.lua b/resources/[soz]/soz-policejob/client/animations.lua index 0bb9a916fb..e9c6aa174a 100644 --- a/resources/[soz]/soz-policejob/client/animations.lua +++ b/resources/[soz]/soz-policejob/client/animations.lua @@ -3,8 +3,9 @@ PoliceJob.Animations = {} RegisterNetEvent("police:client:HandCuffAnimation", function() local ped = PlayerPedId() local lib = "mp_arrest_paired" + local playerState = exports["soz-core"]:GetPlayerState() - TriggerServerEvent("InteractSound_SV:PlayOnSource", LocalPlayer.state.isHandcuffed and "Cuff" or "Uncuff", 0.2) + TriggerServerEvent("InteractSound_SV:PlayOnSource", playerState.isHandcuffed and "Cuff" or "Uncuff", 0.2) QBCore.Functions.RequestAnimDict(lib) Wait(100) @@ -23,12 +24,23 @@ RegisterNetEvent("police:client:UnCuffAnimation", function() TaskPlayAnim(ped, lib, "a_uncuff", 8.0, -8.0, 3000, 48, 0, 0, 0, 0) end) -RegisterNetEvent("police:client:RedCall", function() - local ped = PlayerPedId() - local lib = "oddjobs@assassinate@guard" - - QBCore.Functions.RequestAnimDict(lib) - TaskPlayAnim(ped, lib, "unarmed_earpiece_a", 8.0, -8.0, 6000, 48, 0, 1, 1, 1) +RegisterNetEvent("police:client:RedCall", function(societyNumber, msg, htmlMsg) + QBCore.Functions.Progressbar("job:police:red-call", "Code rouge en cours ...", 5000, true, true, + { + disableMovement = true, + disableCarMovement = true, + disableMouse = false, + disableCombat = true, + }, {animDict = "oddjobs@assassinate@guard", anim = "unarmed_earpiece_a", flags = 48}, {}, {}, function() -- Done + TriggerServerEvent("phone:sendSocietyMessage", "phone:sendSocietyMessage:" .. QBCore.Shared.UuidV4(), { + anonymous = false, + number = societyNumber, + message = msg, + htmlMessage = htmlMsg, + info = {type = "red-alert"}, + position = true, + }) + end) end) PoliceJob.Animations.GetCuffed = function(playerId) @@ -52,11 +64,14 @@ CreateThread(function() while true do Wait(1) - if LocalPlayer.state.isLoggedIn then - if LocalPlayer.state.isEscorted or PlayerData.metadata["ishandcuffed"] then + if PlayerData and PlayerData.metadata then + local playerState = exports["soz-core"]:GetPlayerState() + + if playerState.isEscorted or PlayerData.metadata["ishandcuffed"] then DisableAllControlActions(0) --- Camera + EnableControlAction(0, 0, true) EnableControlAction(0, 1, true) EnableControlAction(0, 2, true) @@ -81,7 +96,7 @@ CreateThread(function() end end - if not PlayerData.metadata["ishandcuffed"] and not LocalPlayer.state.isEscorted then + if not PlayerData.metadata["ishandcuffed"] and not playerState.isEscorted then Wait(2000) end end diff --git a/resources/[soz]/soz-policejob/client/functions.lua b/resources/[soz]/soz-policejob/client/functions.lua index 0878ba5ca1..31bde034ee 100644 --- a/resources/[soz]/soz-policejob/client/functions.lua +++ b/resources/[soz]/soz-policejob/client/functions.lua @@ -58,5 +58,15 @@ PoliceJob.Functions.GetDutyAction = function(job) end, job = job, }, + { + type = "server", + event = "QBCore:GetEmployOnDuty", + icon = "fas fa-users", + label = "Employé(e)s en service", + canInteract = function() + return PlayerData.job.onduty and SozJobCore.Functions.HasPermission(PlayerData.job.id, SozJobCore.JobPermission.OnDutyView) + end, + job = job, + }, } end diff --git a/resources/[soz]/soz-policejob/client/interactions/menu.lua b/resources/[soz]/soz-policejob/client/interactions/menu.lua index dd14bbf8f1..6aa76bc337 100644 --- a/resources/[soz]/soz-policejob/client/interactions/menu.lua +++ b/resources/[soz]/soz-policejob/client/interactions/menu.lua @@ -17,13 +17,9 @@ local function RedAlertEntity(menu, societyNumber) local coords = GetEntityCoords(ped) local street, _ = GetStreetNameAtCoord(coords.x, coords.y, coords.z) if not (IsWarningMessageActive() and tonumber(GetWarningMessageTitleHash()) == 1246147334) then - TriggerEvent("police:client:RedCall") - TriggerServerEvent("phone:sendSocietyMessage", "phone:sendSocietyMessage:" .. QBCore.Shared.UuidV4(), { - anonymous = false, - number = societyNumber, - message = ("Code Rouge !!! Un agent a besoin d'aide vers %s"):format(GetStreetNameFromHashKey(street)), - position = true, - }) + TriggerEvent("police:client:RedCall", societyNumber, + ("Code Rouge !!! Un agent a besoin d'aide vers %s"):format(GetStreetNameFromHashKey(street)), + ("Code Rouge !!! Un agent a besoin d'aide vers %s"):format(GetStreetNameFromHashKey(street))) end end, }) @@ -35,7 +31,7 @@ local function PropsEntity(menu) label = "Poser un objet", value = nil, values = { - {label = "Cone de circulation", value = {item = "cone", props = "prop_air_conelight", offset = -0.15}}, + {label = "Cône de circulation", value = {item = "cone", props = "prop_air_conelight", offset = -0.15}}, {label = "Barrière", value = {item = "police_barrier", props = "prop_barrier_work05"}}, {label = "Herse", value = {item = "spike"}}, }, @@ -84,7 +80,7 @@ local function BadgeEntity(menu) local vehicleNetworkId = NetworkGetNetworkIdFromEntity(vehicle) TriggerServerEvent("soz-core:server:vehicle:take-owner", vehicleNetworkId) - exports["soz-hud"]:DrawNotification("Vous venez de réquisitionner ce véhicule") + exports["soz-core"]:DrawNotification("Vous venez de réquisitionner ce véhicule") menu:Close() end @@ -121,9 +117,9 @@ local function WantedEntity(menu, job) label = "Ajouter une personne à la liste", value = nil, select = function() - local name = exports["soz-hud"]:Input("Nom de la personne recherchée :", 125) + local name = exports["soz-core"]:Input("Nom de la personne recherchée :", 125) if name == nil or name == "" then - exports["soz-hud"]:DrawNotification("Vous devez spécifier un nom", "error") + exports["soz-core"]:DrawNotification("Vous devez spécifier un nom", "error") return end @@ -142,7 +138,7 @@ local function WantedEntity(menu, job) select = function() local deletion = QBCore.Functions.TriggerRpc("police:server:DeleteWantedPlayer", wantedPlayer.id) if deletion then - exports["soz-hud"]:DrawNotification("Vous avez retiré ~b~" .. wantedPlayer.message .. " ~s~de la liste des personnes recherchées") + exports["soz-core"]:DrawNotification("Vous avez retiré ~b~" .. wantedPlayer.message .. " ~s~de la liste des personnes recherchées") menu:Close() end end, @@ -195,28 +191,28 @@ end PoliceJob.Functions.Menu.GenerateJobMenu = function(job) PoliceJob.Functions.Menu.GenerateMenu(job, function(menu) - if PlayerData.job.id == "fbi" then - menu:AddButton({ - label = "Faire une communication", - value = nil, - select = function(_, value) - local message = exports["soz-hud"]:Input("Message de la communication", 512) - if message == nil or message == "" then - exports["soz-hud"]:DrawNotification("Vous devez spécifier un message", "error") - return - end + if PlayerData.job.onduty then + if PlayerData.job.id == "fbi" or PlayerData.job.id == "sasp" then + menu:AddButton({ + label = "Faire une communication", + value = nil, + select = function(_, value) + local message = exports["soz-core"]:Input("Message de la communication", 235) + if message == nil or message == "" then + exports["soz-core"]:DrawNotification("Vous devez spécifier un message", "error") + return + end - TriggerServerEvent("phone:app:news:createNewsBroadcast", "phone:app:news:createNewsBroadcast:" .. QBCore.Shared.UuidV4(), { - type = PlayerData.job.id, - message = message, - reporter = PlayerData.charinfo.firstname .. " " .. PlayerData.charinfo.lastname, - reporterId = PlayerData.citizenid, - }) - end, - }) - end + TriggerServerEvent("phone:app:news:createNewsBroadcast", "phone:app:news:createNewsBroadcast:" .. QBCore.Shared.UuidV4(), { + type = PlayerData.job.id .. "_annoncement", + message = message, + reporter = PlayerData.charinfo.firstname .. " " .. PlayerData.charinfo.lastname, + reporterId = PlayerData.citizenid, + }) + end, + }) + end - if PlayerData.job.onduty then RedAlertEntity(menu, "555-POLICE") PropsEntity(menu) BadgeEntity(menu) @@ -236,15 +232,17 @@ PoliceJob.Functions.Menu.GenerateInvoiceMenu = function(job, targetPlayer) label = "Amende personnalisée", value = nil, select = function() - local title = exports["soz-hud"]:Input("Titre", 200) + local title = exports["soz-core"]:Input("Titre", 200) if title == nil or title == "" then - exports["soz-hud"]:DrawNotification("Vous devez spécifier un title", "error") + exports["soz-core"]:DrawNotification("Vous devez spécifier un titre", "error") return end - local amount = exports["soz-hud"]:Input("Montant", 10) + Citizen.Wait(100) + + local amount = exports["soz-core"]:Input("Montant", 10) if amount == nil or tonumber(amount) == nil or tonumber(amount) <= 0 then - exports["soz-hud"]:DrawNotification("Vous devez spécifier un montant", "error") + exports["soz-core"]:DrawNotification("Vous devez spécifier un montant", "error") return end @@ -269,7 +267,7 @@ PoliceJob.Functions.Menu.GenerateInvoiceMenu = function(job, targetPlayer) if #(GetEntityCoords(ped) - GetEntityCoords(GetPlayerPed(player))) < 2.5 then TriggerServerEvent("banking:server:sendInvoice", GetPlayerServerId(player), title, amount, "fine") else - exports["soz-hud"]:DrawNotification("Personne n'est à portée de vous", "error") + exports["soz-core"]:DrawNotification("Personne n'est à portée de vous", "error") end end) end, @@ -294,9 +292,9 @@ PoliceJob.Functions.Menu.GenerateInvoiceMenu = function(job, targetPlayer) local ped = PlayerPedId() local fineAmount if type(fine.price) == "table" then - fineAmount = exports["soz-hud"]:Input(("Montant de l'amende ($%d - $%d)"):format(fine.price.min, fine.price.max), 10) + fineAmount = exports["soz-core"]:Input(("Montant de l'amende ($%d - $%d)"):format(fine.price.min, fine.price.max), 10) if fineAmount == nil or tonumber(fineAmount) < fine.price.min or tonumber(fineAmount) > fine.price.max then - exports["soz-hud"]:DrawNotification("Montant de l'amende invalide", "error") + exports["soz-core"]:DrawNotification("Montant de l'amende invalide", "error") return end else @@ -323,7 +321,7 @@ PoliceJob.Functions.Menu.GenerateInvoiceMenu = function(job, targetPlayer) if #(GetEntityCoords(ped) - GetEntityCoords(GetPlayerPed(player))) < 2.5 then TriggerServerEvent("banking:server:sendInvoice", GetPlayerServerId(player), fine.label, fineAmount, "fine") else - exports["soz-hud"]:DrawNotification("Personne n'est à portée de vous", "error") + exports["soz-core"]:DrawNotification("Personne n'est à portée de vous", "error") end end) end, @@ -355,7 +353,7 @@ PoliceJob.Functions.Menu.GenerateLicenseMenu = function(job, targetPlayer) values = sliderPoints, select = function(item) local ped = PlayerPedId() - QBCore.Functions.Progressbar("job:police:license", "Retrais de points en cours...", 5000, false, true, + QBCore.Functions.Progressbar("job:police:license", "Retrait de points en cours...", 5000, false, true, { disableMovement = false, disableCarMovement = true, @@ -375,7 +373,7 @@ PoliceJob.Functions.Menu.GenerateLicenseMenu = function(job, targetPlayer) if #(GetEntityCoords(ped) - GetEntityCoords(GetPlayerPed(player))) < 2.5 then TriggerServerEvent("police:server:RemovePoint", GetPlayerServerId(player), license, item.Value) else - exports["soz-hud"]:DrawNotification("Personne n'est à portée de vous", "error") + exports["soz-core"]:DrawNotification("Personne n'est à portée de vous", "error") end end) @@ -416,7 +414,7 @@ PoliceJob.Functions.Menu.GenerateLicenseMenu = function(job, targetPlayer) if #(GetEntityCoords(ped) - GetEntityCoords(GetPlayerPed(player))) < 2.5 then TriggerServerEvent("police:server:RemoveLicense", GetPlayerServerId(player), license, item.Value) else - exports["soz-hud"]:DrawNotification("Personne n'est à portée de vous", "error") + exports["soz-core"]:DrawNotification("Personne n'est à portée de vous", "error") end end) @@ -468,7 +466,7 @@ PoliceJob.Functions.Menu.GenerateLicenseMenu = function(job, targetPlayer) if #(GetEntityCoords(ped) - GetEntityCoords(GetPlayerPed(player))) < 2.5 then TriggerServerEvent("police:server:GiveLicense", GetPlayerServerId(player), license) else - exports["soz-hud"]:DrawNotification("Personne n'est à portée de vous", "error") + exports["soz-core"]:DrawNotification("Personne n'est à portée de vous", "error") end end) diff --git a/resources/[soz]/soz-policejob/client/interactions/moneycheck.lua b/resources/[soz]/soz-policejob/client/interactions/moneycheck.lua index 2d6dea86ef..16cfb645e6 100644 --- a/resources/[soz]/soz-policejob/client/interactions/moneycheck.lua +++ b/resources/[soz]/soz-policejob/client/interactions/moneycheck.lua @@ -77,6 +77,6 @@ RegisterNetEvent("police:client:MoneyChecker", function() end) end, GetPlayerServerId(player)) else - exports["soz-hud"]:DrawNotification("Aucun joueur à proximité", "error") + exports["soz-core"]:DrawNotification("Aucun joueur à proximité", "error") end end) diff --git a/resources/[soz]/soz-policejob/client/interactions/player.lua b/resources/[soz]/soz-policejob/client/interactions/player.lua index 61dc28a74f..1bf68c9911 100644 --- a/resources/[soz]/soz-policejob/client/interactions/player.lua +++ b/resources/[soz]/soz-policejob/client/interactions/player.lua @@ -1,8 +1,8 @@ -- Maybe these permissions could be included in SozJobCore.Jobs in resources/[soz]/soz-jobs/config.lua -local jobCanFine = {"lspd", "bcso"} -local jobCanFouille = {"lspd", "bcso", "cash-transfer"} -local jobCanEscort = {"lspd", "bcso", "cash-transfer", "lsmc"} -local jobCanBreathAnalyze = {"lspd", "bcso", "lsmc"} +local jobCanFine = {"lspd", "bcso", "sasp"} +local jobCanFouille = {"lspd", "bcso", "cash-transfer", "sasp"} +local jobCanEscort = {"lspd", "bcso", "cash-transfer", "lsmc", "sasp"} +local jobCanBreathAnalyze = {"lspd", "bcso", "lsmc", "sasp"} --- Targets Citizen.CreateThread(function() @@ -50,8 +50,22 @@ Citizen.CreateThread(function() event = "police:client:UnCuffPlayer", item = "handcuffs_key", canInteract = function(entity) - return PlayerData.job.onduty and IsEntityPlayingAnim(entity, "mp_arresting", "idle", 3) and not IsPedInAnyVehicle(entity) and - not IsPedInAnyVehicle(PlayerPedId()) + if not PlayerData.job.onduty then + return false + end + + if not IsEntityPlayingAnim(entity, "mp_arresting", "idle", 3) then + return false + end + + if IsPedInAnyVehicle(entity) or IsPedInAnyVehicle(PlayerPedId()) then + return false + end + + local target = GetPlayerServerId(NetworkGetPlayerIndexFromPed(entity)); + local targetState = exports["soz-core"]:GetSpecificPlayerState(target); + + return not targetState.isZipped end, job = jobId, }, @@ -99,8 +113,19 @@ Citizen.CreateThread(function() return false end end - return PlayerData.job.onduty and Player(GetPlayerServerId(player)).state.isEscorted ~= true and not IsPedInAnyVehicle(entity) and - not IsPedInAnyVehicle(PlayerPedId()) + + if not PlayerData.job.onduty then + return false + end + + if IsPedInAnyVehicle(entity) or IsPedInAnyVehicle(PlayerPedId()) then + return false + end + + local target = GetPlayerServerId(player) + local targetState = exports["soz-core"]:GetSpecificPlayerState(target) + + return not targetState.isEscorted end, job = jobId, }, @@ -122,6 +147,17 @@ Citizen.CreateThread(function() end, job = jobId, }, + { + label = "Dépistage de drogue", + color = jobId, + icon = "c:police/screening.png", + event = "police:client:screening_test", + item = "screening_test", + canInteract = function(player) + return PlayerData.job.onduty + end, + job = jobId, + }, }, distance = 1.5, }) @@ -148,16 +184,16 @@ RegisterNetEvent("police:client:SearchPlayer", function(data) StopAnimTask(ped, "random@shop_robbery", "robbery_action_b", 1.0) TriggerServerEvent("inventory:server:openInventory", "player", playerId) - TriggerServerEvent("monitor:server:event", "job_police_search_player", {}, { + TriggerServerEvent("soz-core:server:monitor:add-event", "job_police_search_player", {}, { target_source = playerId, position = plyCoords, }, true) else - exports["soz-hud"]:DrawNotification("Personne n'est à portée de vous", "error") + exports["soz-core"]:DrawNotification("Personne n'est à portée de vous", "error") end end, function() -- Cancel StopAnimTask(ped, "random@shop_robbery", "robbery_action_b", 1.0) - exports["soz-hud"]:DrawNotification("Fouille annulée", "error") + exports["soz-core"]:DrawNotification("Fouille annulée", "error") end) end end) @@ -170,10 +206,10 @@ RegisterNetEvent("police:client:CuffPlayer", function(data) local playerId = GetPlayerServerId(player) TriggerServerEvent("police:server:CuffPlayer", playerId, false) - TriggerServerEvent("monitor:server:event", "job_police_cuff_player", {}, + TriggerServerEvent("soz-core:server:monitor:add-event", "job_police_cuff_player", {}, {target_source = playerId, position = GetEntityCoords(GetPlayerPed(player))}, true) else - exports["soz-hud"]:DrawNotification("Vous ne pouvez pas menotter une personne dans un véhicule", "error") + exports["soz-core"]:DrawNotification("Vous ne pouvez pas menotter une personne dans un véhicule", "error") end else Wait(2000) @@ -187,10 +223,10 @@ RegisterNetEvent("police:client:UnCuffPlayer", function(data) local playerId = GetPlayerServerId(player) TriggerServerEvent("police:server:UnCuffPlayer", playerId) - TriggerServerEvent("monitor:server:event", "job_police_uncuff_player", {}, + TriggerServerEvent("soz-core:server:monitor:add-event", "job_police_uncuff_player", {}, {target_source = playerId, position = GetEntityCoords(GetPlayerPed(player))}, true) else - exports["soz-hud"]:DrawNotification("Vous ne pouvez pas menotter une personne dans un véhicule", "error") + exports["soz-core"]:DrawNotification("Vous ne pouvez pas menotter une personne dans un véhicule", "error") end else Wait(2000) @@ -200,7 +236,6 @@ end) RegisterNetEvent("police:client:GetCuffed", function(playerId, isSoftcuff) local ped = PlayerPedId() ClearPedTasksImmediately(ped) - TriggerEvent("inventory:client:StoreWeapon") PoliceJob.Animations.GetCuffed(playerId) exports["soz-phone"]:setPhoneDisabled(true) @@ -225,12 +260,14 @@ end) --- Escorted RegisterNetEvent("police:client:RequestEscortPlayer", function(data) local player = NetworkGetPlayerIndexFromPed(data.entity) - if not LocalPlayer.state.isEscorted and not LocalPlayer.state.isEscorting and not PlayerData.metadata["isdead"] and not PlayerData.metadata["ishandcuffed"] and + local playerState = exports["soz-core"]:GetPlayerState() + + if not playerState.isEscorted and not playerState.isEscorting and not PlayerData.metadata["isdead"] and not PlayerData.metadata["ishandcuffed"] and not PlayerData.metadata["inlaststand"] then local playerId = GetPlayerServerId(player) TriggerServerEvent("police:server:EscortPlayer", playerId, data.crimi) - TriggerServerEvent("monitor:server:event", "job_police_escort_player", {}, + TriggerServerEvent("soz-core:server:monitor:add-event", "job_police_escort_player", {}, { target_source = playerId, crimi = data.crimi, @@ -253,21 +290,25 @@ RegisterNetEvent("police:client:SetEscorting", function(target, crimi) CreateThread(function() Wait(1000) - while LocalPlayer.state.isEscorting do + local playerState = exports["soz-core"]:GetPlayerState() + + while playerState.isEscorting do if not IsPedSwimming(ped) then DisableControlAction(0, 21, true) end QBCore.Functions.ShowHelpNotification("~INPUT_FRONTEND_RRIGHT~ Pour lâcher") - if LocalPlayer.state.isEscorted or PlayerData.metadata["isdead"] or PlayerData.metadata["ishandcuffed"] or PlayerData.metadata["inlaststand"] or + if playerState.isEscorted or PlayerData.metadata["isdead"] or PlayerData.metadata["ishandcuffed"] or PlayerData.metadata["inlaststand"] or IsControlJustReleased(0, 194) or (not crimi and IsControlJustReleased(0, 225)) or (crimi and not IsEntityPlayingAnim(ped, dict, anim, 3)) then TriggerServerEvent("police:server:DeEscortPlayer", target) - TriggerServerEvent("monitor:server:event", "job_police_deescort_player", {}, + TriggerServerEvent("soz-core:server:monitor:add-event", "job_police_deescort_player", {}, {target_source = playerId, position = GetEntityCoords(GetPlayerPed(player))}, true) ClearPedTasks(ped); end Wait(1) + + playerState = exports["soz-core"]:GetPlayerState() end end) end) @@ -288,7 +329,6 @@ RegisterNetEvent("police:client:GetEscorted", function(playerId, crimi) ClearPedTasksImmediately(ped) end - SetEntityCoords(ped, GetOffsetFromEntityInWorldCoords(dragger, delta_x, delta_y, 0.0)) AttachEntityToEntity(ped, dragger, 11816, delta_x, delta_y, 0.0, 0.0, 0.0, rota_z, false, false, true, true, 2, true) if crimi then @@ -304,5 +344,7 @@ end) RegisterNetEvent("police:client:DeEscort", function() local ped = PlayerPedId() DetachEntity(ped, true, false) - ClearPedTasks(ped) + if not PlayerData.metadata["isdead"] then + ClearPedTasks(ped) + end end) diff --git a/resources/[soz]/soz-policejob/client/interactions/spike.lua b/resources/[soz]/soz-policejob/client/interactions/spike.lua index 23900a3d4e..172a101df7 100644 --- a/resources/[soz]/soz-policejob/client/interactions/spike.lua +++ b/resources/[soz]/soz-policejob/client/interactions/spike.lua @@ -9,7 +9,7 @@ CreateThread(function() label = "Démonter", icon = "c:jobs/demonter.png", event = "police:client:RequestRemoveSpike", - job = {["lspd"] = 0, ["bcso"] = 0}, + job = {["lspd"] = 0, ["bcso"] = 0, ["sasp"] = 0}, }, }, distance = 2.5, @@ -20,7 +20,7 @@ CreateThread(function() label = "Démonter", icon = "c:jobs/demonter.png", event = "job:client:RemoveObject", - job = {["lspd"] = 0, ["bcso"] = 0}, + job = {["lspd"] = 0, ["bcso"] = 0, ["sasp"] = 0}, }, }, distance = 2.5, @@ -69,7 +69,10 @@ end) --- Threads CreateThread(function() while true do - if LocalPlayer.state.isLoggedIn then + if exports["soz-core"]:IsInRace() then + closestSpike = null + Wait(1000) + else local pos = GetEntityCoords(PlayerPedId(), true) local current, dist @@ -84,40 +87,38 @@ CreateThread(function() end end closestSpike = current - end - Wait(500) + Wait(500) + end end end) CreateThread(function() while true do - if LocalPlayer.state.isLoggedIn then - local ped = PlayerPedId() - local coords = GetEntityCoords(ped) - local vehicle = GetVehiclePedIsIn(ped, false) + local ped = PlayerPedId() + local coords = GetEntityCoords(ped) + local vehicle = GetVehiclePedIsIn(ped, false) - if closestSpike and spawnedSpikes[closestSpike] and vehicle then - local spikePos = vector3(spawnedSpikes[closestSpike].x, spawnedSpikes[closestSpike].y, spawnedSpikes[closestSpike].z) + if closestSpike and spawnedSpikes[closestSpike] and vehicle then + local spikePos = vector3(spawnedSpikes[closestSpike].x, spawnedSpikes[closestSpike].y, spawnedSpikes[closestSpike].z) - if #(spikePos - coords) <= 10 then - local tires = { - {bone = "wheel_lf", index = 0}, - {bone = "wheel_rf", index = 1}, - {bone = "wheel_lm", index = 2}, - {bone = "wheel_rm", index = 3}, - {bone = "wheel_lr", index = 4}, - {bone = "wheel_rr", index = 5}, - } + if #(spikePos - coords) <= 10 then + local tires = { + {bone = "wheel_lf", index = 0}, + {bone = "wheel_rf", index = 1}, + {bone = "wheel_lm", index = 2}, + {bone = "wheel_rm", index = 3}, + {bone = "wheel_lr", index = 4}, + {bone = "wheel_rr", index = 5}, + } - for a = 1, #tires do - local tirePos = GetWorldPositionOfEntityBone(vehicle, GetEntityBoneIndexByName(vehicle, tires[a].bone)) + for a = 1, #tires do + local tirePos = GetWorldPositionOfEntityBone(vehicle, GetEntityBoneIndexByName(vehicle, tires[a].bone)) - if #(tirePos - spikePos) < 1.8 then - if not IsVehicleTyreBurst(vehicle, tires[a].index, true) or IsVehicleTyreBurst(vehicle, tires[a].index, false) then - SetVehicleTyreBurst(vehicle, tires[a].index, false, 1000.0) - TriggerServerEvent("police:server:RemoveSpike", closestSpike) - end + if #(tirePos - spikePos) < 1.8 then + if not IsVehicleTyreBurst(vehicle, tires[a].index, true) or IsVehicleTyreBurst(vehicle, tires[a].index, false) then + SetVehicleTyreBurst(vehicle, tires[a].index, false, 1000.0) + TriggerServerEvent("police:server:RemoveSpike", closestSpike) end end end diff --git a/resources/[soz]/soz-policejob/client/interactions/vehicle.lua b/resources/[soz]/soz-policejob/client/interactions/vehicle.lua index f67b114ebf..7c1a5b27b8 100644 --- a/resources/[soz]/soz-policejob/client/interactions/vehicle.lua +++ b/resources/[soz]/soz-policejob/client/interactions/vehicle.lua @@ -14,7 +14,7 @@ RegisterNetEvent("QBCore:Client:SetDuty", function(duty) canInteract = function(player) return PlayerData.job.onduty end, - job = {["lspd"] = 0, ["bcso"] = 0}, + job = {["lspd"] = 0, ["bcso"] = 0, ["sasp"] = 0}, blackoutGlobal = true, blackoutJob = true, }, @@ -26,7 +26,7 @@ RegisterNetEvent("QBCore:Client:SetDuty", function(duty) canInteract = function(player) return PlayerData.job.onduty end, - job = {["lspd"] = 0, ["bcso"] = 0}, + job = {["lspd"] = 0, ["bcso"] = 0, ["sasp"] = 0}, }, { label = "Ouvrir", @@ -36,7 +36,7 @@ RegisterNetEvent("QBCore:Client:SetDuty", function(duty) canInteract = function(player) return PlayerData.job.onduty end, - job = {["lspd"] = 0, ["bcso"] = 0}, + job = {["lspd"] = 0, ["bcso"] = 0, ["sasp"] = 0}, }, }, distance = 1.5, @@ -52,10 +52,10 @@ RegisterNetEvent("police:client:getVehicleOwner", function(data) disableMouse = false, disableCombat = true, }, {task = "CODE_HUMAN_MEDIC_KNEEL"}, {}, {}, function() - local plate = QBCore.Functions.GetPlate(data.entity) + local plate = GetVehicleNumberPlateText(data.entity) local playerName = QBCore.Functions.TriggerRpc("police:server:getVehicleOwner", plate) - exports["soz-hud"]:DrawAdvancedNotification("San Andres", "Vérification de plaque", ("Propriétaire: ~b~%s"):format(playerName), "CHAR_DAVE") + exports["soz-core"]:DrawAdvancedNotification("San Andres", "Vérification de plaque", ("Propriétaire: ~b~%s"):format(playerName), "CHAR_DAVE") end) end) @@ -67,7 +67,7 @@ RegisterNetEvent("police:client:SearchVehicle", function(data) disableMouse = false, disableCombat = true, }, {animDict = "amb@prop_human_bum_bin@idle_a", anim = "idle_a", flags = 16}, {}, {}, function() - local plate = QBCore.Functions.GetPlate(data.entity) + local plate = GetVehicleNumberPlateText(data.entity) local model = GetEntityModel(data.entity) local class = GetVehicleClass(data.entity) diff --git a/resources/[soz]/soz-policejob/client/sirens.lua b/resources/[soz]/soz-policejob/client/sirens.lua deleted file mode 100644 index 2b2f7f5923..0000000000 --- a/resources/[soz]/soz-policejob/client/sirens.lua +++ /dev/null @@ -1,38 +0,0 @@ -AddStateBagChangeHandler("isSirenMuted", nil, function(bagName, key, value, _, _) - if key == "isSirenMuted" and type(value) == "boolean" then - local vehicle = GetEntityFromStateBagName(bagName) - if vehicle ~= 0 then - SetVehicleHasMutedSirens(vehicle, value) - end - end -end) - -RegisterKeyMapping("togglesirens", "Sirène - passer du code 3 au code 2", "keyboard", "UP") -RegisterCommand("togglesirens", function() - local ped = PlayerPedId() - local vehicle = GetVehiclePedIsIn(ped, false) - local lastState = Entity(vehicle).state.isSirenMuted - - if vehicle ~= 0 then - Entity(vehicle).state:set("isSirenMuted", not lastState, true) - end -end, false) - ---- Thread -CreateThread(function() - while true do - local vehicles = QBCore.Functions.GetVehicles() - - for i = 1, #vehicles do - if IsVehicleSirenOn(vehicles[i]) then - local entityModel = GetEntityModel(vehicles[i]) - - if Config.SirenVehicle[entityModel] then - SetVehicleHasMutedSirens(vehicles[i], Entity(vehicles[i]).state.isSirenMuted) - end - end - end - - Wait(3000) - end -end) diff --git a/resources/[soz]/soz-policejob/client/stations/sasp.lua b/resources/[soz]/soz-policejob/client/stations/sasp.lua new file mode 100644 index 0000000000..258522f2c1 --- /dev/null +++ b/resources/[soz]/soz-policejob/client/stations/sasp.lua @@ -0,0 +1,16 @@ +--- Register Menu +CreateThread(function() + PoliceJob.Menus["sasp"] = { + menu = MenuV:CreateMenu(nil, "L'ordre et la justice !", "menu_job_sasp", "soz", "sasp:menu"), + } +end) + +--- Register Targets +CreateThread(function() + exports["qb-target"]:AddBoxZone("sasp:duty", vector3(-563.57, -611.13, 34.68), 0.60, 1.00, { + name = "sasp:duty", + heading = 0.0, + minZ = 33.68, + maxZ = 35.68, + }, {options = PoliceJob.Functions.GetDutyAction("sasp"), distance = 2.5}) +end) diff --git a/resources/[soz]/soz-policejob/config.lua b/resources/[soz]/soz-policejob/config.lua index e2186f1645..f2744bdf8f 100644 --- a/resources/[soz]/soz-policejob/config.lua +++ b/resources/[soz]/soz-policejob/config.lua @@ -1,7 +1,7 @@ Config = {} -Config.AllowedJobInteraction = {"fbi", "lspd", "bcso"} -Config.AllowedJobDragInteraction = {"fbi", "lspd", "bcso", "lsmc", "cash-transfer"} +Config.AllowedJobInteraction = {"fbi", "lspd", "bcso", "sasp"} +Config.AllowedJobDragInteraction = {"fbi", "lspd", "bcso", "lsmc", "cash-transfer", "sasp"} Config.Badge = GetHashKey("prop_fib_badge") @@ -9,7 +9,7 @@ Config.Locations = { ["stations"] = { ["LSPD"] = {label = "Los Santos Police Department", blip = {sprite = 60}, coords = vector3(632.76, 7.31, 82.63)}, ["BCSO"] = { - label = "Blaine Country Sheriff's Office", + label = "Blaine County Sheriff's Office", blip = {sprite = 137}, coords = vector3(1856.15, 3681.68, 34.27), }, @@ -43,6 +43,7 @@ Config.SirenVehicle = { [GetHashKey("policeb2")] = true, [GetHashKey("lspdbana1")] = true, [GetHashKey("lspdbana2")] = true, + [GetHashKey("lspdgallardo")] = true, --- BCSO [GetHashKey("sheriff")] = true, [GetHashKey("sheriff2")] = true, @@ -53,13 +54,19 @@ Config.SirenVehicle = { [GetHashKey("sheriffcara")] = true, [GetHashKey("bcsobana1")] = true, [GetHashKey("bcsobana2")] = true, + [GetHashKey("bcsoc7")] = true, --- LSPD / BCSO [GetHashKey("pbus")] = true, + -- SASP + [GetHashKey("sasp1")] = true, --- FBI [GetHashKey("fbi")] = true, [GetHashKey("fbi2")] = true, [GetHashKey("cogfbi")] = true, [GetHashKey("paragonfbi")] = true, + [GetHashKey("dodgebana")] = true, + -- SASP + [GetHashKey("sasp1")] = true, } --- Fines Config.Fines = { @@ -67,44 +74,49 @@ Config.Fines = { [1] = { label = "Catégorie 1", items = { - {label = "Conduite sans permis", price = 500}, - {label = "Dégradation de bien public", price = 750}, - {label = "Insulte/outrage", price = 1000}, - {label = "Infraction au code de la route", price = 100}, - {label = "Infraction au code de la route aggravé", price = 200}, - {label = "Rappel à la loi", price = 100}, - {label = "Rappel à la loi aggravé", price = 250}, - {label = "Violation de propriété privée", price = 2500}, + {label = "Rappel à la loi", price = {min = 150, max = 450}}, + {label = "Infraction aux règles de circulation", price = {min = 200, max = 600}}, + {label = "Permis ou licence manquant", price = {min = 300, max = 900}}, + {label = "Participation à un événement illégal ", price = {min = 450, max = 1350}}, + {label = "Vol ou extorsion", price = {min = 500, max = 1500}}, + {label = "Dégradation de bien privé", price = {min = 500, max = 1500}}, + {label = "Trouble à l'ordre publique", price = {min = 500, max = 1500}}, + {label = "Braconnage ou commerce illégal", price = {min = 600, max = 1800}}, + {label = "Insulte ou outrage", price = {min = 600, max = 1800}}, }, }, [2] = { label = "Catégorie 2", items = { - {label = "Coups et blessures", price = {min = 2500, max = 10000}}, - {label = "Détention d'objets prohibés", price = 250}, - {label = "Détention d'objets prohibés aggravée", price = 1000}, - {label = "Détention de matériel militaire", price = 10000}, - {label = "Détention de matériel militaire aggravée", price = 15000}, - {label = "Menace", price = {min = 1000, max = 10000}}, - {label = "Obstruction à la justice", price = 1000}, - {label = "Port d'arme sans permis", price = 10000}, - {label = "Refus d'obtempérer/délit de fuite", price = 500}, - {label = "Vol/racket", price = {min = 500, max = 20000}}, + {label = "Détention d'objet prohibé", price = {min = 700, max = 2100}}, + {label = "Délit de fuite", price = {min = 800, max = 2400}}, + {label = "Violation de propriété privée", price = {min = 850, max = 2550}}, + {label = "Dégradation de bien public", price = {min = 1000, max = 3000}}, + {label = "Port d'arme illégal", price = {min = 1000, max = 3000}}, + {label = "Menace ou Attaque", price = {min = 1200, max = 3600}}, + {label = "Braquage de commerce local", price = {min = 1500, max = 4500}}, + {label = "Mise en danger d'autrui", price = {min = 1500, max = 4500}}, }, }, [3] = { label = "Catégorie 3", items = { - {label = "Agression à main armée", price = {min = 20000, max = 50000}}, - {label = "Enlèvement", price = {min = 20000, max = 50000}}, - {label = "Menace à main armée", price = {min = 10000, max = 30000}}, + {label = "Obstruction à la justice", price = {min = 1750, max = 5700}}, + {label = "Divulgation d'info Confidentielle", price = {min = 2000, max = 6000}}, + {label = "Détention de matériel militaire prohibé", price = {min = 2500, max = 7500}}, + {label = "Menace à main armée", price = {min = 2500, max = 7500}}, + {label = "Attaque à main armée", price = {min = 3500, max = 10500}}, + {label = "Tentative d'enlèvement", price = {min = 3500, max = 10500}}, }, }, [4] = { label = "Catégorie 4", items = { - {label = "Homicide involontaire", price = {min = 50000, max = 75000}}, - {label = "Prise d'otage", price = {min = 30000, max = 50000}}, + {label = "Corruption", price = {min = 5000, max = 15000}}, + {label = "Enlèvement ou prise d'otage", price = {min = 6000, max = 18000}}, + {label = "Violation de serment", price = {min = 8000, max = 24000}}, + {label = "Homicide", price = {min = 10000, max = 30000}}, + {label = "Perturbation de San Andreas", price = {min = 10000, max = 30000}}, }, }, }, @@ -112,44 +124,99 @@ Config.Fines = { [1] = { label = "Catégorie 1", items = { - {label = "Conduite sans permis", price = 500}, - {label = "Dégradation de bien public", price = 750}, - {label = "Insulte/outrage", price = 1000}, - {label = "Infraction au code de la route", price = 100}, - {label = "Infraction au code de la route aggravé", price = 200}, - {label = "Rappel à la loi", price = 100}, - {label = "Rappel à la loi aggravé", price = 250}, - {label = "Violation de propriété privée", price = 2500}, + {label = "Rappel à la loi", price = {min = 150, max = 450}}, + {label = "Infraction aux règles de circulation", price = {min = 200, max = 600}}, + {label = "Permis ou licence manquant", price = {min = 300, max = 900}}, + {label = "Participation à un événement illégal ", price = {min = 450, max = 1350}}, + {label = "Vol ou extorsion", price = {min = 500, max = 1500}}, + {label = "Dégradation de bien privé", price = {min = 500, max = 1500}}, + {label = "Trouble à l'ordre publique", price = {min = 500, max = 1500}}, + {label = "Braconnage ou commerce illégal", price = {min = 600, max = 1800}}, + {label = "Insulte ou outrage", price = {min = 600, max = 1800}}, }, }, [2] = { label = "Catégorie 2", items = { - {label = "Coups et blessures", price = {min = 2500, max = 10000}}, - {label = "Détention d'objets prohibés", price = 250}, - {label = "Détention d'objets prohibés aggravée", price = 1000}, - {label = "Détention de matériel militaire", price = 10000}, - {label = "Détention de matériel militaire aggravée", price = 15000}, - {label = "Menace", price = {min = 1000, max = 10000}}, - {label = "Obstruction à la justice", price = 1000}, - {label = "Port d'arme sans permis", price = 10000}, - {label = "Refus d'obtempérer/délit de fuite", price = 500}, - {label = "Vol/racket", price = {min = 500, max = 20000}}, + {label = "Détention d'objet prohibé", price = {min = 700, max = 2100}}, + {label = "Délit de fuite", price = {min = 800, max = 2400}}, + {label = "Violation de propriété privée", price = {min = 850, max = 2550}}, + {label = "Dégradation de bien public", price = {min = 1000, max = 3000}}, + {label = "Port d'arme illégal", price = {min = 1000, max = 3000}}, + {label = "Menace ou Attaque", price = {min = 1200, max = 3600}}, + {label = "Braquage de commerce local", price = {min = 1500, max = 4500}}, + {label = "Mise en danger d'autrui", price = {min = 1500, max = 4500}}, }, }, [3] = { label = "Catégorie 3", items = { - {label = "Agression à main armée", price = {min = 20000, max = 50000}}, - {label = "Enlèvement", price = {min = 20000, max = 50000}}, - {label = "Menace à main armée", price = {min = 10000, max = 30000}}, + {label = "Obstruction à la justice", price = {min = 1750, max = 5700}}, + {label = "Divulgation d'info Confidentielle", price = {min = 2000, max = 6000}}, + {label = "Détention de matériel militaire prohibé", price = {min = 2500, max = 7500}}, + {label = "Menace à main armée", price = {min = 2500, max = 7500}}, + {label = "Attaque à main armée", price = {min = 3500, max = 10500}}, + {label = "Tentative d'enlèvement", price = {min = 3500, max = 10500}}, }, }, [4] = { label = "Catégorie 4", items = { - {label = "Homicide involontaire", price = {min = 50000, max = 75000}}, - {label = "Prise d'otage", price = {min = 30000, max = 50000}}, + {label = "Corruption", price = {min = 5000, max = 15000}}, + {label = "Enlèvement ou prise d'otage", price = {min = 6000, max = 18000}}, + {label = "Violation de serment", price = {min = 8000, max = 24000}}, + {label = "Homicide", price = {min = 10000, max = 30000}}, + {label = "Perturbation de San Andreas", price = {min = 10000, max = 30000}}, + }, + }, + }, + ["sasp"] = { + [1] = { + label = "Catégorie 1", + items = { + {label = "Rappel à la loi", price = {min = 150, max = 450}}, + {label = "Infraction aux règles de circulation", price = {min = 200, max = 600}}, + {label = "Permis ou licence manquant", price = {min = 300, max = 900}}, + {label = "Participation à un événement illégal ", price = {min = 450, max = 1350}}, + {label = "Vol ou extorsion", price = {min = 500, max = 1500}}, + {label = "Dégradation de bien privé", price = {min = 500, max = 1500}}, + {label = "Trouble à l'ordre publique", price = {min = 500, max = 1500}}, + {label = "Braconnage ou commerce illégal", price = {min = 600, max = 1800}}, + {label = "Insulte ou outrage", price = {min = 600, max = 1800}}, + }, + }, + [2] = { + label = "Catégorie 2", + items = { + {label = "Détention d'objet prohibé", price = {min = 700, max = 2100}}, + {label = "Délit de fuite", price = {min = 800, max = 2400}}, + {label = "Violation de propriété privée", price = {min = 850, max = 2550}}, + {label = "Dégradation de bien public", price = {min = 1000, max = 3000}}, + {label = "Port d'arme illégal", price = {min = 1000, max = 3000}}, + {label = "Menace ou Attaque", price = {min = 1200, max = 3600}}, + {label = "Braquage de commerce local", price = {min = 1500, max = 4500}}, + {label = "Mise en danger d'autrui", price = {min = 1500, max = 4500}}, + }, + }, + [3] = { + label = "Catégorie 3", + items = { + {label = "Obstruction à la justice", price = {min = 1750, max = 5700}}, + {label = "Divulgation d'info Confidentielle", price = {min = 2000, max = 6000}}, + {label = "Détention de matériel militaire prohibé", price = {min = 2500, max = 7500}}, + {label = "Menace à main armée", price = {min = 2500, max = 7500}}, + {label = "Attaque à main armée", price = {min = 3500, max = 10500}}, + {label = "Tentative d'enlèvement", price = {min = 3500, max = 10500}}, + }, + }, + [4] = { + label = "Catégorie 4", + items = { + {label = "Corruption", price = {min = 5000, max = 15000}}, + {label = "Enlèvement ou prise d'otage", price = {min = 6000, max = 18000}}, + {label = "Violation de serment", price = {min = 8000, max = 24000}}, + {label = "Homicide", price = {min = 10000, max = 30000}}, + {label = "Perturbation de San Andreas", price = {min = 10000, max = 30000}}, }, }, }, diff --git a/resources/[soz]/soz-policejob/fxmanifest.lua b/resources/[soz]/soz-policejob/fxmanifest.lua index f37e74a112..7c4925f158 100644 --- a/resources/[soz]/soz-policejob/fxmanifest.lua +++ b/resources/[soz]/soz-policejob/fxmanifest.lua @@ -16,19 +16,14 @@ client_scripts { "client/animations.lua", "client/interactions/*.lua", "client/stations/*.lua", - "client/sirens.lua", - "client/radar.lua", - "client/clothings.lua", } server_scripts { "@oxmysql/lib/MySQL.lua", "server/main.lua", - "server/radar.lua", "server/vehicle.lua", "server/spike.lua", "server/moneycheck.lua", - "server/clothings.lua", } dependencies {"qb-target", "soz-jobs"} diff --git a/resources/[soz]/soz-policejob/server/main.lua b/resources/[soz]/soz-policejob/server/main.lua index 9665679642..b405d2da38 100644 --- a/resources/[soz]/soz-policejob/server/main.lua +++ b/resources/[soz]/soz-policejob/server/main.lua @@ -11,13 +11,13 @@ RegisterNetEvent("police:server:CuffPlayer", function(targetId, isSoftcuff) exports["soz-inventory"]:RemoveItem(player.PlayerData.source, "handcuffs", 1) target.Functions.SetMetaData("ishandcuffed", true) target.Functions.UpdatePlayerData() - Player(target.PlayerData.source).state:set("ishandcuffed", true, true) + exports["soz-core"]:SetPlayerState(target.PlayerData.source, {isHandcuffed = true}) TriggerClientEvent("police:client:HandCuffAnimation", player.PlayerData.source) TriggerClientEvent("police:client:GetCuffed", target.PlayerData.source, player.PlayerData.source, isSoftcuff) TriggerClientEvent("soz-talk:client:PowerOffRadio", target.PlayerData.source) else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Vous n'avez pas de ~r~menotte", "error") + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Vous n'avez pas de ~r~menottes", "error") end end end) @@ -34,10 +34,11 @@ RegisterNetEvent("police:server:UnCuffPlayer", function(targetId) Wait(3000) target.Functions.SetMetaData("ishandcuffed", false) - Player(target.PlayerData.source).state:set("ishandcuffed", false, true) + exports["soz-core"]:SetPlayerState(target.PlayerData.source, {isHandcuffed = false}) TriggerClientEvent("police:client:GetUnCuffed", target.PlayerData.source) + TriggerClientEvent("soz-talk:client:PowerOnradio", target.PlayerData.source) else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Vous n'avez pas de ~r~clé de menotte", "error") + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Vous n'avez pas de ~r~clé de menottes", "error") end end end) @@ -48,9 +49,11 @@ RegisterNetEvent("police:server:EscortPlayer", function(playerId, crimi) local target = QBCore.Functions.GetPlayer(playerId) if player and target and player ~= target then - Player(player.PlayerData.source).state:set("isEscorting", true, true) - Player(player.PlayerData.source).state:set("escorting", target.PlayerData.source, true) - Player(target.PlayerData.source).state:set("isEscorted", true, true) + exports["soz-core"]:SetPlayerState(target.PlayerData.source, {isEscorted = true}) + exports["soz-core"]:SetPlayerState(player.PlayerData.source, { + isEscorting = true, + escorting = target.PlayerData.source, + }) TriggerClientEvent("police:client:SetEscorting", player.PlayerData.source, target.PlayerData.source, crimi) TriggerClientEvent("police:client:GetEscorted", target.PlayerData.source, player.PlayerData.source, crimi) @@ -63,14 +66,13 @@ RegisterNetEvent("police:server:DeEscortPlayer", function(playerId) local player = QBCore.Functions.GetPlayer(source) local target = QBCore.Functions.GetPlayer(playerId) - local playerState = Player(player.PlayerData.source).state - local targetState = Player(target.PlayerData.source).state + local playerState = exports["soz-core"]:GetPlayerState(player.PlayerData.source); + local targetState = exports["soz-core"]:GetPlayerState(target.PlayerData.source); if player and target and player ~= target then if playerState.isEscorting and playerState.escorting == target.PlayerData.source and targetState.isEscorted then - Player(player.PlayerData.source).state:set("isEscorting", false, true) - Player(player.PlayerData.source).state:set("escorting", nil, true) - Player(target.PlayerData.source).state:set("isEscorted", false, true) + exports["soz-core"]:SetPlayerState(target.PlayerData.source, {isEscorted = false}) + exports["soz-core"]:SetPlayerState(player.PlayerData.source, {isEscorting = false, escorting = 0}) TriggerClientEvent("police:client:DeEscort", target.PlayerData.source) @@ -103,24 +105,16 @@ RegisterNetEvent("police:server:RemovePoint", function(targetId, licenseType, po for _, allowedJob in ipairs(Config.AllowedJobInteraction) do if player.PlayerData.job.id == allowedJob then local licenses = target.PlayerData.metadata["licences"] + -- Hide real value in case fake license + local realNewvValue = math.max(licenses[licenseType] - point, 0) + licenses[licenseType] = realNewvValue - if licenses[licenseType] >= point then - licenses[licenseType] = licenses[licenseType] - point + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, + "Vous avez retiré ~b~" .. point .. " point" .. (point > 1 and "s" or "") .. "~s~ sur le permis") + TriggerClientEvent("soz-core:client:notification:draw", target.PlayerData.source, + "~b~" .. point .. " point" .. (point > 1 and "s" or "") .. "~s~ ont été retirés de votre permis !", "info") - if licenses[licenseType] >= 1 then - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, - "Vous avez retiré ~b~" .. point .. " point" .. (point > 1 and "s" or "") .. "~s~ sur le permis") - TriggerClientEvent("hud:client:DrawNotification", target.PlayerData.source, - "~b~" .. point .. " point" .. (point > 1 and "s" or "") .. "~s~ ont été retiré de votre permis !", "info") - else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Vous avez retiré le permis") - TriggerClientEvent("hud:client:DrawNotification", target.PlayerData.source, "Votre permis vous a été retiré !", "info") - end - - target.Functions.SetMetaData("licences", licenses) - else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Il n'y a pas assez de point sur le permis", "error") - end + target.Functions.SetMetaData("licences", licenses) return end @@ -140,14 +134,14 @@ RegisterNetEvent("police:server:RemoveLicense", function(targetId, licenseType, if licenses[licenseType] then licenses[licenseType] = false - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Vous avez retiré le permis: ~b~" .. Config.Licenses[licenseType].label) - TriggerClientEvent("hud:client:DrawNotification", target.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", target.PlayerData.source, "Votre permis ~b~" .. Config.Licenses[licenseType].label .. "~s~ vous a été retiré !", "info") target.Functions.SetMetaData("licences", licenses) else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Ce permis est déjà invalide", "error") + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Ce permis est déjà invalide", "error") end return @@ -168,14 +162,14 @@ RegisterNetEvent("police:server:GiveLicense", function(targetId, licenseType) if not licenses[licenseType] then licenses[licenseType] = true - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Vous avez donné le permis: ~b~" .. Config.Licenses[licenseType].label) - TriggerClientEvent("hud:client:DrawNotification", target.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", target.PlayerData.source, "Vous avez reçu un nouveau permis : ~b~" .. Config.Licenses[licenseType].label .. "~s~ !", "info") target.Functions.SetMetaData("licences", licenses) else - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, "Ce permis est déjà valide", "error") + TriggerClientEvent("soz-core:client:notification:draw", player.PlayerData.source, "Ce permis est déjà valide", "error") end return @@ -208,17 +202,9 @@ QBCore.Functions.CreateCallback("police:server:DeleteWantedPlayer", function(sou cb(MySQL.execute.await("UPDATE `phone_twitch_news` SET type = @type WHERE id = @id", {["@id"] = id, ["@type"] = player.PlayerData.job.id .. ":end"}).changedRows >= 1) + TriggerClientEvent("phone:app:news:reloadNews", -1) return end end end end) - ---- Other -AddEventHandler("entityCreating", function(handle) - local entityModel = GetEntityModel(handle) - - if Config.SirenVehicle[entityModel] then - Entity(handle).state:set("isSirenMuted", false, true) - end -end) diff --git a/resources/[soz]/soz-policejob/server/moneycheck.lua b/resources/[soz]/soz-policejob/server/moneycheck.lua index 56335df2f1..ee87bab0f9 100644 --- a/resources/[soz]/soz-policejob/server/moneycheck.lua +++ b/resources/[soz]/soz-policejob/server/moneycheck.lua @@ -4,7 +4,7 @@ QBCore.Functions.CreateCallback("police:getOtherPlayerData", function(source, cb local Target = QBCore.Functions.GetPlayer(target) if Target then - TriggerClientEvent("hud:client:DrawNotification", target, "Vous êtes en train d'être fouillé par le " .. srcJob, "info") + TriggerClientEvent("soz-core:client:notification:draw", target, "Vous êtes en train d'être fouillé par le " .. srcJob, "info") local data = { name = Target.Functions.GetName(), @@ -25,12 +25,12 @@ RegisterNetEvent("police:confiscateMoney", function(target) local markedAmount = Target.Functions.GetMoney("marked_money") if Target.Functions.RemoveMoney("marked_money", markedAmount) and exports["soz-bank"]:AddMoney("safe_" .. Player.PlayerData.job.id, markedAmount, "marked_money", true) then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, string.format("Vous avez confisqué ~g~%s$~s~ d'argent marqué", markedAmount)) - TriggerClientEvent("hud:client:DrawNotification", Target.PlayerData.source, + TriggerClientEvent("soz-core:client:notification:draw", Target.PlayerData.source, string.format("~r~%s$~s~ d'argent marqué ont été confisqués", markedAmount)) else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Problème de confiscation", "error") + TriggerClientEvent("soz-core:client:notification:draw", Player.PlayerData.source, "Problème de confiscation", "error") end return diff --git a/resources/[soz]/soz-shops/client/main.lua b/resources/[soz]/soz-shops/client/main.lua deleted file mode 100644 index f04478767f..0000000000 --- a/resources/[soz]/soz-shops/client/main.lua +++ /dev/null @@ -1,63 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() -shopMenu = MenuV:CreateMenu(nil, "", "menu_shop_supermarket", "soz", "shops") -ShopContext, currentShop, currentShopBrand = {}, nil, nil - -local ShopLocations = { - ["ammunation"] = true, - ["supermarket"] = true, - ["barber"] = true, - ["ponsonbys"] = true, - ["suburban"] = true, - ["binco"] = true, - ["jewelry"] = true, - ["247supermarket-north"] = true, - ["247supermarket-south"] = true, - ["ltdgasoline-north"] = true, - ["ltdgasoline-south"] = true, - ["robsliquor-north"] = true, - ["robsliquor-south"] = true, - ["tattoo"] = true, - ["zkea"] = true, -} - -AddEventHandler("locations:zone:enter", function(brand, shop) - if ShopLocations[brand] then - currentShop = shop - currentShopBrand = brand - - if currentShop then - ShopContext[currentShopBrand]:AddTargetModel() - end - - if brand == "ponsonbys" or brand == "suburban" or brand == "binco" then - TriggerEvent("soz-core:client:job:ffs:enter-clothing-shop", brand) - end - end -end) - -AddEventHandler("locations:zone:exit", function(brand, shop) - if ShopLocations[brand] then - if currentShop then - ShopContext[currentShopBrand]:RemoveTargetModel() - end - - currentShop = nil - currentShopBrand = nil - shopMenu:Close() - - if brand == "ponsonbys" or brand == "suburban" or brand == "binco" then - TriggerEvent("soz-core:client:job:ffs:exit-clothing-shop", brand) - end - end -end) - -exports("GetCurrentShop", function() - local entity = Config.ShopsPedEntity[currentShop] and Config.ShopsPedEntity[currentShop].entity or 0 - return {shopId = currentShop, shopbrand = currentShopBrand, shopPedEntity = entity} -end) - -exports("GetShopPedEntity", function(currentShop) - local entity = Config.ShopsPedEntity[currentShop] and Config.ShopsPedEntity[currentShop].entity or 0 - local location = Config.ShopsPedEntity[currentShop] and Config.ShopsPedEntity[currentShop].location or vec4(0, 0, 0, 0) - return {entity = entity, location = {location.x, location.y, location.z, location.w}} -end) diff --git a/resources/[soz]/soz-shops/client/shops.lua b/resources/[soz]/soz-shops/client/shops.lua deleted file mode 100644 index 6b52582f36..0000000000 --- a/resources/[soz]/soz-shops/client/shops.lua +++ /dev/null @@ -1,43 +0,0 @@ -CreateThread(function() - for id, shop in pairs(ShopContext) do - for shopId, location in pairs(Config.Locations[id]) do - if not QBCore.Functions.GetBlip("shops_" .. id .. "_" .. shopId) then - QBCore.Functions.CreateBlip("shops_" .. id .. "_" .. shopId, - { - name = shop.label, - coords = location, - sprite = shop.blip.sprite, - color = shop.blip.color, - }) - end - - Config.ShopsPedEntity[shopId] = {entity = shop:SpawnPed(location), location = location} - end - end - TriggerEvent("shops:client:shop:PedSpawned") -end) - --- Events -RegisterNetEvent("shops:client:GetShop", function() - if currentShop then - ShopContext[currentShopBrand]:GenerateMenu() - end -end) - -RegisterNetEvent("shops:client:SetShopItems", function(product, shopProducts) - Config.Products[product] = shopProducts -end) - -AddEventHandler("onResourceStop", function(resource) - if resource ~= GetCurrentResourceName() then - return - end - - for id, shop in pairs(ShopContext) do - for shopId, location in pairs(Config.Locations[id]) do - if Config.ShopsPedEntity[shopId] and Config.ShopsPedEntity[shopId].entity and DoesEntityExist(Config.ShopsPedEntity[shopId].entity) then - DeleteEntity(Config.ShopsPedEntity[shopId].entity) - end - end - end -end) diff --git a/resources/[soz]/soz-shops/client/shops/_shell.lua b/resources/[soz]/soz-shops/client/shops/_shell.lua deleted file mode 100644 index 6da91447d3..0000000000 --- a/resources/[soz]/soz-shops/client/shops/_shell.lua +++ /dev/null @@ -1,142 +0,0 @@ ---- @class ShopShell -ShopShell = {} - -function ShopShell:new(label, brand, blip, ped) - return setmetatable({label = label, brand = brand, blip = blip, ped = ped}, {__index = ShopShell}) -end - ---- Ped functions -function ShopShell:GetPedAction() - return { - event = "shops:client:GetShop", - icon = "fas fa-shopping-cart", - label = "Accéder au magasin", - canInteract = function() - return currentShop ~= nil and currentShopBrand == self.brand - end, - blackoutGlobal = true, - } -end -function ShopShell:GunSmith() - return { - event = "soz-core:client:weapon:open-gunsmith", - icon = "fas fa-store", - label = "Accéder au GunSmith", - canInteract = function() - return self.brand == "ammunation" and currentShop ~= nil and currentShopBrand == self.brand - end, - blackoutGlobal = true, - } -end -function ShopShell:ZkeaStock() - return { - event = "", - icon = "fas fa-store", - label = "Vérifier le stock", - canInteract = function() - return self.brand == "zkea" and currentShop ~= nil and currentShopBrand == self.brand - end, - blackoutGlobal = true, - action = function() - TriggerServerEvent("shops:server:CheckZkeaStock") - end, - } -end -function ShopShell:ZkeaUpgrade() - return { - event = "soz-core:client:housing:open-upgrades-menu", - icon = "fas fa-store", - label = "Améliorations", - canInteract = function() - local playerData = QBCore.Functions.GetPlayerData() - - if not playerData.apartment or not playerData.apartment.owner then - return false - end - - if playerData.apartment.owner ~= playerData.citizenid then - return false - end - - return self.brand == "zkea" and currentShop ~= nil and currentShopBrand == self.brand - end, - blackoutGlobal = true, - } -end - -function ShopShell:GetRemoveClothAction() - return { - event = "soz-core:client:crimi:remove-cloth", - label = "Enlever la tenue temporaire", - color = "crimi", - canInteract = function() - if self.brand ~= "ponsonbys" and self.brand ~= "suburban" and self.brand ~= "binco" then - return false - end - - local playerData = QBCore.Functions.GetPlayerData() - - if playerData.cloth_config.TemporaryClothSet == nil then - return false - end - - return true - end, - blackoutGlobal = true, - } -end - -function ShopShell:AddTargetModel() - exports["qb-target"]:AddTargetModel(self.ped, { - options = { - self:GetPedAction(), - self:GetRemoveClothAction(), - self:GunSmith(), - self:ZkeaStock(), - self:ZkeaUpgrade(), - { - icon = "c:stonk/collecter.png", - label = "Collecter", - canInteract = function() - return exports["soz-core"]:CanBagsBeCollected(currentShopBrand, currentShop) - end, - blackoutGlobal = true, - blackoutJob = true, - action = function() - TriggerServerEvent("soz-core:server:job:stonk:collect", currentShopBrand, currentShop) - end, - }, - }, - distance = 2.5, - }) -end - -function ShopShell:RemoveTargetModel() - exports["qb-target"]:RemoveTargetModel(self.ped) -end - -function ShopShell:SpawnPed(location) - local ret = exports["qb-target"]:SpawnPed({ - model = self.ped, - coords = location, - minusOne = true, - freeze = true, - invincible = true, - blockevents = true, - spawnNow = true, - scenario = "WORLD_HUMAN_STAND_IMPATIENT", - }) - - return ret.currentpednumber -end - ---- Shop functions -function ShopShell:getShopProducts() - error("Function getShopProducts() not implemented !") - return {} -end - ---- Menu functions -function ShopShell:GenerateMenu() - error("Function GenerateMenu() not implemented !") -end diff --git a/resources/[soz]/soz-shops/client/shops/barber.lua b/resources/[soz]/soz-shops/client/shops/barber.lua deleted file mode 100644 index 356e5de14a..0000000000 --- a/resources/[soz]/soz-shops/client/shops/barber.lua +++ /dev/null @@ -1,193 +0,0 @@ ---- @class BarberShop -BarberShop = {} -local cam = nil - -function BarberShop:new(...) - local shop = setmetatable(ShopShell:new(...), {__index = BarberShop}) - setmetatable(BarberShop, {__index = ShopShell}) - return shop -end - ---- Camera -function BarberShop:getShopProducts() - return Config.Products["barber"] -end - -function BarberShop:setupCam() - if not DoesCamExist(cam) then - local ped = PlayerPedId() - SetEntityHeading(ped, 199.156) - FreezeEntityPosition(ped, true) - local x, y, z = table.unpack(GetEntityCoords(ped)) - cam = CreateCam("DEFAULT_SCRIPTED_CAMERA", true) - - SetCamCoord(cam, GetEntityCoords(ped)) - SetCamRot(cam, 0.0, 0.0, 0.0) - SetCamActive(cam, true) - RenderScriptCams(true, false, 0, true, true) - SetCamCoord(cam, x, y - 0.5, z + 0.7) - - self:playIdleAnimation() - end -end - -function BarberShop:deleteCam() - if DoesCamExist(cam) then - RenderScriptCams(false, false, 0, 1, 0) - DestroyCam(cam, false) - end - FreezeEntityPosition(PlayerPedId(), false) - self:clearAllAnimations() -end - ---- Idle animation -function BarberShop:playIdleAnimation() - local animDict = "anim@heists@heist_corona@team_idles@male_c" - - while not HasAnimDictLoaded(animDict) do - RequestAnimDict(animDict) - Wait(100) - end - - local playerPed = PlayerPedId() - ClearPedTasksImmediately(playerPed) - TaskPlayAnim(playerPed, animDict, "idle", 1.0, 1.0, -1, 1, 1, 0, 0, 0) -end - -function BarberShop:clearAllAnimations() - ClearPedTasksImmediately(PlayerPedId()) - - if HasAnimDictLoaded("anim@heists@heist_corona@team_idles@male_c") then - RemoveAnimDict("anim@heists@heist_corona@team_idles@male_c") - end -end - -function BarberShop:GenerateMenu() - shopMenu.Texture = "menu_shop_barber" - shopMenu:ClearItems() - shopMenu:SetSubtitle(self.label) - - local ped = PlayerPedId() - local PlayerData = QBCore.Functions.GetPlayerData() - - local playerUpdater = {} - - self:deleteCam() - self:setupCam() - - for index, content in pairs(self:getShopProducts()[PlayerData.skin.Model.Hash]) do - shopMenu:AddTitle({label = content.label}) - playerUpdater[content.overlay] = {} - local category = content.category - - if category == "Hair" then - CreateSliderList(shopMenu, "Type", PlayerData.skin.Hair.HairType, content.items, function(value) - playerUpdater.Hair.HairType = value - SetPedComponentVariation(ped, 2, value, 0, 2) - end) - CreateColorSliderList(shopMenu, "Couleur", PlayerData.skin.Hair.HairColor, Config.CharacterComponentColors.Hair, function(value) - playerUpdater.Hair.HairColor = value - SetPedHairColor(ped, value, playerUpdater.Hair.HairSecondaryColor or PlayerData.skin.Hair.HairSecondaryColor or 0) - end) - CreateColorSliderList(shopMenu, "Couleur secondaire", PlayerData.skin.Hair.HairSecondaryColor, Config.CharacterComponentColors.Hair, function(value) - playerUpdater.Hair.HairSecondaryColor = value - SetPedHairColor(ped, playerUpdater.Hair.HairColor or PlayerData.skin.Hair.HairColor or 0, value) - end) - elseif category == "Beard" then - CreateSliderList(shopMenu, "Type", PlayerData.skin.Hair.BeardType, content.items, function(value) - playerUpdater.Hair.BeardType = value - SetPedHeadOverlay(ped, 1, value, 1.0); - end) - CreateRangeOpacitySliderItem(shopMenu, "Densité", PlayerData.skin.Hair.BeardOpacity, function(value) - playerUpdater.Hair.BeardOpacity = value - SetPedHeadOverlay(ped, 1, playerUpdater.Hair.BeardType, value); - end) - CreateColorSliderList(shopMenu, "Couleur", PlayerData.skin.Hair.BeardColor, Config.CharacterComponentColors.Hair, function(value) - playerUpdater.Hair.BeardColor = value - SetPedHeadOverlayColor(ped, 1, 1, value, 0); - end) - elseif category == "Makeup" then - CreateSliderList(shopMenu, "Type", PlayerData.skin.Makeup.FullMakeupType, content.items, function(value) - playerUpdater.Makeup.FullMakeupType = value - SetPedHeadOverlay(ped, 4, value, 1.0) - end) - CreateRangeOpacitySliderItem(shopMenu, "Densité", PlayerData.skin.Makeup.FullMakeupOpacity, function(value) - playerUpdater.Makeup.FullMakeupOpacity = value - SetPedHeadOverlay(ped, 4, playerUpdater.Makeup.FullMakeupType or PlayerData.skin.Makeup.FullMakeupType, value) - end) - shopMenu:AddCheckbox({ - label = "Utiliser couleur par défaut", - value = PlayerData.skin.Makeup.FullMakeupDefaultColor, - }):On("change", function(_, value) - playerUpdater.Makeup.FullMakeupDefaultColor = value - if value then - SetPedHeadOverlayColor(ped, 4, 0, 0, 0) - else - SetPedHeadOverlayColor(ped, 4, 2, playerUpdater.Makeup.FullMakeupColor or PlayerData.skin.Makeup.FullMakeupColor or 0, 0) - end - end) - CreateColorSliderList(shopMenu, "Couleur principale", PlayerData.skin.Makeup.FullMakeupPrimaryColor, Config.CharacterComponentColors.Makeup, - function(value) - playerUpdater.Makeup.FullMakeupPrimaryColor = value - SetPedHeadOverlayColor(ped, 4, 2, value, playerUpdater.Makeup.FullMakeupSecondaryColor or PlayerData.skin.Makeup.FullMakeupSecondaryColor or 0) - end) - CreateColorSliderList(shopMenu, "Couleur secondaire", PlayerData.skin.Makeup.FullMakeupSecondaryColor, Config.CharacterComponentColors.Makeup, - function(value) - playerUpdater.Makeup.FullMakeupSecondaryColor = value - SetPedHeadOverlayColor(ped, 4, 2, playerUpdater.Makeup.FullMakeupPrimaryColor or PlayerData.skin.Makeup.FullMakeupPrimaryColor or 0, value) - end) - elseif category == "Blush" then - CreateSliderList(shopMenu, "Type", PlayerData.skin.Makeup.BlushType, content.items, function(value) - playerUpdater.Makeup.BlushType = value - SetPedHeadOverlay(ped, 5, value, 1.0) - end) - CreateRangeOpacitySliderItem(shopMenu, "Densité", PlayerData.skin.Makeup.BlushOpacity, function(value) - playerUpdater.Makeup.BlushOpacity = value - SetPedHeadOverlay(ped, 5, playerUpdater.Makeup.BlushType or PlayerData.skin.Makeup.BlushType, value) - end) - CreateColorSliderList(shopMenu, "Couleur du blush", PlayerData.skin.Makeup.BlushColor, Config.CharacterComponentColors.Makeup, function(value) - playerUpdater.Makeup.BlushColor = value - SetPedHeadOverlayColor(ped, 5, 2, value, 0) - end) - elseif category == "Lipstick" then - CreateSliderList(shopMenu, "Type", PlayerData.skin.Makeup.LipstickType, content.items, function(value) - playerUpdater.Makeup.LipstickType = value - SetPedHeadOverlay(ped, 8, value, 1.0) - end) - CreateRangeOpacitySliderItem(shopMenu, "Densité", PlayerData.skin.Makeup.LipstickOpacity, function(value) - playerUpdater.Makeup.LipstickOpacity = value - SetPedHeadOverlay(ped, 8, playerUpdater.Makeup.LipstickType or PlayerData.skin.Makeup.LipstickType, value) - end) - CreateColorSliderList(shopMenu, "Couleur du rouge à lèvre", PlayerData.skin.Makeup.LipstickColor, Config.CharacterComponentColors.Makeup, - function(value) - playerUpdater.Makeup.LipstickColor = value - SetPedHeadOverlayColor(ped, 8, 2, value, 0) - end) - end - - shopMenu:AddButton({ - label = "Valider les modifications", - rightLabel = "$" .. content.price, - select = function() - TriggerServerEvent("shops:server:pay", "barber", - { - category = category, - categoryIndex = index, - overlay = content.overlay, - data = playerUpdater[content.overlay], - }, 1) - end, - }) - end - - shopMenu:On("close", function() - TriggerEvent("soz-character:Client:ApplyCurrentSkin") - self:clearAllAnimations() - self:deleteCam() - end) - - shopMenu:Open() -end - ---- Exports shop -ShopContext["barber"] = BarberShop:new("Coiffeur", "barber", {sprite = 71, color = 0}, "s_f_m_fembarber") diff --git a/resources/[soz]/soz-shops/client/shops/clothing.lua b/resources/[soz]/soz-shops/client/shops/clothing.lua deleted file mode 100644 index 02f688a668..0000000000 --- a/resources/[soz]/soz-shops/client/shops/clothing.lua +++ /dev/null @@ -1,203 +0,0 @@ ---- @class ClothingShop -ClothingShop = {} -local cam = nil - -local function tablelength(T) - local count = 0 - for _ in pairs(T) do - count = count + 1 - end - return count -end - -local function displayLabel(text) - if string.match(text, "#") ~= nil then - return GetLabelText(text:gsub("#", "")) - end - return text -end - -function ClothingShop:new(...) - local shop = setmetatable(ShopShell:new(...), {__index = ClothingShop}) - setmetatable(ClothingShop, {__index = ShopShell}) - return shop -end - -function ClothingShop:getShopProducts() - return Config.Products[self.brand] -end - ---- Camera -function ClothingShop:setupCam() - if not DoesCamExist(cam) then - local ped = PlayerPedId() - local pedX, pedY, pedZ, pedW = table.unpack(Config.ClothingLocationsInShop[currentShop]) - - SetPedCoordsKeepVehicle(ped, pedX, pedY, pedZ - 1.0) - SetEntityHeading(ped, pedW) - FreezeEntityPosition(ped, true) - - cam = CreateCam("DEFAULT_SCRIPTED_CAMERA", true) - - local x, y, z, _ = table.unpack(Config.ClothingCameraPositionsInShop[currentShop]) - SetCamCoord(cam, x, y, z) - PointCamAtCoord(cam, pedX, pedY, pedZ) - SetCamActive(cam, true) - RenderScriptCams(true, false, 0, true, true) - - self:playIdleAnimation() - end -end - -function ClothingShop:deleteCam() - if DoesCamExist(cam) then - RenderScriptCams(false, false, 0, 1, 0) - DestroyCam(cam, false) - end - - FreezeEntityPosition(PlayerPedId(), false) - self:clearAllAnimations() -end - ---- Idle animation -function ClothingShop:playIdleAnimation() - local animDict = "anim@heists@heist_corona@team_idles@male_c" - - while not HasAnimDictLoaded(animDict) do - RequestAnimDict(animDict) - Wait(100) - end - - local playerPed = PlayerPedId() - ClearPedTasksImmediately(playerPed) - TaskPlayAnim(playerPed, animDict, "idle", 1.0, 1.0, -1, 1, 1, 0, 0, 0) -end - -function ClothingShop:clearAllAnimations() - ClearPedTasksImmediately(PlayerPedId()) - - if HasAnimDictLoaded("anim@heists@heist_corona@team_idles@male_c") then - RemoveAnimDict("anim@heists@heist_corona@team_idles@male_c") - end -end - -function ClothingShop:GenerateMenu(skipIntro) - if self.brand == "ponsonbys" then - shopMenu.Texture = "menu_shop_clothe_luxe" - else - shopMenu.Texture = "menu_shop_clothe_normal" - end - shopMenu:ClearItems() - shopMenu:SetSubtitle(self.label) - - if skipIntro ~= true and Config.ClothingLocationsInShop[currentShop] then - local x, y, z, w = table.unpack(Config.ClothingLocationsInShop[currentShop]) - TaskGoStraightToCoord(PlayerPedId(), x, y, z, 1.0, 4000, w, 0.0) - Wait(4000) - end - - self:deleteCam() - self:setupCam() - - shopMenu:AddCheckbox({ - label = "Libérer la caméra", - value = cam, - change = function(_, value) - if value then - self:deleteCam() - FreezeEntityPosition(PlayerPedId(), true) - else - self:setupCam() - end - end, - }) - - local products = QBCore.Functions.TriggerRpc("shops:server:GetShopContent", self.brand) - - local createProduct = function(menu, productId, product, categoryID, collectionID) - if product.label == nil or product.price == nil then - return - end - - local description = "Ce produit n'est plus en stock" - if product.stock > 0 then - description = "Il ne reste que " .. product.stock .. " exemplaire(s) de ce produit" - end - - menu:AddButton({ - label = (product.stock > 0 and "" or "^9") .. displayLabel(product.label), - rightLabel = "$" .. product.price, - description = description, - value = product.data, - select = function() - if product.stock <= 0 then - return - end - - TriggerServerEvent("shops:server:pay", self.brand, { - category = categoryID, - collection = collectionID, - item = productId, - }, 1) - end, - }) - end - - for categoryID, content in pairs(products) do - local partMenu = MenuV:InheritMenu(shopMenu, {subtitle = content.name}) - - partMenu:On("open", function() - partMenu:ClearItems() - - for collectionID, collection in pairs(content.items) do - if tablelength(collection.items or {}) > 0 then - local collectionMenu = MenuV:InheritMenu(partMenu, {subtitle = collection.name}) - - collectionMenu:On("switch", function(_, item) - local ped = PlayerPedId() - for id, component in pairs(item.Value.components) do - SetPedComponentVariation(ped, tonumber(id), component.Drawable, component.Texture or 0, component.Palette or 0); - if tonumber(id) == 11 then - local properTorso = Config.Torsos[GetEntityModel(ped)][component.Drawable] - if properTorso ~= null then - SetPedComponentVariation(ped, 3, properTorso, 0, 0) - end - end - end - end) - - for clotheId, clothe in pairs(collection.items) do - createProduct(collectionMenu, clotheId, clothe, categoryID, collectionID) - end - - partMenu:AddButton({label = collection.name, value = collectionMenu}) - end - - createProduct(partMenu, collectionID, collection, categoryID, collectionID) - end - end) - - partMenu:On("close", function() - TriggerEvent("soz-character:Client:ApplyCurrentClothConfig") - TriggerEvent("soz-character:Client:ApplyCurrentSkin") - - partMenu:ClearItems() - end) - - shopMenu:AddButton({label = content.name, value = partMenu}) - end - - shopMenu:On("close", function() - TriggerEvent("soz-character:Client:ApplyCurrentClothConfig") - TriggerEvent("soz-character:Client:ApplyCurrentSkin") - self:clearAllAnimations() - self:deleteCam() - end) - - shopMenu:Open() -end - ---- Exports shop -ShopContext["ponsonbys"] = ClothingShop:new("PONSONBYS", "ponsonbys", {sprite = 73, color = 26}, "s_f_m_shop_high") -ShopContext["suburban"] = ClothingShop:new("SubUrban", "suburban", {sprite = 73, color = 29}, "s_f_y_shop_mid") -ShopContext["binco"] = ClothingShop:new("Binco", "binco", {sprite = 73, color = 33}, "s_f_y_shop_low") diff --git a/resources/[soz]/soz-shops/client/shops/jewelry.lua b/resources/[soz]/soz-shops/client/shops/jewelry.lua deleted file mode 100644 index 87ba4d0153..0000000000 --- a/resources/[soz]/soz-shops/client/shops/jewelry.lua +++ /dev/null @@ -1,194 +0,0 @@ ---- @class JewelryShop -JewelryShop = {} - -function JewelryShop:new(...) - local shop = setmetatable(ShopShell:new(...), {__index = JewelryShop}) - setmetatable(JewelryShop, {__index = ShopShell}) - return shop -end - -function JewelryShop:getShopProducts() - return Config.Products["jewelry"] -end - ---- Camera -function JewelryShop:setupCam() - if not DoesCamExist(cam) then - local ped = PlayerPedId() - SetEntityHeading(ped, 199.156) - FreezeEntityPosition(ped, true) - local x, y, z = table.unpack(GetEntityCoords(ped)) - cam = CreateCam("DEFAULT_SCRIPTED_CAMERA", true) - - SetCamCoord(cam, GetEntityCoords(ped)) - SetCamRot(cam, 0.0, 0.0, 0.0) - SetCamActive(cam, true) - RenderScriptCams(true, false, 0, true, true) - SetCamCoord(cam, x, y - 0.5, z + 0.7) - - self:playIdleAnimation() - end -end - -function JewelryShop:deleteCam() - if DoesCamExist(cam) then - RenderScriptCams(false, false, 0, 1, 0) - DestroyCam(cam, false) - end - - FreezeEntityPosition(PlayerPedId(), false) - self:clearAllAnimations() -end - ---- Idle animation -function JewelryShop:playIdleAnimation() - local animDict = "anim@heists@heist_corona@team_idles@male_c" - - while not HasAnimDictLoaded(animDict) do - RequestAnimDict(animDict) - Wait(100) - end - - local playerPed = PlayerPedId() - ClearPedTasksImmediately(playerPed) - TaskPlayAnim(playerPed, animDict, "idle", 1.0, 1.0, -1, 1, 1, 0, 0, 0) -end - -function JewelryShop:clearAllAnimations() - ClearPedTasksImmediately(PlayerPedId()) - - if HasAnimDictLoaded("anim@heists@heist_corona@team_idles@male_c") then - RemoveAnimDict("anim@heists@heist_corona@team_idles@male_c") - end -end - -function JewelryShop:GenerateMenu() - shopMenu.Texture = "menu_shop_jewelry" - shopMenu:ClearItems() - shopMenu:SetSubtitle(self.label) - - local PlayerData = QBCore.Functions.GetPlayerData() - - self:deleteCam() - self:setupCam() - - shopMenu:AddCheckbox({ - label = "Libérer la caméra", - value = cam, - change = function(_, value) - if value then - self:deleteCam() - FreezeEntityPosition(PlayerPedId(), true) - else - self:setupCam() - end - end, - }) - - for _, content in pairs(self:getShopProducts()[PlayerData.skin.Model.Hash]) do - shopMenu:AddButton({label = content.label, value = content.menu}) - - if content.menu == nil then - TriggerEvent("hud:client:DrawNotification", string.format("Le vendeur est occupé, veuillez réessayer dans quelques instants.")) - self:deleteCam() - FreezeEntityPosition(PlayerPedId(), false) - return - end - end - - shopMenu:On("close", function() - TriggerEvent("soz-character:Client:ApplyCurrentClothConfig") - self:clearAllAnimations() - self:deleteCam() - end) - - shopMenu:Open() -end - -function JewelryShop:GenerateSubMenu(parentMenu, model, categoryPropIndex, index, subCategoryName, subCategory, items) - local subMenu = MenuV:CreateMenu(nil, subCategoryName, "menu_shop_jewelry", "soz", "jewelry:cat:" .. model .. ":" .. index .. ":" .. subCategoryName) - - table.sort(items) - for component, drawables in pairs(items) do - table.sort(drawables) - for drawable, labels in pairs(drawables) do - local label = GetLabelText(labels.GXT) - if label == "NULL" then - label = labels.Localized - end - if label == "NULL" then - print("Check value for " .. categoryPropIndex .. " " .. component .. " " .. drawable) - end - subMenu:AddButton({ - label = label, - rightLabel = "$" .. subCategory.price, - value = {categoryPropIndex, component, drawable}, - select = function() - TriggerServerEvent("shops:server:pay", "jewelry", { - overlay = subCategory.overlay, - categoryIndex = index, - category = categoryPropIndex, - component = component, - drawable = drawable, - }, 1) - end, - }) - end - end - - subMenu:On("switch", function(_, item) - SetPedPropIndex(PlayerPedId(), tonumber(item.Value[1]), tonumber(item.Value[2]), tonumber(item.Value[3]), 2) - end) - - parentMenu:AddButton({label = subCategoryName, value = subMenu}) -end - ---- Init -CreateThread(function() - for pedModel, categories in pairs(JewelryShop:getShopProducts()) do - for index, category in pairs(categories) do - local categoryEntry = JewelryShop:getShopProducts()[pedModel][index] - - if MenuV:IsNamespaceAvailable("jewelry:cat:" .. pedModel .. ":" .. index) then - categoryEntry.menu = MenuV:CreateMenu(nil, category.label, "menu_shop_jewelry", "soz", "jewelry:cat:" .. pedModel .. ":" .. index) - - table.sort(category.items) - for itemKey, drawables in pairs(category.items) do - if tonumber(itemKey) == nil then - JewelryShop:GenerateSubMenu(categoryEntry.menu, pedModel, category.propId, index, itemKey, categoryEntry, drawables) - else - print("Warning: ItemKey isn't in a category " .. itemKey) - local component = itemKey - table.sort(drawables) - for drawable, labels in pairs(drawables) do - local label = GetLabelText(labels.GXT) - if label == "NULL" then - label = labels.Localized - end - if label == "NULL" then - print("Check value for " .. category.propId .. " " .. component .. " " .. drawable) - end - categoryEntry.menu:AddButton({ - label = label, - rightLabel = "$" .. category.price, - value = {category.propId, component, drawable}, - select = function() - TriggerServerEvent("shops:server:pay", "jewelry", { - overlay = category.overlay, - categoryIndex = index, - category = category.propId, - component = component, - drawable = drawable, - }, 1) - end, - }) - end - end - end - end - end - end -end) - ---- Exports shop -ShopContext["jewelry"] = JewelryShop:new("Bijoutier", "jewelry", {sprite = 617, color = 0}, "u_m_m_jewelsec_01") diff --git a/resources/[soz]/soz-shops/client/shops/supermarket.lua b/resources/[soz]/soz-shops/client/shops/supermarket.lua deleted file mode 100644 index b3b062d97c..0000000000 --- a/resources/[soz]/soz-shops/client/shops/supermarket.lua +++ /dev/null @@ -1,51 +0,0 @@ ---- @class SupermarketShop -SupermarketShop = {} - -function SupermarketShop:new(...) - local shop = setmetatable(ShopShell:new(...), {__index = SupermarketShop}) - setmetatable(SupermarketShop, {__index = ShopShell}) - return shop -end - -function SupermarketShop:getShopProducts() - return Config.Products[self.brand] -end - -function SupermarketShop:GenerateMenu() - shopMenu.Texture = "menu_shop_supermarket" - shopMenu:ClearItems() - shopMenu:SetSubtitle(self.label) - - for itemID, item in pairs(self:getShopProducts()) do - if QBCore.Shared.Items[item.name] and item.amount > 0 then - shopMenu:AddButton({ - label = QBCore.Shared.Items[item.name].label, - value = itemID, - rightLabel = "$" .. QBCore.Shared.GroupDigits(item.price), - select = function(val) - local amount = exports["soz-hud"]:Input("Quantité", 4, "1") - - if amount and tonumber(amount) > 0 then - TriggerServerEvent("shops:server:pay", self.brand, val.Value, tonumber(amount)) - - shopMenu:Close() - self:GenerateMenu() - end - - end, - }) - end - end - - shopMenu:Open() -end - ---- Exports shop -ShopContext["247supermarket-north"] = SupermarketShop:new("Superette", "247supermarket-north", {sprite = 52, color = 2}, "ig_ashley") -ShopContext["247supermarket-south"] = SupermarketShop:new("Superette", "247supermarket-south", {sprite = 52, color = 2}, "cs_ashley") -ShopContext["ltdgasoline-north"] = SupermarketShop:new("Superette", "ltdgasoline-north", {sprite = 52, color = 2}, "s_m_m_autoshop_01") -ShopContext["ltdgasoline-south"] = SupermarketShop:new("Superette", "ltdgasoline-south", {sprite = 52, color = 2}, "s_m_m_autoshop_02") -ShopContext["robsliquor-north"] = SupermarketShop:new("Superette", "robsliquor-north", {sprite = 52, color = 2}, "a_m_m_genfat_02") -ShopContext["robsliquor-south"] = SupermarketShop:new("Superette", "robsliquor-south", {sprite = 52, color = 2}, "a_m_m_genfat_01") - -ShopContext["zkea"] = SupermarketShop:new("Zkea", "zkea", {sprite = 123, color = 69}, "ig_brad") diff --git a/resources/[soz]/soz-shops/client/shops/tattoo.lua b/resources/[soz]/soz-shops/client/shops/tattoo.lua deleted file mode 100644 index 507a869f0e..0000000000 --- a/resources/[soz]/soz-shops/client/shops/tattoo.lua +++ /dev/null @@ -1,229 +0,0 @@ ---- @class TattooShop -TattooShop = {} -local cam, camVariationList, camVariationId, camVariationCoord = nil, {}, 1, nil - -function TattooShop:new(...) - local shop = setmetatable(ShopShell:new(...), {__index = TattooShop}) - setmetatable(TattooShop, {__index = ShopShell}) - return shop -end - -function TattooShop:getShopProducts() - return Config.Products["tattoo"] -end - -function TattooShop:SetupScaleform(scaleformType) - local scaleform = RequestScaleformMovie(scaleformType) - while not HasScaleformMovieLoaded(scaleform) do - Wait(0) - end - - -- draw it once to set up layout - DrawScaleformMovieFullscreen(scaleform, 255, 255, 255, 0, 0) - - BeginScaleformMovieMethod(scaleform, "CLEAR_ALL") - EndScaleformMovieMethod() - - BeginScaleformMovieMethod(scaleform, "SET_CLEAR_SPACE") - ScaleformMovieMethodAddParamInt(200) - EndScaleformMovieMethod() - - BeginScaleformMovieMethod(scaleform, "SET_DATA_SLOT") - ScaleformMovieMethodAddParamInt(0) - ScaleformMovieMethodAddParamPlayerNameString(GetControlInstructionalButton(0, 21, true)) - BeginTextCommandScaleformString("STRING") - AddTextComponentSubstringKeyboardDisplay("Faire pivoter la caméra") - EndTextCommandScaleformString() - EndScaleformMovieMethod() - - BeginScaleformMovieMethod(scaleform, "DRAW_INSTRUCTIONAL_BUTTONS") - EndScaleformMovieMethod() - - BeginScaleformMovieMethod(scaleform, "SET_BACKGROUND_COLOUR") - ScaleformMovieMethodAddParamInt(0) - ScaleformMovieMethodAddParamInt(0) - ScaleformMovieMethodAddParamInt(0) - ScaleformMovieMethodAddParamInt(80) - EndScaleformMovieMethod() - - return scaleform -end - -function TattooShop:GenerateMenu(skipIntro) - shopMenu.Texture = "menu_shop_tattoo" - shopMenu:ClearItems() - shopMenu:SetSubtitle(self.label) - - local gender = QBCore.Functions.GetPlayerData().charinfo.gender - - self:PreGenerateMenu(skipIntro) - - shopMenu:AddButton({ - icon = "⚠️", - label = "Se faire retirer les tatouages", - description = "Suite à une encre de mauvaise qualité, vous pouvez retirer tous vos tatouages.", - value = nil, - select = function(item) - local validation = exports["soz-hud"]:Input("Voulez-vous vraiment ce tatouage ? [oui/non]", 3) - if validation == "oui" then - TriggerServerEvent("shops:server:resetTattoos") - end - end, - }) - - for categoryId, category in pairs(Config.TattooCategories) do - if MenuV:IsNamespaceAvailable("tattoo:cat:" .. categoryId) then - Config.TattooCategories[categoryId].menu = MenuV:InheritMenu(shopMenu, {Subtitle = category.label}, "tattoo:cat:" .. categoryId) - end - - Config.TattooCategories[categoryId].menu:ClearItems() - - if #camVariationList == 0 and camVariationCoord == nil then - camVariationList = category.cam - camVariationCoord = category.player - - self:UpdateCam() - end - - Config.TattooCategories[categoryId].menu:On("open", function() - camVariationList = category.cam - camVariationCoord = category.player - end) - - Config.TattooCategories[categoryId].menu:On("switch", function(_, currentItem) - self:MenuEntryAction(currentItem) - self:UpdateCam() - end) - - shopMenu:AddButton({label = category.label, value = Config.TattooCategories[categoryId].menu}) - end - - TriggerScreenblurFadeIn(50) - for _, tattoo in pairs(self:getShopProducts()) do - local overlayField = gender == 0 and "HashNameMale" or "HashNameFemale" - - if tattoo[overlayField] ~= "" then - local label = GetLabelText(tattoo["Name"]) - if label == "NULL" or tattoo["LocalizedName"] ~= nil then - label = tattoo["LocalizedName"] - end - if label == nil then - print(tattoo["Name"]) - else - Config.TattooCategories[tattoo["Zone"]].menu:AddButton({ - label = label, - value = {collection = tattoo["Collection"], overlay = tattoo[overlayField]}, - rightLabel = "$" .. QBCore.Shared.GroupDigits(tattoo["Price"]), - select = function(item) - local validation = exports["soz-hud"]:Input("Voulez-vous vraiment ce tatouage ? [oui/non]", 3) - if validation == "oui" then - TriggerServerEvent("shops:server:pay", "tattoo", item:GetValue(), 1) - end - end, - }) - end - - QBCore.Functions.DrawText(0.4, 0.9, 0.0, 0.0, 0.8, 255, 255, 255, 255, "Chargement en cours...") - Citizen.Wait(0) - end - end - TriggerScreenblurFadeOut(50) - - shopMenu:On("close", function(m) - self:OnMenuClose() - m:ClearItems() - end) - - shopMenu:Open() -end - -function TattooShop:PreGenerateMenu(skipIntro) - if skipIntro ~= true and Config.TattooLocationsInShop[currentShop] then - TaskGoStraightToCoord(PlayerPedId(), Config.TattooLocationsInShop[currentShop].x, Config.TattooLocationsInShop[currentShop].y, - Config.TattooLocationsInShop[currentShop].z, 1.0, 1000, Config.TattooLocationsInShop[currentShop].w, 0.0) - Wait(4000) - end - - -- set naked - TriggerEvent("soz-character:Client:SetTemporaryNaked", true) - - self:DeleteCam() - self:CreateCam() - - CreateThread(function() - local sc = self:SetupScaleform("instructional_buttons") - while shopMenu.IsOpen do - DisableControlAction(0, 32, true) -- W - DisableControlAction(0, 34, true) -- A - DisableControlAction(0, 31, true) -- S - DisableControlAction(0, 30, true) -- D - DisableControlAction(0, 22, true) -- Jump - DisableControlAction(0, 44, true) -- Cover - - if IsControlJustPressed(0, 21) then - if camVariationId == #camVariationList then - camVariationId = 1 - else - camVariationId = camVariationId + 1 - end - - self:UpdateCam() - end - - DrawScaleformMovieFullscreen(sc, 255, 255, 255, 255, 0) - - Wait(0) - end - end) -end - -function TattooShop:OnMenuClose() - self:DeleteCam() - - -- Unset naked - TriggerEvent("soz-character:Client:ApplyCurrentClothConfig") - TriggerEvent("soz-character:Client:ApplyCurrentSkin") -end - -function TattooShop:MenuEntryAction(item) - local playerData = QBCore.Functions.GetPlayerData() - local skin = playerData.skin - - skin.Tattoos = skin.Tattoos or {} - - table.insert(skin.Tattoos, { - Collection = GetHashKey(item.Value.collection), - Overlay = GetHashKey(item.Value.overlay), - }) - - TriggerEvent("soz-character:Client:ApplyTemporarySkin", skin) -end - -function TattooShop:CreateCam() - if not DoesCamExist(cam) then - cam = CreateCam("DEFAULT_SCRIPTED_CAMERA", 1) - SetCamActive(cam, true) - RenderScriptCams(true, false, 0, true, true) - StopCamShaking(cam, true) - end -end - -function TattooShop:UpdateCam() - if GetCamCoord(cam) ~= GetOffsetFromEntityInWorldCoords(PlayerPedId(), camVariationList[camVariationId]) then - SetCamCoord(cam, GetOffsetFromEntityInWorldCoords(PlayerPedId(), camVariationList[camVariationId])) - PointCamAtCoord(cam, GetOffsetFromEntityInWorldCoords(PlayerPedId(), camVariationCoord)) - end -end - -function TattooShop:DeleteCam() - if DoesCamExist(cam) then - DetachCam(cam) - SetCamActive(cam, false) - RenderScriptCams(false, false, 0, 1, 0) - DestroyCam(cam, false) - end - camVariationList, camVariationId, camVariationCoord = {}, 1, nil -end - ---- Exports functions -ShopContext["tattoo"] = TattooShop:new("Tatoueur", "tattoo", {sprite = 75, color = 1}, "u_m_y_tattoo_01") diff --git a/resources/[soz]/soz-shops/client/shops/weapon.lua b/resources/[soz]/soz-shops/client/shops/weapon.lua deleted file mode 100644 index 72949d8083..0000000000 --- a/resources/[soz]/soz-shops/client/shops/weapon.lua +++ /dev/null @@ -1,66 +0,0 @@ ---- @class WeaponShop -WeaponShop = {} - -function WeaponShop:new(...) - local shop = setmetatable(ShopShell:new(...), {__index = WeaponShop}) - setmetatable(WeaponShop, {__index = ShopShell}) - return shop -end - -function WeaponShop:getShopProducts() - return Config.Products["ammunation"] -end - -function WeaponShop:FilterItems() - local items = {} - local playerData = QBCore.Functions.GetPlayerData() - - for id, product in pairs(self:getShopProducts()) do - if not product.requiredJob and not product.requiredLicense then - items[id] = product - else - if product.requiredLicense and playerData.metadata["licences"]["weapon"] == true then - items[id] = product - elseif product.requiredJob and product.requiredJob == playerData.job.id then - items[id] = product - end - end - end - - return items -end - -function WeaponShop:GenerateMenu() - shopMenu.Texture = "menu_shop_ammunation" - shopMenu:ClearItems() - shopMenu:SetSubtitle(self.label) - - for itemID, item in pairs(self:FilterItems()) do - if QBCore.Shared.Items[item.name] and item.amount > 0 then - shopMenu:AddButton({ - label = QBCore.Shared.Items[item.name].label, - value = itemID, - rightLabel = "$" .. QBCore.Shared.GroupDigits(item.price), - select = function(val) - local amount = 1 - if item.type == "ammo" then - amount = exports["soz-hud"]:Input("Quantité", 4, "1") - end - - if amount and tonumber(amount) > 0 then - TriggerServerEvent("shops:server:pay", "ammunation", val.Value, tonumber(amount)) - - shopMenu:Close() - self:GenerateMenu() - end - - end, - }) - end - end - - shopMenu:Open() -end - ---- Exports shop -ShopContext["ammunation"] = WeaponShop:new("Ammu-Nation", "ammunation", {sprite = 110, color = 17}, "s_m_y_ammucity_01") diff --git a/resources/[soz]/soz-shops/config/_main.lua b/resources/[soz]/soz-shops/config/_main.lua deleted file mode 100644 index 3054bad2be..0000000000 --- a/resources/[soz]/soz-shops/config/_main.lua +++ /dev/null @@ -1,47 +0,0 @@ -Config = {} - -Config.Products = {} -Config.Locations = {} - -if IsDuplicityVersion() then - Config.CharacterComponentList = {} - Config.CharacterComponentColors = {} - - function GetLabelText(label) - return "#" .. label - end -else - Config.CharacterComponentList = exports["soz-character"]:GetLabels() - Config.CharacterComponentColors = exports["soz-character"]:GetColors() - - CreateThread(function() - local numHairColors = GetNumHairColors(); - local numMakeupColors = GetNumMakeupColors(); - - for i = 0, numHairColors - 1 do - local r, g, b = GetHairRgbColor(i); - - table.insert(Config.CharacterComponentColors.Hair, { - value = i, - label = "HAIR_COLOR_" .. i, - r = r, - g = g, - b = b, - }); - end - - for i = 0, numMakeupColors - 1 do - local r, g, b = GetMakeupRgbColor(i); - - table.insert(Config.CharacterComponentColors.Makeup, { - value = i, - label = "MAKEUP_COLOR_" .. i, - r = r, - g = g, - b = b, - }); - end - end) -end - -Config.ShopsPedEntity = {} diff --git a/resources/[soz]/soz-shops/config/barber.lua b/resources/[soz]/soz-shops/config/barber.lua deleted file mode 100644 index 5e86b28df9..0000000000 --- a/resources/[soz]/soz-shops/config/barber.lua +++ /dev/null @@ -1,118 +0,0 @@ -Config.Products["barber"] = { - [GetHashKey("mp_m_freemode_01")] = { - { - price = 30, - category = "Hair", - label = "Cheveux", - overlay = "Hair", - components = {["HairType"] = true, ["HairColor"] = true, ["HairSecondaryColor"] = true}, - items = Config.CharacterComponentList.HairMale, - }, - { - price = 15, - category = "Beard", - label = "Barbe", - overlay = "Hair", - components = {["BeardType"] = true, ["BeardColor"] = true, ["BeardOpacity"] = true}, - items = Config.CharacterComponentList.BeardMale, - }, - { - price = 20, - category = "Makeup", - label = "Maquillage", - overlay = "Makeup", - components = { - ["FullMakeupType"] = true, - ["FullMakeupDefaultColor"] = true, - ["FullMakeupPrimaryColor"] = true, - ["FullMakeupSecondaryColor"] = true, - ["FullMakeupOpacity"] = true, - }, - items = Config.CharacterComponentList.Makeup, - }, - }, - [GetHashKey("mp_f_freemode_01")] = { - { - price = 30, - category = "Hair", - label = "Cheveux", - overlay = "Hair", - components = {["HairType"] = true, ["HairColor"] = true, ["HairSecondaryColor"] = true}, - items = Config.CharacterComponentList.HairFemale, - }, - { - price = 15, - category = "Blush", - label = "Blush", - overlay = "Makeup", - components = {["BlushType"] = true, ["BlushColor"] = true, ["BlushOpacity"] = true}, - items = Config.CharacterComponentList.Blush, - }, - { - price = 15, - category = "Lipstick", - label = "Rouge à lèvre", - overlay = "Makeup", - components = {["LipstickType"] = true, ["LipstickColor"] = true, ["LipstickOpacity"] = true}, - items = Config.CharacterComponentList.Lipstick, - }, - { - price = 20, - category = "Makeup", - label = "Maquillage", - overlay = "Makeup", - components = { - ["FullMakeupType"] = true, - ["FullMakeupDefaultColor"] = true, - ["FullMakeupPrimaryColor"] = true, - ["FullMakeupSecondaryColor"] = true, - ["FullMakeupOpacity"] = true, - }, - items = Config.CharacterComponentList.Makeup, - }, - }, -} - -Config.Locations["barber"] = { - ["barber"] = vector4(-813.4, -181.86, 37.57, 126.21), - ["barber2"] = vector4(138.35, -1708.18, 29.3, 110.08), - ["barber3"] = vector4(1212.64, -474.02, 66.22, 42.01), - ["barber4"] = vector4(-278.59, 6227.0, 31.71, 23.14), - ["barber5"] = vector4(-1282.2, -1118.39, 7.0, 62.16), - ["barber6"] = vector4(1932.48, 3731.46, 32.85, 181.57), - ["barber7"] = vector4(-34.41, -152.48, 57.09, 327.14), -} - -if not IsDuplicityVersion() then - Config.CharacterComponentList = exports["soz-character"]:GetLabels() - Config.CharacterComponentColors = exports["soz-character"]:GetColors() - - CreateThread(function() - local numHairColors = GetNumHairColors(); - local numMakeupColors = GetNumMakeupColors(); - - for i = 0, numHairColors - 1 do - local r, g, b = GetHairRgbColor(i); - - table.insert(Config.CharacterComponentColors.Hair, { - value = i, - label = "HAIR_COLOR_" .. i, - r = r, - g = g, - b = b, - }); - end - - for i = 0, numMakeupColors - 1 do - local r, g, b = GetMakeupRgbColor(i); - - table.insert(Config.CharacterComponentColors.Makeup, { - value = i, - label = "MAKEUP_COLOR_" .. i, - r = r, - g = g, - b = b, - }); - end - end) -end diff --git a/resources/[soz]/soz-shops/config/clothing.lua b/resources/[soz]/soz-shops/config/clothing.lua deleted file mode 100644 index 2bab741bc7..0000000000 --- a/resources/[soz]/soz-shops/config/clothing.lua +++ /dev/null @@ -1,925 +0,0 @@ --- Keep compatibility with current system -Config.Products["ponsonbys"] = {} -Config.Products["suburban"] = {} -Config.Products["binco"] = {} - -Config.ClothingLocationsInShop = { - ["ponsonbys1"] = vector4(-705.48, -152.0, 37.42, 277.09), - ["ponsonbys2"] = vector4(-166.93, -300.1, 39.73, 63.27), - ["ponsonbys3"] = vector4(-1448.08, -241.41, 49.82, 214.5), - ["suburban1"] = vector4(117.5, -226.73, 54.56, 250.04), - -- ["suburban2"] = vector4(620.16, 2769.12, 42.09, 37.44), Replaced by UPW - ["suburban3"] = vector4(-1184.8, -769.37, 17.33, 40.76), - ["suburban4"] = vector4(-3178.92, 1041.06, 20.86, 237.32), - ["binco1"] = vector4(429.78, -812.19, 29.49, 357.94), - ["binco2"] = vector4(-819.41, -1066.95, 11.33, 122.24), - ["binco3"] = vector4(71.11, -1386.93, 29.38, 180.38), - ["binco4"] = vector4(3.32, 6505.31, 31.88, 312.0), - ["binco5"] = vector4(1698.91, 4817.47, 42.06, 5.87), - ["binco6"] = vector4(1202.65, 2714.47, 38.22, 87.5), - ["binco7"] = vector4(-1099.84, 2717.69, 19.11, 135.67), -} - -Config.ClothingCameraPositionsInShop = { - ["ponsonbys1"] = vector4(-703.22, -152.0, 37.42, 91.85), - ["ponsonbys2"] = vector4(-168.39, -298.7, 39.73, 218.13), - ["ponsonbys3"] = vector4(-1447.43, -243.13, 49.82, 24.69), - ["suburban1"] = vector4(118.71, -228.28, 54.56, 25.09), - ["suburban3"] = vector4(-1185.04, -767.84, 17.33, 185.19), - ["suburban4"] = vector4(-3177.37, 1039.44, 20.86, 24.7), - ["binco1"] = vector4(429.64, -810.34, 29.49, 185.29), - ["binco2"] = vector4(-820.94, -1067.97, 11.33, 302.64), - ["binco3"] = vector4(71.31, -1388.83, 29.38, 357.27), - ["binco4"] = vector4(4.7, 6506.85, 31.88, 133.22), - ["binco5"] = vector4(1698.54, 4819.34, 42.06, 187.54), - ["binco6"] = vector4(1200.77, 2714.4, 38.22, 270.77), - ["binco7"] = vector4(-1101.08, 2716.36, 19.11, 310.78), -} - -Config.Locations["ponsonbys"] = { - ["ponsonbys1"] = vector4(-707.84, -152.87, 37.42, 125.7), - ["ponsonbys2"] = vector4(-164.61, -301.41, 39.73, 256.5), - ["ponsonbys3"] = vector4(-1449.84, -239.20, 49.81, 50.99), -} - -Config.Locations["suburban"] = { - ["suburban1"] = vector4(127.42, -223.54, 54.56, 71.99), - ["suburban3"] = vector4(-1194.53, -767.30, 17.32, 216.9), - ["suburban4"] = vector4(-3168.95, 1043.83, 20.86, 70.68), -} - -Config.Locations["binco"] = { - ["binco1"] = vector4(427.32, -806.08, 29.49, 87.53), - ["binco2"] = vector4(-823.21, -1072.28, 11.33, 208.86), - ["binco3"] = vector4(73.65, -1392.97, 29.38, 268.02), - ["binco4"] = vector4(6.12, 6511.31, 31.88, 47.79), - ["binco5"] = vector4(1695.48, 4823.14, 42.06, 114.62), - ["binco6"] = vector4(1196.47, 2711.95, 38.22, 179.31), - ["binco7"] = vector4(-1102.70, 2711.59, 19.11, 229.23), -} - -Config.Torsos = { - [GetHashKey("mp_m_freemode_01")] = { - [0] = 0, - [1] = 0, - [2] = 15, - [3] = 14, - [4] = 14, - [5] = 5, - [6] = 14, - [7] = 14, - [8] = 8, - [9] = 0, - [10] = 14, - [11] = 15, - [12] = 1, - [13] = 11, - [14] = 4, - [15] = 15, -- Torse nu - [16] = 0, - [17] = 5, - [18] = 0, - [19] = 14, - [20] = 14, - [21] = 15, - [22] = 0, - [23] = 14, - [24] = 14, - [25] = 15, - [26] = 11, - [27] = 14, - [28] = 14, - [29] = 6, -- needs undershirt - [30] = 6, -- needs undershirt - [31] = 6, -- needs undershirt - [32] = 6, -- needs undershirt - [33] = 0, - [34] = 0, - [35] = 14, - [36] = 5, - [37] = 14, - [38] = 8, - [39] = 0, - [40] = 15, - [41] = 1, - [42] = 11, - [43] = 11, - [44] = 0, - [45] = 15, - [46] = 14, - [47] = 0, - [48] = 1, - [49] = 1, - [50] = 1, - [51] = 1, - [52] = 4, - [53] = 4, - [54] = 4, - [55] = 0, - [56] = 0, - [57] = 1, - [58] = 14, - [59] = 14, - [60] = 0, -- needs undershirt - [61] = 1, - [62] = 14, - [63] = 0, - [64] = 14, - [65] = 14, - [66] = 15, -- doomed - [67] = 14, -- doomed ou need pantalon très long - [68] = 14, -- Attention coupe de cheveux (capuche) - [69] = 14, - [70] = 14, - [71] = 0, - [72] = 14, - [73] = 0, - [74] = 14, - [75] = 1, - [76] = 6, - [77] = 14, -- needs under - [78] = 6, - [79] = 6, - [80] = 0, - [81] = 0, - [82] = 0, - [83] = 0, - [84] = 4, - [85] = 1, - [86] = 1, - [87] = 1, - [88] = 14, - [89] = 2, - [90] = 1, - [91] = 14, -- torse nu - [92] = 6, - [93] = 0, - [94] = 0, -- need pantalon - [95] = 11, - [96] = 1, - [97] = 0, - [98] = 1, -- need pantalon - [99] = 14, - [100] = 14, - [101] = 14, -- bugged - [102] = 14, -- bugged - [103] = 14, -- bugged - [104] = 15, - [105] = 0, - [106] = 14, - [107] = 4, - [108] = 15, - [109] = 5, - [110] = 4, - [111] = 4, - [112] = 14, - [113] = 6, - [114] = 14, -- doomed or pants - [115] = 14, - [116] = 14, - [117] = 6, - [118] = 14, - [119] = 14, - [120] = 15, - [121] = 4, - [122] = 14, - [123] = 0, - [124] = 14, - [125] = 4, - [126] = 4, - [127] = 14, - [128] = 0, - [129] = 4, - [130] = 14, - [131] = 0, - [132] = 0, - [133] = 11, - [134] = 4, - [135] = 0, - [136] = 14, - [137] = 5, - [138] = 4, - [139] = 4, - [140] = 14, - [141] = 6, - [142] = 14, - [143] = 4, - [144] = 6, - [145] = 14, - [146] = 0, - [147] = 4, - [148] = 4, - [149] = 14, - [150] = 4, - [151] = 14, - [152] = 4, - [153] = 4, - [154] = 6, - [155] = 14, - [156] = 14, - [157] = 15, - [158] = 5, - [159] = 15, - [160] = 15, - [161] = 6, - [162] = 5, - [163] = 14, - [164] = 0, - [165] = 6, - [166] = 14, - [167] = 14, - [168] = 6, - [169] = 14, - [170] = 15, - [171] = 4, - [172] = 14, - [173] = 15, - [174] = 6, - [175] = 5, - [176] = 14, - [177] = 5, - [178] = 4, - [179] = 15, - [180] = 5, - [181] = 14, - [182] = 4, - [183] = 14, - [184] = 4, - [185] = 14, - [186] = 4, - [187] = 6, - [188] = 4, - [189] = 14, - [190] = 0, - [191] = 14, - [192] = 14, - [193] = 0, - [194] = 6, - [195] = 6, - [196] = 6, - [197] = 6, - [198] = 6, - [199] = 6, - [200] = 4, - [201] = 3, - [202] = 5, - [203] = 6, - [204] = 6, - [205] = 5, - [206] = 5, - [207] = 5, - [208] = 0, - [209] = 4, - [210] = 4, - [211] = 4, - [212] = 14, - [213] = 0, - [214] = 4, - [215] = 14, - [216] = 15, - [217] = 4, - [218] = 4, - [219] = 5, - [220] = 4, - [221] = 4, - [222] = 0, - [223] = 5, - [224] = 6, - [225] = 8, - [226] = 0, - [227] = 4, - [228] = 4, - [229] = 4, - [230] = 14, - [231] = 4, - [232] = 14, - [233] = 14, - [234] = 0, - [235] = 0, - [236] = 0, - [237] = 5, - [238] = 5, - [239] = 5, - [240] = 14, - [241] = 0, - [242] = 0, - [243] = 4, - [244] = 6, - [245] = 6, - [246] = 7, - [247] = 5, - [248] = 6, - [249] = 6, - [250] = 0, - [251] = 4, - [252] = 15, -- nu - [253] = 4, - [254] = 4, - [255] = 4, - [256] = 4, - [257] = 6, - [258] = 6, - [259] = 6, - [260] = 11, - [261] = 14, - [262] = 4, - [263] = 6, - [264] = 6, - [265] = 4, - [266] = 14, - [267] = 14, - [268] = 14, - [269] = 14, - [270] = 4, - [271] = 0, - [272] = 4, - [273] = 0, - [274] = 7, - [275] = 4, - [276] = 4, - [277] = 0, -- doomed - [278] = 4, - [279] = 4, - [280] = 4, - [281] = 6, - [282] = 0, - [283] = 4, - [284] = 4, - [285] = 6, - [286] = 4, - [287] = 7, - [288] = 6, - [289] = 5, - [290] = 15, - [291] = 14, -- doomed gloves - [292] = 14, - [293] = 14, - [294] = 14, - [295] = 14, - [296] = 4, - [297] = 4, - [298] = 4, - [299] = 11, - [300] = 4, - [301] = 4, - [302] = 4, - [303] = 14, - [304] = 14, - [305] = 4, - [306] = 6, - [307] = 6, - [308] = 4, - [309] = 14, - [310] = 14, -- doomed - [311] = 14, - [312] = 14, - [313] = 0, - [314] = 4, - [315] = 4, - [316] = 4, - [317] = 4, - [318] = 11, - [319] = 11, - [320] = 4, - [321] = 4, - [322] = 4, - [323] = 0, - [324] = 4, - [325] = 0, - [326] = 6, - [327] = 5, - [328] = 4, - [329] = 4, - [330] = 4, - [331] = 6, - [332] = 6, - [333] = 0, -- doomed - [334] = 0, - [335] = 8, - [336] = 4, - [337] = 11, - [338] = 14, - [339] = 14, - [340] = 14, - [341] = 4, - [342] = 4, - [343] = 4, - [344] = 14, - [345] = 0, - [346] = 14, - [347] = 14, - [348] = 4, - [349] = 4, - [350] = 0, - [351] = 0, - [352] = 4, - [353] = 4, - [354] = 11, - [355] = 14, - [356] = 8, - [357] = 5, - [358] = 6, - [359] = 4, - [360] = 14, - [361] = 4, - [362] = 15, - [363] = 4, - [364] = 15, -- doomed or pants - [365] = 15, - [366] = 15, - [367] = 15, - [368] = 6, - [369] = 5, - [370] = 6, - [371] = 4, - [372] = 7, - [373] = 14, - [374] = 14, - [375] = 11, - [376] = 0, - [377] = 14, - [378] = 6, - [379] = 4, - [380] = 4, - [381] = 14, - [382] = 0, - [383] = 0, - [384] = 4, - [385] = 6, - [386] = 4, - [387] = 14, - [388] = 6, - [389] = 6, - [390] = 14, - [391] = 14, - [392] = 0, - [393] = 6, - [394] = 5, - [395] = 6, - [396] = 5, - [397] = 0, -- doomed - [398] = 6, - [399] = 5, - [400] = 6, - [401] = 6, - [402] = 4, - [403] = 14, - [404] = 5, - [405] = 5, - [406] = 0, - [407] = 5, - [408] = 4, - [409] = 14, - [410] = 6, - [411] = 6, - [412] = 5, - [413] = 6, - [414] = 14, - [415] = 14, - }, - [GetHashKey("mp_f_freemode_01")] = { - [0] = 15, - [1] = 5, - [2] = 2, - [3] = 3, - [4] = 4, - [5] = 4, - [6] = 5, - [7] = 6, - [8] = 5, - [9] = 0, - [10] = 5, - [11] = 4, - [12] = 12, - [13] = 4, - [14] = 14, - [15] = 15, -- torse nu - [16] = 15, - [17] = 9, - [18] = 15, - [19] = 0, - [20] = 5, - [21] = 11, - [22] = 4, - [23] = 0, - [24] = 5, - [25] = 5, - [26] = 12, - [27] = 0, -- needs pants - [28] = 15, -- under - [29] = 15, -- doomed - [30] = 2, - [31] = 5, - [32] = 4, - [33] = 4, - [34] = 6, - [35] = 5, - [36] = 4, - [37] = 4, - [38] = 2, - [39] = 5, - [40] = 2, - [41] = 5, - [42] = 3, - [43] = 3, - [44] = 3, - [45] = 3, - [46] = 3, -- need high pants - [47] = 3, -- need high pants - [48] = 14, -- need high pants - [49] = 0, - [50] = 3, - [51] = 15, - [52] = 15, - [53] = 5, - [54] = 5, - [55] = 5, - [56] = 14, - [57] = 6, - [58] = 5, - [59] = 0, -- pants - [60] = 3, -- maxi pants or doomed - [61] = 3, -- maxi pants or doomed - [62] = 5, -- cheveux (capuche) - [63] = 0, - [64] = 6, - [65] = 6, - [66] = 6, - [67] = 2, - [68] = 0, - [69] = 5, - [70] = 0, - [71] = 0, - [72] = 0, - [73] = 14, - [74] = 15, - [75] = 9, - [76] = 2, - [77] = 0, - [78] = 5, - [79] = 0, - [80] = 0, - [81] = 0, - [82] = 15, -- nothing - [83] = 0, - [84] = 14, - [85] = 14, - [86] = 0, - [87] = 14, - [88] = 14, - [89] = 5, - [90] = 6, - [91] = 6, - [92] = 5, - [93] = 5, - [94] = 5, - [95] = 0, -- undershirt needed - [96] = 0, - [97] = 6, - [98] = 0, - [99] = 0, -- undershirt needed - [100] = 0, -- doomed - [101] = 15, - [102] = 14, - [103] = 3, - [104] = 5, - [105] = 15, - [106] = 6, - [107] = 15, - [108] = 5, - [109] = 0, - [110] = 1, - [111] = 15, - [112] = 4, - [113] = 4, - [114] = 4, - [115] = 4, - [116] = 4, - [117] = 11, - [118] = 4, - [119] = 0, - [120] = 5, - [121] = 3, - [122] = 3, - [123] = 0, - [124] = 0, -- doomed - [125] = 14, - [126] = 14, - [127] = 0, - [128] = 14, - [129] = 14, - [130] = 0, - [131] = 3, - [132] = 0, - [133] = 5, - [134] = 0, -- doomed - [135] = 3, - [136] = 3, - [137] = 5, - [138] = 6, - [139] = 5, - [140] = 0, - [141] = 0, - [142] = 14, - [143] = 5, - [144] = 3, - [145] = 3, - [146] = 7, - [147] = 0, - [148] = 5, - [149] = 0, - [150] = 0, - [151] = 0, - [152] = 7, - [153] = 5, - [154] = 15, - [155] = 15, - [156] = 15, - [157] = 15, - [158] = 0, - [159] = 4, - [160] = 15, - [161] = 9, - [162] = 0, - [163] = 5, - [164] = 5, - [165] = 0, - [166] = 5, - [167] = 15, - [168] = 4, - [169] = 4, - [170] = 4, - [171] = 4, - [172] = 3, - [173] = 4, - [174] = 5, - [175] = 15, - [176] = 1, - [177] = 4, - [178] = 4, - [179] = 11, - [180] = 1, - [181] = 15, - [182] = 4, - [183] = 5, - [184] = 3, - [185] = 6, - [186] = 1, - [187] = 5, - [188] = 1, - [189] = 1, - [190] = 1, - [191] = 5, - [192] = 0, - [193] = 5, - [194] = 6, - [195] = 4, - [196] = 1, - [197] = 1, - [198] = 0, - [199] = 0, - [200] = 1, - [201] = 1, - [202] = 4, - [203] = 8, - [204] = 11, - [205] = 2, - [206] = 1, - [207] = 11, - [208] = 11, - [209] = 11, - [210] = 11, - [211] = 11, - [212] = 14, - [213] = 1, - [214] = 1, - [215] = 1, - [216] = 5, - [217] = 4, - [218] = 4, - [219] = 4, - [220] = 15, - [221] = 4, - [222] = 4, - [223] = 4, - [224] = 14, - [225] = 4, - [226] = 11, - [227] = 1, - [228] = 1, - [229] = 11, - [230] = 1, - [231] = 1, - [232] = 1, - [233] = 0, - [234] = 11, - [235] = 6, - [236] = 1, - [237] = 3, - [238] = 3, - [239] = 3, - [240] = 5, - [241] = 3, - [242] = 6, - [243] = 6, - [244] = 0, - [245] = 0, - [246] = 0, - [247] = 4, - [248] = 5, - [249] = 14, - [250] = 14, - [251] = 3, - [252] = 1, - [253] = 1, - [254] = 8, - [255] = 11, - [256] = 9, - [257] = 6, - [258] = 0, - [259] = 3, - [260] = 15, -- nothing - [261] = 3, - [262] = 0, - [263] = 3, - [264] = 3, - [265] = 3, - [266] = 9, - [267] = 9, - [268] = 9, - [269] = 9, - [270] = 5, - [271] = 9, - [272] = 9, - [273] = 9, - [274] = 3, - [275] = 5, - [276] = 6, - [277] = 6, - [278] = 6, - [279] = 15, - [280] = 14, - [281] = 14, - [282] = 3, - [283] = 12, - [284] = 4, - [285] = 3, - [286] = 14, - [287] = 8, - [288] = 3, - [289] = 3, - [290] = 0, -- doomed - [291] = 3, - [292] = 3, - [293] = 3, - [294] = 9, - [295] = 9, - [296] = 3, -- doomed - [297] = 3, - [298] = 3, - [299] = 3, - [300] = 8, - [301] = 9, - [302] = 11, - [303] = 11, - [304] = 9, - [305] = 6, - [306] = 6, - [307] = 3, - [308] = 3, - [309] = 3, - [310] = 9, - [311] = 3, - [312] = 3, - [313] = 3, - [314] = 5, - [315] = 5, - [316] = 3, - [317] = 3, - [318] = 9, - [319] = 3, - [320] = 5, - [321] = 4, - [322] = 11, - [323] = 11, - [324] = 0, - [325] = 3, - [326] = 3, - [327] = 3, - [328] = 3, - [329] = 0, - [330] = 0, - [331] = 3, - [332] = 3, - [333] = 3, - [334] = 11, - [335] = 14, - [336] = 3, - [337] = 14, - [338] = 14, - [339] = 5, - [340] = 5, - [341] = 9, - [342] = 11, - [343] = 3, - [344] = 3, - [345] = 3, - [346] = 3, - [347] = 3, - [348] = 0, -- doomed - [349] = 9, - [350] = 9, - [351] = 3, - [352] = 9, - [353] = 5, - [354] = 5, - [355] = 5, - [356] = 3, - [357] = 0, - [358] = 0, - [359] = 0, - [360] = 0, - [361] = 3, - [362] = 3, - [363] = 5, - [364] = 15, - [365] = 15, - [366] = 3, - [367] = 3, - [368] = 14, - [369] = 14, - [370] = 3, - [371] = 3, - [372] = 9, - [373] = 15, - [374] = 9, - [375] = 11, -- doomed - [376] = 9, - [377] = 14, - [378] = 3, - [379] = 5, - [380] = 3, - [381] = 15, - [382] = 3, - [383] = 3, -- doomed - [384] = 11, - [385] = 15, - [386] = 11, - [387] = 9, - [388] = 11, - [389] = 6, - [390] = 3, - [391] = 8, - [392] = 3, - [393] = 9, - [394] = 3, - [395] = 14, - [396] = 9, - [397] = 3, - [398] = 3, - [399] = 5, - [400] = 14, - [401] = 14, - [402] = 3, - [403] = 5, - [404] = 11, - [405] = 11, - [406] = 5, - [407] = 3, - [408] = 3, - [409] = 3, - [410] = 3, - [411] = 5, - [412] = 5, - [413] = 14, - [414] = 14, - [415] = 11, - [416] = 9, - [417] = 11, - [418] = 9, - [419] = 11, - [420] = 3, -- doomed - [421] = 9, - [422] = 11, - [423] = 9, - [424] = 9, - [425] = 11, - [426] = 3, - [427] = 5, - [428] = 11, - [429] = 11, - [430] = 14, - [431] = 14, - [432] = 4, - [433] = 4, - [434] = 4, - [435] = 3, - [436] = 3, - [437] = 11, - [438] = 11, - [439] = 3, - [440] = 9, - [441] = 6, - [442] = 6, - }, -} diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_ears.json b/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_ears.json deleted file mode 100644 index f9940ed19d..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_ears.json +++ /dev/null @@ -1,234 +0,0 @@ -[ - { - "Oreilles": { - "0": { - "0": { - "GXT": "", - "Localized": "Kit main libre Gris" - } - }, - "1": { - "0": { - "GXT": "", - "Localized": "Kit main libre Rouge" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Kit main libre LCD" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Pendule en Platine" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Pendule en Or" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Goutte d'eau Or" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Goutte d'eau Or" - }, - "1": { - "GXT": "", - "Localized": "Goutte d'eau Platine" - }, - "2": { - "GXT": "", - "Localized": "Goutte d'eau Or Noir" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Cascades de Or" - }, - "1": { - "GXT": "", - "Localized": "Cascades de Platine" - }, - "2": { - "GXT": "", - "Localized": "Cascades de Or Noir" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Totem Or" - }, - "1": { - "GXT": "", - "Localized": "Totem Or noir" - }, - "2": { - "GXT": "", - "Localized": "Totem Platine" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Chaînes de diamants en Or" - }, - "1": { - "GXT": "", - "Localized": "Chaînes de diamants en Platine" - }, - "2": { - "GXT": "", - "Localized": "Chaînes de diamants en Or Noir" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Chaînes d'émeraude en Or" - }, - "1": { - "GXT": "", - "Localized": "Chaînes d'émeraude en Platine" - }, - "2": { - "GXT": "", - "Localized": "Chaînes d'émeraude en Or Noir" - } - }, - "11": { - "0": { - "GXT": "", - "Localized": "Goutte Or" - }, - "1": { - "GXT": "", - "Localized": "Goutte platine" - }, - "2": { - "GXT": "", - "Localized": "Goutte Or noir" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Clous d'oreilles diamants en Platine" - }, - "1": { - "GXT": "", - "Localized": "Clous d'oreilles diamants en Or" - }, - "2": { - "GXT": "", - "Localized": "Clous d'oreilles diamants en Or Noir" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Cerceaux d'Assaut" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Cerceaux en Os" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Cerceaux Classic" - } - }, - "16": { - "0": { - "GXT": "", - "Localized": "Cerceaux Fuuuu..." - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Cerceaux GFYS" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Micros D'Or" - }, - "1": { - "GXT": "", - "Localized": "Micros D'Argent" - } - }, - "19": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles Trèfle" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles Carreaux" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles Coeur" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles Pique" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles Dé Blanc" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles Dé Rouge" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles Dé Beige" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles Dé Gris" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Noir" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Jaune" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Rouge" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Rose" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_glasses.json b/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_glasses.json deleted file mode 100644 index d2a19bbfe5..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_glasses.json +++ /dev/null @@ -1,1550 +0,0 @@ -[ - { - "Lunette de Soleil": { - "0": { - "0": { - "GXT": "", - "Localized": "Frelon Sports" - }, - "1": { - "GXT": "", - "Localized": "à deux tons Sports" - }, - "2": { - "GXT": "", - "Localized": "Orange Sports" - }, - "3": { - "GXT": "", - "Localized": "Bleu Sports" - }, - "4": { - "GXT": "", - "Localized": "Marbre Sports" - }, - "5": { - "GXT": "", - "Localized": "Violet Sports" - }, - "6": { - "GXT": "", - "Localized": "Topaz Sports" - }, - "7": { - "GXT": "", - "Localized": "Beige Sports" - } - }, - "1": { - "0": { - "GXT": "", - "Localized": "Marbre Cuivre" - }, - "1": { - "GXT": "", - "Localized": "Marbre Bleu Teinté" - }, - "2": { - "GXT": "", - "Localized": "Marbre Noir" - }, - "3": { - "GXT": "", - "Localized": "Marbre Violet" - }, - "4": { - "GXT": "", - "Localized": "Marbre Bleu sarcelle" - }, - "5": { - "GXT": "", - "Localized": "Marbre Rouge Teinté" - }, - "6": { - "GXT": "", - "Localized": "Marbre Blanc" - }, - "7": { - "GXT": "", - "Localized": "Marbre Rose Teinté" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Marbre Mademoiselles" - }, - "1": { - "GXT": "", - "Localized": "Cuivre Mademoiselles" - }, - "2": { - "GXT": "", - "Localized": "Orange Teinté Mademoiselles" - }, - "3": { - "GXT": "", - "Localized": "Rose Teinté Mademoiselles" - }, - "4": { - "GXT": "", - "Localized": "Noisetté Mademoiselles" - }, - "5": { - "GXT": "", - "Localized": "Noir Mademoiselles" - }, - "6": { - "GXT": "", - "Localized": "Vintage Rouge Mademoiselles" - }, - "7": { - "GXT": "", - "Localized": "Or Mademoiselles" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Zebra Shields" - }, - "1": { - "GXT": "", - "Localized": "Ombre Shields" - }, - "2": { - "GXT": "", - "Localized": "Flame Shields" - }, - "3": { - "GXT": "", - "Localized": "Violet Shields" - }, - "4": { - "GXT": "", - "Localized": "Sun Shields" - }, - "5": { - "GXT": "", - "Localized": "Argent Accent Shields" - }, - "6": { - "GXT": "", - "Localized": "Party Shields" - }, - "7": { - "GXT": "", - "Localized": "Or Shields" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Noisetté Retro" - }, - "1": { - "GXT": "", - "Localized": "Marbre Retro" - }, - "2": { - "GXT": "", - "Localized": "Beige Retro" - }, - "3": { - "GXT": "", - "Localized": "Aqua Retro" - }, - "4": { - "GXT": "", - "Localized": "Dice Retro" - }, - "5": { - "GXT": "", - "Localized": "Noir Retro" - }, - "6": { - "GXT": "", - "Localized": "Caramel Retro" - }, - "7": { - "GXT": "", - "Localized": "Rouge Retro" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Violet Papillon" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Champagne Infini" - }, - "1": { - "GXT": "", - "Localized": "Platinum Infini" - }, - "2": { - "GXT": "", - "Localized": "Sapphire Infini" - }, - "3": { - "GXT": "", - "Localized": "Amethyst Infini" - }, - "4": { - "GXT": "", - "Localized": "Or Infini" - }, - "5": { - "GXT": "", - "Localized": "Blanc Infini" - }, - "6": { - "GXT": "", - "Localized": "Gris Infini" - }, - "7": { - "GXT": "", - "Localized": "Grenat Infini" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Orange Teinté SquaRed" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Lime Teinté Tireurs" - }, - "1": { - "GXT": "", - "Localized": "Orange Teinté Tireurs" - }, - "2": { - "GXT": "", - "Localized": "Bleu Tireurs" - }, - "3": { - "GXT": "", - "Localized": "Tropique Tireurs" - }, - "4": { - "GXT": "", - "Localized": "Fly Tireurs" - }, - "5": { - "GXT": "", - "Localized": "Cramoisi Tireurs" - }, - "6": { - "GXT": "", - "Localized": "Vert Teinté Tireurs" - }, - "7": { - "GXT": "", - "Localized": "Rose Tireurs" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Ice Sports" - }, - "1": { - "GXT": "", - "Localized": "Noir Sports" - }, - "2": { - "GXT": "", - "Localized": "Vert Sports" - }, - "3": { - "GXT": "", - "Localized": "Peau de Vache Sports" - }, - "4": { - "GXT": "", - "Localized": "Orange Sports" - }, - "5": { - "GXT": "", - "Localized": "Noir Modèle Sports" - }, - "6": { - "GXT": "", - "Localized": "Bleu Modèle Sports" - }, - "7": { - "GXT": "", - "Localized": "Rose Modèle Sports" - } - }, - "11": { - "0": { - "GXT": "", - "Localized": "Étain Aviateurs" - }, - "1": { - "GXT": "", - "Localized": "Acier Aviateurs" - }, - "2": { - "GXT": "", - "Localized": "Bronze Aviateurs" - }, - "3": { - "GXT": "", - "Localized": "Noir Aviateurs" - }, - "4": { - "GXT": "", - "Localized": "Neon Aviateurs" - }, - "5": { - "GXT": "", - "Localized": "Cuivre Aviateurs" - }, - "6": { - "GXT": "", - "Localized": "Or Aviateurs" - }, - "7": { - "GXT": "", - "Localized": "Ardoise Aviateurs" - } - }, - "16": { - "0": { - "GXT": "", - "Localized": "DS Marron Papillons" - }, - "1": { - "GXT": "", - "Localized": "DS Bleu Teinté Papillons" - }, - "2": { - "GXT": "", - "Localized": "DS Vert Marbre Papillons" - }, - "3": { - "GXT": "", - "Localized": "DS Bleu sarcelle Papillons" - }, - "4": { - "GXT": "", - "Localized": "DS Blanc Papillons" - }, - "5": { - "GXT": "", - "Localized": "DS Rose Papillons" - }, - "6": { - "GXT": "", - "Localized": "DS Rouge Papillons" - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Violet au carré" - }, - "1": { - "GXT": "", - "Localized": "Bleu Leopard au carré" - }, - "2": { - "GXT": "", - "Localized": "Violet au carré" - }, - "3": { - "GXT": "", - "Localized": "Bleu sarcelle au carré" - }, - "4": { - "GXT": "", - "Localized": "Beige au carré" - }, - "5": { - "GXT": "", - "Localized": "Rose au carré" - }, - "6": { - "GXT": "", - "Localized": "Blanc au carré" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Acier Tige mince" - }, - "1": { - "GXT": "", - "Localized": "Etain Tige mince" - }, - "2": { - "GXT": "", - "Localized": "Or Tige mince" - }, - "3": { - "GXT": "", - "Localized": "Noir Tige mince" - }, - "4": { - "GXT": "", - "Localized": "Jaune Tige mince" - }, - "5": { - "GXT": "", - "Localized": "Cuivre Tige mince" - }, - "6": { - "GXT": "", - "Localized": "Or Tige mince" - }, - "7": { - "GXT": "", - "Localized": "Argent Tige mince" - } - }, - "19": { - "0": { - "GXT": "", - "Localized": "Noir Plastique" - }, - "1": { - "GXT": "", - "Localized": "Orange Hinge Plastique" - }, - "2": { - "GXT": "", - "Localized": "Rose Plastique" - }, - "3": { - "GXT": "", - "Localized": "Marbre Plastique" - }, - "4": { - "GXT": "", - "Localized": "Latte Plastique" - }, - "5": { - "GXT": "", - "Localized": "Vixen Plastique" - }, - "6": { - "GXT": "", - "Localized": "Sunshine Plastique" - }, - "7": { - "GXT": "", - "Localized": "Excentrique Plastique" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Noir Casuals" - }, - "1": { - "GXT": "", - "Localized": "Zap Casuals" - }, - "2": { - "GXT": "", - "Localized": "Écaille Casuals" - }, - "3": { - "GXT": "", - "Localized": "Rouge Casuals" - }, - "4": { - "GXT": "", - "Localized": "Blanc Casuals" - }, - "5": { - "GXT": "", - "Localized": "Camo Collection Casuals" - }, - "6": { - "GXT": "", - "Localized": "Citron Casuals" - }, - "7": { - "GXT": "", - "Localized": "Rouge Sang Casuals" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Lunettes de tir vertes" - }, - "1": { - "GXT": "", - "Localized": "Lunettes de tir oranges" - }, - "2": { - "GXT": "", - "Localized": "Lunettes de tir violettes" - }, - "3": { - "GXT": "", - "Localized": "Lunettes de tir roses" - }, - "4": { - "GXT": "", - "Localized": "Lunettes de tir rouges sombre" - }, - "5": { - "GXT": "", - "Localized": "Lunettes de tir bleues" - }, - "6": { - "GXT": "", - "Localized": "Lunettes de tir gris" - }, - "7": { - "GXT": "", - "Localized": "Lunettes de tir cendres" - }, - "8": { - "GXT": "", - "Localized": "Lunettes de tir blanches" - }, - "9": { - "GXT": "", - "Localized": "Lunettes de tir noires" - } - }, - "30": { - "0": { - "GXT": "", - "Localized": "Gris Aviateurs" - }, - "1": { - "GXT": "", - "Localized": "Orange Teinté Aviateurs" - }, - "2": { - "GXT": "", - "Localized": "Noisetté Aviateurs" - }, - "3": { - "GXT": "", - "Localized": "Horizon Aviateurs" - }, - "4": { - "GXT": "", - "Localized": "Violet Aviateurs" - }, - "5": { - "GXT": "", - "Localized": "Chevron Aviateurs" - }, - "6": { - "GXT": "", - "Localized": "Or Teinté Aviateurs" - }, - "7": { - "GXT": "", - "Localized": "Magenta Teinté Aviateurs" - }, - "8": { - "GXT": "", - "Localized": "Bleu électrique Teinté Aviateurs" - }, - "9": { - "GXT": "", - "Localized": "Bleu Argyle Aviateurs" - }, - "10": { - "GXT": "", - "Localized": "Noir Teinté Aviateurs" - }, - "11": { - "GXT": "", - "Localized": "Blanc Teinté Aviateurs" - } - }, - "31": { - "0": { - "GXT": "", - "Localized": "Noir Profond" - }, - "1": { - "GXT": "", - "Localized": "à deux tons Profond" - }, - "2": { - "GXT": "", - "Localized": "Blanc Profond" - }, - "3": { - "GXT": "", - "Localized": "Rouge Profond" - }, - "4": { - "GXT": "", - "Localized": "Aqua Profond" - }, - "5": { - "GXT": "", - "Localized": "Vert Profond" - }, - "6": { - "GXT": "", - "Localized": "Vert Urban Profond" - }, - "7": { - "GXT": "", - "Localized": "Rose Urban Profond" - }, - "8": { - "GXT": "", - "Localized": "Digital Profond" - }, - "9": { - "GXT": "", - "Localized": "Éclat Profond" - }, - "10": { - "GXT": "", - "Localized": "Zèbre Profond" - }, - "11": { - "GXT": "", - "Localized": "Pied-de-poule Profond" - }, - "12": { - "GXT": "", - "Localized": "Mute Profond" - }, - "13": { - "GXT": "", - "Localized": "Sunrise Profond" - }, - "14": { - "GXT": "", - "Localized": "Rayé Profond" - }, - "15": { - "GXT": "", - "Localized": "Mono Profond" - }, - "16": { - "GXT": "", - "Localized": "Noir Fame or Shame" - }, - "17": { - "GXT": "", - "Localized": "Rouge Fame or Shame" - }, - "18": { - "GXT": "", - "Localized": "Bleu Fame or Shame" - }, - "19": { - "GXT": "", - "Localized": "Blanc Fame or Shame" - } - }, - "33": { - "0": { - "GXT": "", - "Localized": "Midnight Teinté Énorme" - }, - "1": { - "GXT": "", - "Localized": "Sunset Teinté Énorme" - }, - "2": { - "GXT": "", - "Localized": "Noir Teinté Énorme" - }, - "3": { - "GXT": "", - "Localized": "Bleu Teinté Énorme" - }, - "4": { - "GXT": "", - "Localized": "Or Teinté Énorme" - }, - "5": { - "GXT": "", - "Localized": "Vert Teinté Énorme" - }, - "6": { - "GXT": "", - "Localized": "Orange Teinté Énorme" - }, - "7": { - "GXT": "", - "Localized": "Rouge Teinté Énorme" - }, - "8": { - "GXT": "", - "Localized": "Rose Teinté Énorme" - }, - "9": { - "GXT": "", - "Localized": "Jaune Teinté Énorme" - }, - "10": { - "GXT": "", - "Localized": "Lemon Teinté Énorme" - }, - "11": { - "GXT": "", - "Localized": "Or Énorme" - } - }, - "34": { - "6": { - "GXT": "", - "Localized": "Rose Teinté Ronde" - }, - "7": { - "GXT": "", - "Localized": "Bleu Teinté Ronde" - }, - "10": { - "GXT": "", - "Localized": "Orange Ronde à carreaux" - }, - "11": { - "GXT": "", - "Localized": "Vert Teinté Ronde" - } - }, - "35": { - "6": { - "GXT": "", - "Localized": "Rose Carré teinté" - }, - "7": { - "GXT": "", - "Localized": "Bleu Carré teinté" - }, - "10": { - "GXT": "", - "Localized": "Blanc Carré" - }, - "11": { - "GXT": "", - "Localized": "Mono Carré" - } - } - }, - "Lunette de vue": { - "0": { - "8": { - "GXT": "", - "Localized": "Terre de feu Sports" - }, - "9": { - "GXT": "", - "Localized": "Noir Sports" - }, - "10": { - "GXT": "", - "Localized": "Blanc Sports" - } - }, - "1": { - "8": { - "GXT": "", - "Localized": "Marbre Terre de feu" - }, - "9": { - "GXT": "", - "Localized": "Marbre Noir" - }, - "10": { - "GXT": "", - "Localized": "Marbre Blanc" - } - }, - "2": { - "8": { - "GXT": "", - "Localized": "Terre de feu Mademoiselle" - }, - "9": { - "GXT": "", - "Localized": "Noir Mademoiselle" - }, - "10": { - "GXT": "", - "Localized": "Blanc Mademoiselle" - } - }, - "3": { - "8": { - "GXT": "", - "Localized": "Terre de feu Shield" - }, - "9": { - "GXT": "", - "Localized": "Noir Shield" - }, - "10": { - "GXT": "", - "Localized": "Blanc Shield" - } - }, - "4": { - "8": { - "GXT": "", - "Localized": "Terre de feu Retro" - }, - "9": { - "GXT": "", - "Localized": "Noir Retro" - }, - "10": { - "GXT": "", - "Localized": "Blanc Retro" - } - }, - "6": { - "8": { - "GXT": "", - "Localized": "Terre de feu Papillon" - }, - "9": { - "GXT": "", - "Localized": "Noir Papillon" - }, - "10": { - "GXT": "", - "Localized": "Blanc Papillon" - } - }, - "7": { - "8": { - "GXT": "", - "Localized": "Terre de feu Infini" - }, - "9": { - "GXT": "", - "Localized": "Noir Infini" - }, - "10": { - "GXT": "", - "Localized": "Blanc Infini" - } - }, - "8": { - "8": { - "GXT": "", - "Localized": "Terre de feu SquaRed" - }, - "9": { - "GXT": "", - "Localized": "Noir SquaRed" - }, - "10": { - "GXT": "", - "Localized": "Blanc SquaRed" - } - }, - "9": { - "8": { - "GXT": "", - "Localized": "Terre de feu Tireurs" - }, - "9": { - "GXT": "", - "Localized": "Noir Tireurs" - }, - "10": { - "GXT": "", - "Localized": "Blanc Tireurs" - } - }, - "10": { - "8": { - "GXT": "", - "Localized": "Terre de feu HS" - }, - "9": { - "GXT": "", - "Localized": "Noir HS" - }, - "10": { - "GXT": "", - "Localized": "Blanc HS" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Yeux de chat Noir" - }, - "1": { - "GXT": "", - "Localized": "Yeux de chat Marron Marbre" - }, - "2": { - "GXT": "", - "Localized": "Yeux de chat Rose" - }, - "3": { - "GXT": "", - "Localized": "Yeux de chat Vert Marbre" - }, - "4": { - "GXT": "", - "Localized": "Yeux de chat Rouge" - }, - "5": { - "GXT": "", - "Localized": "Yeux de chat Bleu sarcelle" - }, - "6": { - "GXT": "", - "Localized": "Yeux de chat Violet" - }, - "7": { - "GXT": "", - "Localized": "Yeux de chat Bleu" - }, - "8": { - "GXT": "", - "Localized": "Yeux de chat Terre de feu" - }, - "9": { - "GXT": "", - "Localized": "Yeux de chat Noir" - }, - "10": { - "GXT": "", - "Localized": "Yeux de chat Blanc" - } - }, - "16": { - "7": { - "GXT": "", - "Localized": "DS Ambre" - }, - "8": { - "GXT": "", - "Localized": "DS Noir" - }, - "9": { - "GXT": "", - "Localized": "DS Blanc" - } - }, - "17": { - "7": { - "GXT": "", - "Localized": "Ambre au carré" - }, - "8": { - "GXT": "", - "Localized": "Noir au carré" - }, - "9": { - "GXT": "", - "Localized": "Blanc au carré" - } - }, - "19": { - "8": { - "GXT": "", - "Localized": "Terre de feu Plastique" - }, - "9": { - "GXT": "", - "Localized": "Noir Plastique" - }, - "10": { - "GXT": "", - "Localized": "Blanc Plastique" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Noir Retro Classics" - }, - "1": { - "GXT": "", - "Localized": "à deux tons Retro Classics" - }, - "2": { - "GXT": "", - "Localized": "Grenat Retro Classics" - }, - "3": { - "GXT": "", - "Localized": "Multicolore Retro Classics" - }, - "4": { - "GXT": "", - "Localized": "Peach Retro Classics" - }, - "5": { - "GXT": "", - "Localized": "Bleu Retro Classics" - }, - "6": { - "GXT": "", - "Localized": "Rouge Retro Classics" - }, - "7": { - "GXT": "", - "Localized": "Lime Retro Classics" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Noir Hipsters" - }, - "1": { - "GXT": "", - "Localized": "Bleu Hipsters" - }, - "2": { - "GXT": "", - "Localized": "Marbre Hipsters" - }, - "3": { - "GXT": "", - "Localized": "Trempé Hipsters" - }, - "4": { - "GXT": "", - "Localized": "Rouge Hipsters" - }, - "5": { - "GXT": "", - "Localized": "Orange Hipsters" - }, - "6": { - "GXT": "", - "Localized": "Hot Rose Hipsters" - }, - "7": { - "GXT": "", - "Localized": "Marron Hipsters" - } - }, - "24": { - "8": { - "GXT": "", - "Localized": "Terre de feu Casual" - }, - "9": { - "GXT": "", - "Localized": "Noir Casual" - }, - "10": { - "GXT": "", - "Localized": "Blanc Casual" - } - }, - "34": { - "0": { - "GXT": "", - "Localized": "Blanc Ronde à carreaux" - }, - "1": { - "GXT": "", - "Localized": "Rose Ronde à carreaux" - }, - "2": { - "GXT": "", - "Localized": "Jaune Ronde à carreaux" - }, - "3": { - "GXT": "", - "Localized": "Rouge Ronde à carreaux" - }, - "4": { - "GXT": "", - "Localized": "Blanc Ronde" - }, - "5": { - "GXT": "", - "Localized": "Noir Ronde" - }, - "8": { - "GXT": "", - "Localized": "Vert Ronde à carreaux" - }, - "9": { - "GXT": "", - "Localized": "Bleu Ronde à carreaux" - } - }, - "35": { - "0": { - "GXT": "", - "Localized": "Marron Ronde" - }, - "1": { - "GXT": "", - "Localized": "Jaune Ronde" - }, - "2": { - "GXT": "", - "Localized": "Noir Ronde" - }, - "3": { - "GXT": "", - "Localized": "Écaille de tortue Carré" - }, - "4": { - "GXT": "", - "Localized": "Vert Carré" - }, - "5": { - "GXT": "", - "Localized": "Rouge Carré" - }, - "8": { - "GXT": "", - "Localized": "Blanc Carré" - }, - "9": { - "GXT": "", - "Localized": "Rose Carré" - } - }, - "36": { - "0": { - "GXT": "", - "Localized": "Noires Rondes" - }, - "1": { - "GXT": "", - "Localized": "Argent Rondes" - }, - "2": { - "GXT": "", - "Localized": "Or Rondes" - }, - "3": { - "GXT": "", - "Localized": "Rose Rondes" - }, - "4": { - "GXT": "", - "Localized": "Ecaille de tortue Rondes" - }, - "5": { - "GXT": "", - "Localized": "Monture Or Rondes" - }, - "6": { - "GXT": "", - "Localized": "Monture Bleu Rondes" - }, - "7": { - "GXT": "", - "Localized": "Ecaille de tortue Argent Rondes" - }, - "8": { - "GXT": "", - "Localized": "Ecaille de tortue & Or Rondes" - }, - "9": { - "GXT": "", - "Localized": "Ecaille de tortue grises Rondes" - }, - "10": { - "GXT": "", - "Localized": "Tornade d'or Rondes" - }, - "11": { - "GXT": "", - "Localized": "Or patiné Rondes" - } - }, - "37": { - "0": { - "GXT": "", - "Localized": "Carrées Noir" - }, - "1": { - "GXT": "", - "Localized": "Carrées Argent" - }, - "2": { - "GXT": "", - "Localized": "Carrées Or" - }, - "3": { - "GXT": "", - "Localized": "Carrées Rose" - }, - "4": { - "GXT": "", - "Localized": "Carrées Noir & Rouge" - }, - "5": { - "GXT": "", - "Localized": "Carrées Noir & Marron" - }, - "6": { - "GXT": "", - "Localized": "Carrées Noir & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Carrées Ecaille de tortue & Marron" - }, - "8": { - "GXT": "", - "Localized": "Carrées Or & Ecaille de tortue" - }, - "9": { - "GXT": "", - "Localized": "Carrées Ecaille de tortue Gris" - }, - "10": { - "GXT": "", - "Localized": "Carrées Ecaille de tortue" - }, - "11": { - "GXT": "", - "Localized": "Carrées Rose & Noir" - } - }, - "38": { - "0": { - "GXT": "", - "Localized": "Yeux de chat Noir" - }, - "1": { - "GXT": "", - "Localized": "Yeux de chat Argent" - }, - "2": { - "GXT": "", - "Localized": "Yeux de chat Or" - }, - "3": { - "GXT": "", - "Localized": "Yeux de chat Ecaille de tortue" - }, - "4": { - "GXT": "", - "Localized": "Yeux de chat Noir & Vert" - }, - "5": { - "GXT": "", - "Localized": "Yeux de chat Ecaille de tortue sombre" - }, - "6": { - "GXT": "", - "Localized": "Yeux de chat Noir & Turquoise" - }, - "7": { - "GXT": "", - "Localized": "Yeux de chat Noir & Rouge" - }, - "8": { - "GXT": "", - "Localized": "Yeux de chat Or & Noir" - }, - "9": { - "GXT": "", - "Localized": "Yeux de chat Bleu Foncé" - }, - "10": { - "GXT": "", - "Localized": "Yeux de chat Rose & Noir" - }, - "11": { - "GXT": "", - "Localized": "Yeux de chat Ecaille de chat Or" - } - }, - "39": { - "0": { - "GXT": "", - "Localized": "Noir Rectangulaires" - }, - "1": { - "GXT": "", - "Localized": "Argent Rectangulaires" - }, - "2": { - "GXT": "", - "Localized": "Or Rectangulaires" - }, - "3": { - "GXT": "", - "Localized": "Ecaille de tortue claires Rectangulaires" - }, - "4": { - "GXT": "", - "Localized": "Ecaille de tortue bordeaux Rectangulaires" - }, - "5": { - "GXT": "", - "Localized": "Bleu Rectangulaires" - }, - "6": { - "GXT": "", - "Localized": "Gris & Rouge Rectangulaires" - }, - "7": { - "GXT": "", - "Localized": "Turquoise délavé Rectangulaires" - }, - "8": { - "GXT": "", - "Localized": "Jaune Rectangulaires" - }, - "9": { - "GXT": "", - "Localized": "Vert Rectangulaires" - }, - "10": { - "GXT": "", - "Localized": "Rouge délavé Rectangulaires" - }, - "11": { - "GXT": "", - "Localized": "Ecaille de tortue sombres Rectangulaires" - } - }, - "40": { - "0": { - "GXT": "", - "Localized": "Noir Ergonomiques" - }, - "1": { - "GXT": "", - "Localized": "Argent Ergonomiques" - }, - "2": { - "GXT": "", - "Localized": "Or Ergonomiques" - }, - "3": { - "GXT": "", - "Localized": "Ecaille de tortue Ergonomiques" - }, - "4": { - "GXT": "", - "Localized": "Vert Ergonomiques" - }, - "5": { - "GXT": "", - "Localized": "Écaille de tortue Casuals" - }, - "6": { - "GXT": "", - "Localized": "Turquoise Ergonomiques" - }, - "7": { - "GXT": "", - "Localized": "Rouge Ergonomiques" - }, - "8": { - "GXT": "", - "Localized": "Or & Noir Ergonomiques" - }, - "9": { - "GXT": "", - "Localized": "Bleu Ergonomiques" - }, - "10": { - "GXT": "", - "Localized": "Rose Ergonomiques" - }, - "11": { - "GXT": "", - "Localized": "Tigre Ergonomiques" - } - }, - "41": { - "0": { - "GXT": "", - "Localized": "Ronde Noir Retro" - }, - "1": { - "GXT": "", - "Localized": "Ronde Argent Rétro" - }, - "2": { - "GXT": "", - "Localized": "Ronde Or Rétro" - }, - "3": { - "GXT": "", - "Localized": "Ronde Rose Rétro" - }, - "4": { - "GXT": "", - "Localized": "Ronde Noir & Rose Rétro" - }, - "5": { - "GXT": "", - "Localized": "Ronde Noir & Marron Rétro" - }, - "6": { - "GXT": "", - "Localized": "Rondes Noir & Bleu Foncé Rétro" - }, - "7": { - "GXT": "", - "Localized": "Ronde Écaillé Rétro" - }, - "8": { - "GXT": "", - "Localized": "Ronde Or & écaille de tortue Rétro" - }, - "9": { - "GXT": "", - "Localized": "Ronde Noir & écaille de tortue Rétro" - }, - "10": { - "GXT": "", - "Localized": "Ronde Écaillé" - }, - "11": { - "GXT": "", - "Localized": "Ronde Or & Noir Rétro" - } - } - }, - "Lunette de fête": { - "22": { - "0": { - "GXT": "", - "Localized": "Cadre étoilé" - } - }, - "23": { - "0": { - "GXT": "", - "Localized": "Étoilé" - } - }, - "26": { - "0": { - "GXT": "", - "Localized": "Marron Outlaw" - }, - "1": { - "GXT": "", - "Localized": "Noir Outlaw" - }, - "2": { - "GXT": "", - "Localized": "Mono Outlaw" - }, - "3": { - "GXT": "", - "Localized": "Ox Blood Outlaw" - }, - "4": { - "GXT": "", - "Localized": "Bleu Outlaw" - }, - "5": { - "GXT": "", - "Localized": "Beige Outlaw" - } - }, - "27": { - "0": { - "GXT": "", - "Localized": "Tropique Urban Ski" - }, - "1": { - "GXT": "", - "Localized": "Jaune Urban Ski" - }, - "2": { - "GXT": "", - "Localized": "Vert Urban Ski" - }, - "3": { - "GXT": "", - "Localized": "Crépuscule Urban Ski" - }, - "4": { - "GXT": "", - "Localized": "Gris Urban Ski" - }, - "5": { - "GXT": "", - "Localized": "Rose Urban Ski" - }, - "6": { - "GXT": "", - "Localized": "Orange Urban Ski" - }, - "7": { - "GXT": "", - "Localized": "Marron Urban Ski" - } - }, - "32": { - "0": { - "GXT": "", - "Localized": "Bleu & Rose Brilliant" - }, - "1": { - "GXT": "", - "Localized": "Rouge Brilliant" - }, - "2": { - "GXT": "", - "Localized": "Orange Brilliant" - }, - "3": { - "GXT": "", - "Localized": "Jaune Brilliant" - }, - "4": { - "GXT": "", - "Localized": "Vert Brilliant" - }, - "5": { - "GXT": "", - "Localized": "Bleu Brilliant" - }, - "6": { - "GXT": "", - "Localized": "Rose Brilliant" - }, - "7": { - "GXT": "", - "Localized": "Bleu & Magenta Brilliant" - }, - "8": { - "GXT": "", - "Localized": "Violet & Jaune Brilliant" - }, - "9": { - "GXT": "", - "Localized": "Bleu & Jaune Brilliant" - }, - "10": { - "GXT": "", - "Localized": "Rose & Jaune Brilliant" - }, - "11": { - "GXT": "", - "Localized": "Rouge & Jaune Brilliant" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_hats.json b/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_hats.json deleted file mode 100644 index d667028ad8..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_hats.json +++ /dev/null @@ -1,3686 +0,0 @@ -[ - { - "Bonnets": { - "1": { - "0": { - "GXT": "", - "Localized": "Bonnet d ane" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Bonnet Rearwall Noir" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Crevis Cendre" - }, - "2": { - "GXT": "", - "Localized": "Bonnet Crevis Rose" - }, - "3": { - "GXT": "", - "Localized": "Bonnet LS Panic" - }, - "4": { - "GXT": "", - "Localized": "Bonnet SA" - }, - "5": { - "GXT": "", - "Localized": "Bonnet Hawaiian Snow Bleu" - }, - "6": { - "GXT": "", - "Localized": "Bonnet Rearwall Lime" - }, - "7": { - "GXT": "", - "Localized": "Bonnet Hawaiian Snow" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Bonnet cotonneux Noir" - }, - "6": { - "GXT": "", - "Localized": "Bonnet cotonneux Hawaiian Snow" - }, - "7": { - "GXT": "", - "Localized": "Bonnet cotonneux Yeti" - } - }, - "29": { - "0": { - "GXT": "", - "Localized": "Bonnet Violet Large" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Blanc Large" - }, - "2": { - "GXT": "", - "Localized": "Bonnet Fuchsia Large" - }, - "3": { - "GXT": "", - "Localized": "Bonnet Rouge Large" - }, - "4": { - "GXT": "", - "Localized": "Bonnet Gris Large" - } - }, - "33": { - "0": { - "GXT": "", - "Localized": "Bonnet patriotique" - } - }, - "119": { - "0": { - "GXT": "", - "Localized": "Bonnet Bas Noir" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Bas Charbon" - }, - "2": { - "GXT": "", - "Localized": "Bonnet Bas Cendre" - }, - "3": { - "GXT": "", - "Localized": "Bonnet Bas Blanc" - }, - "4": { - "GXT": "", - "Localized": "Bonnet Bas Rouge" - }, - "5": { - "GXT": "", - "Localized": "Bonnet Bas Bleu" - }, - "6": { - "GXT": "", - "Localized": "Bonnet Bas Light Bleu" - }, - "7": { - "GXT": "", - "Localized": "Bonnet Bas Beige" - }, - "8": { - "GXT": "", - "Localized": "Bonnet Bas Light Woodland" - }, - "9": { - "GXT": "", - "Localized": "Bonnet Bas Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Bonnet Bas Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Bonnet Bas Tigre" - }, - "12": { - "GXT": "", - "Localized": "Bonnet Bas Tricolore" - }, - "13": { - "GXT": "", - "Localized": "Bonnet Bas Bleu" - }, - "14": { - "GXT": "", - "Localized": "Bonnet Bas Rasta Trio" - }, - "15": { - "GXT": "", - "Localized": "Bonnet Bas Marron Striped" - }, - "16": { - "GXT": "", - "Localized": "Bonnet Bas Stars & Stripes" - }, - "17": { - "GXT": "", - "Localized": "Bonnet Bas Rasta Stripes" - }, - "18": { - "GXT": "", - "Localized": "Bonnet Bas Noir & Jaune" - }, - "19": { - "GXT": "", - "Localized": "Bonnet Bas Bleu & Jaune" - }, - "20": { - "GXT": "", - "Localized": "Bonnet Bas Vert Houndstooth" - } - } - }, - "Western": { - "2": { - "1": { - "GXT": "", - "Localized": "Chapeau Cowgirl Noir Rose" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Chapeau Cowgirl Beige" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Cowgirl à deux tons" - }, - "2": { - "GXT": "", - "Localized": "Chapeau Cowgirl Farshtunken Noir" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Cowgirl MyMy Rose" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Cowgirl Rouge" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Cowgirl Logger" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Cowgirl Rayée" - } - } - }, - "Bob": { - "3": { - "7": { - "GXT": "", - "Localized": "Bob à carreaux Gris" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Bob Rose à motif" - }, - "1": { - "GXT": "", - "Localized": "Bob Crevis Bleu" - }, - "2": { - "GXT": "", - "Localized": "Bob Beige" - }, - "3": { - "GXT": "", - "Localized": "Bob Rouge" - }, - "4": { - "GXT": "", - "Localized": "Bob Hawaiian Snow Jaune" - }, - "5": { - "GXT": "", - "Localized": "Bob Hawaiian Snow Bleu" - }, - "6": { - "GXT": "", - "Localized": "Bob Hawaiian Snow Violet" - } - }, - "93": { - "0": { - "GXT": "", - "Localized": "Bob Le Pêcheur Crème" - }, - "1": { - "GXT": "", - "Localized": "Bob Le Pêcheur Rouge" - }, - "2": { - "GXT": "", - "Localized": "Bob Le Pêcheur Bleu" - }, - "3": { - "GXT": "", - "Localized": "Bob Le Pêcheur Cyan" - }, - "4": { - "GXT": "", - "Localized": "Bob Le Pêcheur Blanc" - }, - "5": { - "GXT": "", - "Localized": "Bob Le Pêcheur Gris" - }, - "6": { - "GXT": "", - "Localized": "Bob Le Pêcheur Bleu Foncé" - }, - "7": { - "GXT": "", - "Localized": "Bob Le Pêcheur Noir Rouge" - }, - "8": { - "GXT": "", - "Localized": "Bob Le Pêcheur Gris foncé" - }, - "9": { - "GXT": "", - "Localized": "Bob Le Pêcheur Vert Foret" - } - }, - "103": { - "0": { - "GXT": "", - "Localized": "Bob militaire Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Bob militaire Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Bob militaire Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Bob militaire Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Bob militaire Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Bob militaire Fall Boonie Down" - }, - "6": { - "GXT": "", - "Localized": "Bob militaire Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Bob militaire Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Bob militaire Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Bob militaire Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Bob militaire Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Bob militaire Splinter" - }, - "12": { - "GXT": "", - "Localized": "Bob militaire Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Bob militaire Cobble" - }, - "14": { - "GXT": "", - "Localized": "Bob militaire Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Bob militaire Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Bob militaire Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Bob militaire Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Bob militaire Moss" - }, - "19": { - "GXT": "", - "Localized": "Bob militaire Sand" - }, - "20": { - "GXT": "", - "Localized": "Bob militaire Noir" - } - }, - "104": { - "0": { - "GXT": "", - "Localized": "Bob mil. relevé Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Bob mil. relevé Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Bob mil. relevé Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Bob mil. relevé Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Bob mil. relevé Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Bob mil. relevé Fall" - }, - "6": { - "GXT": "", - "Localized": "Bob mil. relevé Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Bob mil. relevé Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Bob mil. relevé Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Bob mil. relevé Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Bob mil. relevé Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Bob mil. relevé Splinter" - }, - "12": { - "GXT": "", - "Localized": "Bob mil. relevé Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Bob mil. relevé Cobble" - }, - "14": { - "GXT": "", - "Localized": "Bob mil. relevé Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Bob mil. relevé Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Bob mil. relevé Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Bob mil. relevé Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Bob mil. relevé Moss" - }, - "19": { - "GXT": "", - "Localized": "Bob mil. relevé Sand" - }, - "20": { - "GXT": "", - "Localized": "Bob mil. relevé Noir" - } - }, - "131": { - "0": { - "GXT": "", - "Localized": "Bob Taco Canvas" - }, - "1": { - "GXT": "", - "Localized": "Bob Burger Shot Canvas" - }, - "2": { - "GXT": "", - "Localized": "Bob Cluckin' Bell Canvas" - }, - "3": { - "GXT": "", - "Localized": "Bob Hotdogs Canvas" - } - } - }, - "Casquettes": { - "4": { - "0": { - "GXT": "", - "Localized": "Casquette Large Noir LS" - }, - "1": { - "GXT": "", - "Localized": "Casquette Large Fruntalot" - }, - "2": { - "GXT": "", - "Localized": "Casquette Large Broker" - }, - "3": { - "GXT": "", - "Localized": "Casquette Large SA" - }, - "4": { - "GXT": "", - "Localized": "Casquette Large SA Boars" - }, - "5": { - "GXT": "", - "Localized": "Casquette Large Stank" - }, - "6": { - "GXT": "", - "Localized": "Casquette Large Rouge Mist XI" - }, - "7": { - "GXT": "", - "Localized": "Casquette Large LS Corkers" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Casquette iFruit" - }, - "1": { - "GXT": "", - "Localized": "Casquette 247" - }, - "2": { - "GXT": "", - "Localized": "Casquette Fred's" - }, - "3": { - "GXT": "", - "Localized": "Casquette US Post LS" - }, - "4": { - "GXT": "", - "Localized": "Casquette Swallow" - }, - "5": { - "GXT": "", - "Localized": "Casquette CNT" - }, - "6": { - "GXT": "", - "Localized": "Casquette Peachy Chics Serpend" - }, - "7": { - "GXT": "", - "Localized": "Casquette Peachy Chics Leopard" - } - }, - "10": { - "7": { - "GXT": "", - "Localized": "Casquette Ocre Patterned" - } - }, - "43": { - "0": { - "GXT": "", - "Localized": "Casquette Naughty" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noire Ho Ho Ho" - }, - "2": { - "GXT": "", - "Localized": "Casquette Snowflake bleue" - }, - "3": { - "GXT": "", - "Localized": "Casquette Nice rouge" - }, - "4": { - "GXT": "", - "Localized": "Casquette Verte Ho Ho Ho" - }, - "5": { - "GXT": "", - "Localized": "Casquette Rouge Snowflake" - }, - "6": { - "GXT": "", - "Localized": "Casquette Gingerbread" - }, - "7": { - "GXT": "", - "Localized": "Casquette Bah Humbug" - } - }, - "53": { - "0": { - "GXT": "", - "Localized": "Casquette Familles" - }, - "1": { - "GXT": "", - "Localized": "Casquette Ballas" - } - }, - "55": { - "0": { - "GXT": "", - "Localized": "Casquette Broker Rouge" - }, - "1": { - "GXT": "", - "Localized": "Casquette Broker Charbon" - }, - "2": { - "GXT": "", - "Localized": "Casquette Trickster Crème" - }, - "3": { - "GXT": "", - "Localized": "Casquette Trickster Bleu marine" - }, - "4": { - "GXT": "", - "Localized": "Casquette Broker Marron" - }, - "5": { - "GXT": "", - "Localized": "Casquette Harsh Souls Marron" - }, - "6": { - "GXT": "", - "Localized": "Casquette Sweatbox Orange" - }, - "7": { - "GXT": "", - "Localized": "Casquette Sweatbox Bleu" - }, - "8": { - "GXT": "", - "Localized": "Casquette Yeti Rayée" - }, - "9": { - "GXT": "", - "Localized": "Casquette Trickster Link" - }, - "10": { - "GXT": "", - "Localized": "Casquette Yeti Diamond" - }, - "11": { - "GXT": "", - "Localized": "Casquette Cerise" - }, - "12": { - "GXT": "", - "Localized": "Casquette Fruntalot Marron clair" - }, - "13": { - "GXT": "", - "Localized": "Casquette Sweatbox Verte" - }, - "14": { - "GXT": "", - "Localized": "Casquette Yeti Jungle" - }, - "15": { - "GXT": "", - "Localized": "Casquette Trickster Forest" - }, - "16": { - "GXT": "", - "Localized": "Casquette Broker Café" - }, - "17": { - "GXT": "", - "Localized": "Casquette Dual Trey Baker" - }, - "18": { - "GXT": "", - "Localized": "Casquette Sweatbox Gris " - }, - "19": { - "GXT": "", - "Localized": "Casquette Sweatbox Crème " - }, - "20": { - "GXT": "", - "Localized": "Casquette Yeti Rouge" - } - }, - "56": { - "0": { - "GXT": "", - "Localized": "Casquette Magnetics Charbon" - }, - "1": { - "GXT": "", - "Localized": "Casquette Magnetics Noir" - }, - "2": { - "GXT": "", - "Localized": "Casquette Low Santos Noir" - }, - "3": { - "GXT": "", - "Localized": "Casquette Boars Noir" - }, - "4": { - "GXT": "", - "Localized": "Casquette Benny's Noir" - }, - "5": { - "GXT": "", - "Localized": "Casquette Westside Noir" - }, - "6": { - "GXT": "", - "Localized": "Casquette Eastside Noir" - }, - "7": { - "GXT": "", - "Localized": "Casquette Strawberry Noir" - }, - "8": { - "GXT": "", - "Localized": "Casquette SA Noir" - }, - "9": { - "GXT": "", - "Localized": "Casquette Davis Noir" - } - }, - "58": { - "0": { - "GXT": "", - "Localized": "Casquette Beige" - }, - "1": { - "GXT": "", - "Localized": "Casquette Khaki" - }, - "2": { - "GXT": "", - "Localized": "Casquette Noir" - } - }, - "60": { - "0": { - "GXT": "", - "Localized": "Casquette Millitaire Verte" - }, - "1": { - "GXT": "", - "Localized": "Casquette Millitaire Orange" - }, - "2": { - "GXT": "", - "Localized": "Casquette Millitaire Violette" - }, - "3": { - "GXT": "", - "Localized": "Casquette Millitaire Rose" - }, - "4": { - "GXT": "", - "Localized": "Casquette Millitaire Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casquette Millitaire Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casquette Millitaire Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Casquette Millitaire Gris" - }, - "8": { - "GXT": "", - "Localized": "Casquette Millitaire Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casquette Millitaire Noir" - } - }, - "63": { - "0": { - "GXT": "", - "Localized": "Casquette neutre Vert" - }, - "1": { - "GXT": "", - "Localized": "Casquette neutre Orange" - }, - "2": { - "GXT": "", - "Localized": "Casquette neutre Violet" - }, - "3": { - "GXT": "", - "Localized": "Casquette neutre Rose" - }, - "4": { - "GXT": "", - "Localized": "Casquette neutre Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casquette neutre Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casquette neutre Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Casquette neutre Gris" - }, - "8": { - "GXT": "", - "Localized": "Casquette neutre Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casquette neutre Noir" - } - }, - "66": { - "0": { - "GXT": "", - "Localized": "Casque ouvert Shatter Pattern" - }, - "1": { - "GXT": "", - "Localized": "Casque ouvert Stars" - }, - "2": { - "GXT": "", - "Localized": "Casque ouvert SquaRouge" - }, - "3": { - "GXT": "", - "Localized": "Casque ouvert Cramoisi" - }, - "4": { - "GXT": "", - "Localized": "Casque ouvert Skull" - }, - "5": { - "GXT": "", - "Localized": "Casque ouvert Ace of Spades" - }, - "6": { - "GXT": "", - "Localized": "Casque ouvert Flamejob" - }, - "7": { - "GXT": "", - "Localized": "Casque ouvert Blanc" - }, - "8": { - "GXT": "", - "Localized": "Casque ouvert Downhill" - }, - "9": { - "GXT": "", - "Localized": "Casque ouvert Slalom" - }, - "10": { - "GXT": "", - "Localized": "Casque ouvert SA Assault" - }, - "11": { - "GXT": "", - "Localized": "Casque ouvert Vibe" - }, - "12": { - "GXT": "", - "Localized": "Casque ouvert Burst" - }, - "13": { - "GXT": "", - "Localized": "Casque ouvert Tri" - }, - "14": { - "GXT": "", - "Localized": "Casque ouvert Sprunk" - }, - "15": { - "GXT": "", - "Localized": "Casque ouvert Skeleton" - }, - "16": { - "GXT": "", - "Localized": "Casque ouvert Death" - }, - "17": { - "GXT": "", - "Localized": "Casque ouvert Cobble" - }, - "18": { - "GXT": "", - "Localized": "Casque ouvert Cubist" - }, - "19": { - "GXT": "", - "Localized": "Casque ouvert Digital" - }, - "20": { - "GXT": "", - "Localized": "Casque ouvert Snakeskin" - } - }, - "75": { - "0": { - "GXT": "", - "Localized": "Casquette Atomic" - }, - "1": { - "GXT": "", - "Localized": "Casquette Auto Exotic" - }, - "2": { - "GXT": "", - "Localized": "Casquette Chepalle" - }, - "3": { - "GXT": "", - "Localized": "Casquette Cunning Stunts" - }, - "4": { - "GXT": "", - "Localized": "Casquette Flash" - }, - "5": { - "GXT": "", - "Localized": "Casquette Fukaru" - }, - "6": { - "GXT": "", - "Localized": "Casquette Globe Oil" - }, - "7": { - "GXT": "", - "Localized": "Casquette Grotti" - }, - "8": { - "GXT": "", - "Localized": "Casquette Imponte Racing" - }, - "9": { - "GXT": "", - "Localized": "Casquette Lampadati Racing" - }, - "10": { - "GXT": "", - "Localized": "Casquette LTD" - }, - "11": { - "GXT": "", - "Localized": "Casquette Nagasaki Racing" - }, - "12": { - "GXT": "", - "Localized": "Casquette Nagasaki Moto" - }, - "13": { - "GXT": "", - "Localized": "Casquette Patriot" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rebel Radio" - }, - "15": { - "GXT": "", - "Localized": "Casquette Rougewood" - }, - "16": { - "GXT": "", - "Localized": "Casquette Scooter Brothers" - }, - "17": { - "GXT": "", - "Localized": "Casquette The Mount" - }, - "18": { - "GXT": "", - "Localized": "Casquette Total Ride" - }, - "19": { - "GXT": "", - "Localized": "Casquette Vapid" - }, - "20": { - "GXT": "", - "Localized": "Casquette Xero Gas" - } - }, - "76": { - "0": { - "GXT": "", - "Localized": "Casquette Atomic a l'envers" - }, - "1": { - "GXT": "", - "Localized": "Casquette Auto Exotic a l'envers" - }, - "2": { - "GXT": "", - "Localized": "Casquette Chepalle a l'envers" - }, - "3": { - "GXT": "", - "Localized": "Casquette Cunning Stunts a l'envers" - }, - "4": { - "GXT": "", - "Localized": "Casquette Flash a l'envers" - }, - "5": { - "GXT": "", - "Localized": "Casquette Fukaru a l'envers" - }, - "6": { - "GXT": "", - "Localized": "Casquette Globe Oil a l'envers" - }, - "7": { - "GXT": "", - "Localized": "Casquette Grotti a l'envers" - }, - "8": { - "GXT": "", - "Localized": "Casquette Imponte Racing a l'envers" - }, - "9": { - "GXT": "", - "Localized": "Casquette Lampadati Racing a l'envers" - }, - "10": { - "GXT": "", - "Localized": "Casquette LTD a l'envers" - }, - "11": { - "GXT": "", - "Localized": "Casquette Nagasaki Racing a l'envers" - }, - "12": { - "GXT": "", - "Localized": "Casquette Nagasaki Moto a l'envers" - }, - "13": { - "GXT": "", - "Localized": "Casquette Patriot a l'envers" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rebel Radio a l'envers" - }, - "15": { - "GXT": "", - "Localized": "Casquette Rougewood a l'envers" - }, - "16": { - "GXT": "", - "Localized": "Casquette Scooter Brothers a l'envers" - }, - "17": { - "GXT": "", - "Localized": "Casquette The Mount a l'envers" - }, - "18": { - "GXT": "", - "Localized": "Casquette Total Ride a l'envers" - }, - "19": { - "GXT": "", - "Localized": "Casquette Vapid a l'envers" - }, - "20": { - "GXT": "", - "Localized": "Casquette Xero Gas a l'envers" - } - }, - "95": { - "0": { - "GXT": "", - "Localized": "Casquette Noir Bigness" - }, - "1": { - "GXT": "", - "Localized": "Casquette Rouge Bigness" - }, - "2": { - "GXT": "", - "Localized": "Casquette Orange Camo Sand" - }, - "3": { - "GXT": "", - "Localized": "Casquette Violet Güffy" - }, - "4": { - "GXT": "", - "Localized": "Casquette Off-Blanc Bigness" - }, - "5": { - "GXT": "", - "Localized": "Casquette Bold Abstract Bigness" - }, - "6": { - "GXT": "", - "Localized": "Casquette Gris Abstract Bigness" - }, - "7": { - "GXT": "", - "Localized": "Casquette Pale Abstract Bigness" - }, - "8": { - "GXT": "", - "Localized": "Casquette Primary Squash" - }, - "9": { - "GXT": "", - "Localized": "Casquette Spots Squash" - }, - "10": { - "GXT": "", - "Localized": "Casquette Banana Squash" - }, - "11": { - "GXT": "", - "Localized": "Casquette Splat Squash" - }, - "12": { - "GXT": "", - "Localized": "Casquette OJ Squash" - }, - "13": { - "GXT": "", - "Localized": "Casquette Multicolor Leaves Güffy" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rouge Güffy" - }, - "15": { - "GXT": "", - "Localized": "Casquette Blanc Güffy" - } - }, - "102": { - "0": { - "GXT": "", - "Localized": "Casquette Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Casquette Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Casquette Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Casquette Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Casquette Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Casquette Fall" - }, - "6": { - "GXT": "", - "Localized": "Casquette Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Casquette Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Casquette Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Casquette Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Casquette Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Casquette Splinter" - }, - "12": { - "GXT": "", - "Localized": "Casquette Contrast Camo " - }, - "13": { - "GXT": "", - "Localized": "Casquette Cobble" - }, - "14": { - "GXT": "", - "Localized": "Casquette Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Casquette Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Casquette Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Casquette Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Casquette Moss" - }, - "19": { - "GXT": "", - "Localized": "Casquette Sand" - } - }, - "106": { - "0": { - "GXT": "", - "Localized": "Casquette militaire Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Casquette militaire Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Casquette militaire Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Casquette militaire Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Casquette militaire Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Casquette militaire Fall" - }, - "6": { - "GXT": "", - "Localized": "Casquette militaire Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Casquette militaire Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Casquette militaire Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Casquette militaire Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Casquette militaire Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Casquette militaire Splinter" - }, - "12": { - "GXT": "", - "Localized": "Casquette militaire Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Casquette militaire Cobble" - }, - "14": { - "GXT": "", - "Localized": "Casquette militaire Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Casquette militaire Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Casquette militaire Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Casquette militaire Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Casquette militaire Moss" - }, - "19": { - "GXT": "", - "Localized": "Casquette militaire Sand" - }, - "20": { - "GXT": "", - "Localized": "Casquette militaire Noir" - } - }, - "107": { - "0": { - "GXT": "", - "Localized": "Boquette Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Boquette Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Boquette Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Boquette Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Boquette Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Boquette Fall" - }, - "6": { - "GXT": "", - "Localized": "Boquette Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Boquette Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Boquette Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Boquette Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Boquette Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Boquette Splinter" - }, - "12": { - "GXT": "", - "Localized": "Boquette Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Boquette Cobble" - }, - "14": { - "GXT": "", - "Localized": "Boquette Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Boquette Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Boquette Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Boquette Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Boquette Moss" - }, - "19": { - "GXT": "", - "Localized": "Boquette Sand" - }, - "20": { - "GXT": "", - "Localized": "Boquette Noir" - } - }, - "108": { - "0": { - "GXT": "", - "Localized": "Casquette Rouge Hawk & Little" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir Hawk & Little" - }, - "2": { - "GXT": "", - "Localized": "Casquette Blanc Shrewsbury" - }, - "3": { - "GXT": "", - "Localized": "Casquette Noir Shrewsbury" - }, - "4": { - "GXT": "", - "Localized": "Casquette Blanc Vom Feuer" - }, - "5": { - "GXT": "", - "Localized": "Casquette Noir Vom Feuer" - }, - "6": { - "GXT": "", - "Localized": "Casquette Wine Coil" - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Coil" - }, - "8": { - "GXT": "", - "Localized": "Casquette Noir Ammu-Nation" - }, - "9": { - "GXT": "", - "Localized": "Casquette Rouge Ammu-Nation" - }, - "10": { - "GXT": "", - "Localized": "Casquette Warstock" - } - }, - "109": { - "0": { - "GXT": "", - "Localized": "Casquette Rouge Hawk & Little a l'enver" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir Hawk & Little a l'enver" - }, - "2": { - "GXT": "", - "Localized": "Casquette Blanc Shrewsbury a l'enver" - }, - "3": { - "GXT": "", - "Localized": "Casquette Noir Shrewsbury a l'enver" - }, - "4": { - "GXT": "", - "Localized": "Casquette Blanc Vom Feuer a l'enver" - }, - "5": { - "GXT": "", - "Localized": "Casquette Noir Vom Feuer a l'enver" - }, - "6": { - "GXT": "", - "Localized": "Casquette Wine Coil a l'enver" - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Coil a l'enver" - }, - "8": { - "GXT": "", - "Localized": "Casquette Noir Ammu-Nation a l'enver" - }, - "9": { - "GXT": "", - "Localized": "Casquette Rouge Ammu-Nation a l'enver" - }, - "10": { - "GXT": "", - "Localized": "Casquette Warstock a l'enver" - } - }, - "129": { - "0": { - "GXT": "", - "Localized": "Casquette Burger Shot Burgers" - }, - "1": { - "GXT": "", - "Localized": "Casquette Burger Shot Fries" - }, - "2": { - "GXT": "", - "Localized": "Casquette Burger Shot Logo" - }, - "3": { - "GXT": "", - "Localized": "Casquette Burger Shot Bullseye" - }, - "4": { - "GXT": "", - "Localized": "Casquette Jaune Cluckin' Bell" - }, - "5": { - "GXT": "", - "Localized": "Casquette Bleu Cluckin' Bell" - }, - "6": { - "GXT": "", - "Localized": "Casquette Cluckin' Bell Logos " - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Hotdogs" - }, - "8": { - "GXT": "", - "Localized": "Casquette Taco Bomb" - }, - "9": { - "GXT": "", - "Localized": "Casquette Violet Hotdogs" - }, - "10": { - "GXT": "", - "Localized": "Casquette Rose Hotdogs" - }, - "11": { - "GXT": "", - "Localized": "Casquette Blanc Lucky Plucker" - }, - "12": { - "GXT": "", - "Localized": "Casquette Rouge Lucky Plucker" - }, - "13": { - "GXT": "", - "Localized": "Casquette Lucky Plucker Rouge Pattern" - }, - "14": { - "GXT": "", - "Localized": "Casquette Lucky Plucker Blanc Pattern" - }, - "15": { - "GXT": "", - "Localized": "Casquette Blanc Pisswasser" - }, - "16": { - "GXT": "", - "Localized": "Casquette Noir Pisswasser" - }, - "17": { - "GXT": "", - "Localized": "Casquette Blanc Taco Bomb" - }, - "18": { - "GXT": "", - "Localized": "Casquette Vert Taco Bomb" - } - }, - "130": { - "0": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Burgers" - }, - "1": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Fries" - }, - "2": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Logo" - }, - "3": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Bullseye" - }, - "4": { - "GXT": "", - "Localized": "Casquette a l'enver Jaune Cluckin' Bell" - }, - "5": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Cluckin' Bell" - }, - "6": { - "GXT": "", - "Localized": "Casquette a l'enver Cluckin' Bell Logos" - }, - "7": { - "GXT": "", - "Localized": "Casquette a l'enver Noir Hotdogs" - }, - "8": { - "GXT": "", - "Localized": "Casquette a l'enver Taco Bomb" - }, - "9": { - "GXT": "", - "Localized": "Casquette a l'enver Violet Hotdogs" - }, - "10": { - "GXT": "", - "Localized": "Casquette a l'enver Rose Hotdogs" - }, - "11": { - "GXT": "", - "Localized": "Casquette a l'enver Blanc Lucky Plucker" - }, - "12": { - "GXT": "", - "Localized": "Casquette a l'enver Rouge Lucky Plucker" - }, - "13": { - "GXT": "", - "Localized": "Casquette a l'enver Lucky Plucker Rouge Pattern" - }, - "14": { - "GXT": "", - "Localized": "Casquette a l'enver Lucky Plucker Blanc Pattern" - }, - "15": { - "GXT": "", - "Localized": "Casquette a l'enver Blanc Pisswasser" - }, - "16": { - "GXT": "", - "Localized": "Casquette a l'enver Noir Pisswasser" - }, - "17": { - "GXT": "", - "Localized": "Casquette a l'enver Blanc Taco Bomb" - }, - "18": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Taco Bomb" - } - }, - "134": { - "0": { - "GXT": "", - "Localized": "Casquette Blanc The Diamond" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir The Diamond" - }, - "2": { - "GXT": "", - "Localized": "Casquette Blanc LS Diamond" - }, - "3": { - "GXT": "", - "Localized": "Casquette Noir LS Diamond" - }, - "4": { - "GXT": "", - "Localized": "Casquette Rouge The Diamond" - }, - "5": { - "GXT": "", - "Localized": "Casquette Orange The Diamond" - }, - "6": { - "GXT": "", - "Localized": "Casquette Bleu LS Diamond" - }, - "7": { - "GXT": "", - "Localized": "Casquette Vert The Diamond" - }, - "8": { - "GXT": "", - "Localized": "Casquette Orange LS Diamond" - }, - "9": { - "GXT": "", - "Localized": "Casquette Violet The Diamond" - }, - "10": { - "GXT": "", - "Localized": "Casquette Rose LS Diamond" - }, - "11": { - "GXT": "", - "Localized": "Casquette Blanc Broker" - }, - "12": { - "GXT": "", - "Localized": "Casquette Noir Broker" - }, - "13": { - "GXT": "", - "Localized": "Casquette Bleu Sarcelle Broker" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rouge Flying Bravo" - }, - "15": { - "GXT": "", - "Localized": "Casquette Vert Flying Bravo" - }, - "16": { - "GXT": "", - "Localized": "Casquette Noir SC Broker" - }, - "17": { - "GXT": "", - "Localized": "Casquette Bleu Sarcelle SC Broker" - }, - "18": { - "GXT": "", - "Localized": "Casquette Violet SC Broker" - }, - "19": { - "GXT": "", - "Localized": "Casquette Rouge SC Broker" - }, - "20": { - "GXT": "", - "Localized": "Casquette Blanc SC Broker" - } - }, - "135": { - "0": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc The Diamond" - }, - "1": { - "GXT": "", - "Localized": "Casquette à l'envers Noir The Diamond" - }, - "2": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc LS Diamond" - }, - "3": { - "GXT": "", - "Localized": "Casquette à l'envers Noir LS Diamond" - }, - "4": { - "GXT": "", - "Localized": "Casquette à l'envers Rouge The Diamond" - }, - "5": { - "GXT": "", - "Localized": "Casquette à l'envers Orange The Diamond" - }, - "6": { - "GXT": "", - "Localized": "Casquette à l'envers Bleu LS Diamond" - }, - "7": { - "GXT": "", - "Localized": "Casquette à l'envers Vert The Diamond" - }, - "8": { - "GXT": "", - "Localized": "Casquette à l'envers Orange LS Diamond" - }, - "9": { - "GXT": "", - "Localized": "Casquette à l'envers Violet The Diamond" - }, - "10": { - "GXT": "", - "Localized": "Casquette à l'envers LS Diamond" - }, - "11": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc Broker" - }, - "12": { - "GXT": "", - "Localized": "Casquette à l'envers Noir Broker" - }, - "13": { - "GXT": "", - "Localized": "Casquette à l'envers Bleu Sarcelle Broker" - }, - "14": { - "GXT": "", - "Localized": "Casquette à l'envers Rouge Flying Bravo" - }, - "15": { - "GXT": "", - "Localized": "Casquette à l'envers Vert Flying Bravo" - }, - "16": { - "GXT": "", - "Localized": "Casquette à l'envers Noir SC Broker" - }, - "17": { - "GXT": "", - "Localized": "Casquette à l'envers Bleu Sarcelle SC Broker" - }, - "18": { - "GXT": "", - "Localized": "Casquette à l'envers Violet SC Broker" - }, - "19": { - "GXT": "", - "Localized": "Casquette à l'envers Rouge SC Broker" - }, - "20": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc SC Broker" - } - }, - "138": { - "0": { - "GXT": "", - "Localized": "Casquette Bugstars " - }, - "1": { - "GXT": "", - "Localized": "Casquette Prison Authority " - }, - "2": { - "GXT": "", - "Localized": "Casquette Yung Ancestor " - } - }, - "139": { - "0": { - "GXT": "", - "Localized": "Casquette a l'enver Bugstars " - }, - "1": { - "GXT": "", - "Localized": "Casquette a l'enver Prison Authority " - }, - "2": { - "GXT": "", - "Localized": "Casquette a l'enver Yung Ancestor " - } - }, - "141": { - "0": { - "GXT": "", - "Localized": "Casquette Noir " - }, - "1": { - "GXT": "", - "Localized": "Casquette Gris " - }, - "2": { - "GXT": "", - "Localized": "Casquette Light Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette Rouge " - }, - "4": { - "GXT": "", - "Localized": "Casquette Bleu Sarcelle" - }, - "5": { - "GXT": "", - "Localized": "Casquette Smiley " - }, - "6": { - "GXT": "", - "Localized": "Casquette Gris Digital " - }, - "7": { - "GXT": "", - "Localized": "Casquette Bleu Digital " - }, - "8": { - "GXT": "", - "Localized": "Casquette Bleu Wave " - }, - "9": { - "GXT": "", - "Localized": "Casquette Stars & Stripes " - }, - "10": { - "GXT": "", - "Localized": "Casquette Toothy Grin " - }, - "11": { - "GXT": "", - "Localized": "Casquette Wolf " - }, - "12": { - "GXT": "", - "Localized": "Casquette Gris Camo " - }, - "13": { - "GXT": "", - "Localized": "Casquette Noir Skull " - }, - "14": { - "GXT": "", - "Localized": "Casquette Blood Cross " - }, - "15": { - "GXT": "", - "Localized": "Casquette Marron Skull " - }, - "16": { - "GXT": "", - "Localized": "Casquette Vert Camo " - }, - "17": { - "GXT": "", - "Localized": "Casquette Vert Neon Camo " - }, - "18": { - "GXT": "", - "Localized": "Casquette Violet Neon Camo " - }, - "19": { - "GXT": "", - "Localized": "Casquette Cobble " - }, - "20": { - "GXT": "", - "Localized": "Casquette Vert Snakeskin " - } - }, - "142": { - "0": { - "GXT": "", - "Localized": "Casquette a l'enver Noir " - }, - "1": { - "GXT": "", - "Localized": "Casquette a l'enver Gris " - }, - "2": { - "GXT": "", - "Localized": "Casquette a l'enver Light Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette a l'enver Rouge " - }, - "4": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Sarcelle" - }, - "5": { - "GXT": "", - "Localized": "Casquette a l'enver Smiley " - }, - "6": { - "GXT": "", - "Localized": "Casquette a l'enver Gris Digital " - }, - "7": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Digital " - }, - "8": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Wave " - }, - "9": { - "GXT": "", - "Localized": "Casquette a l'enver Stars & Stripes " - }, - "10": { - "GXT": "", - "Localized": "Casquette a l'enver Toothy Grin " - }, - "11": { - "GXT": "", - "Localized": "Casquette a l'enver Wolf " - }, - "12": { - "GXT": "", - "Localized": "Casquette a l'enver Gris Camo " - }, - "13": { - "GXT": "", - "Localized": "Casquette a l'enver Noir Skull " - }, - "14": { - "GXT": "", - "Localized": "Casquette a l'enver Blood Cross " - }, - "15": { - "GXT": "", - "Localized": "Casquette a l'enver Marron Skull " - }, - "16": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Camo " - }, - "17": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Neon Camo " - }, - "18": { - "GXT": "", - "Localized": "Casquette a l'enver Violet Neon Camo " - }, - "19": { - "GXT": "", - "Localized": "Casquette a l'enver Cobble " - }, - "20": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Snakeskin " - } - }, - "150": { - "0": { - "GXT": "", - "Localized": "Casquette Enus Yeti " - }, - "1": { - "GXT": "", - "Localized": "Casquette 720 " - }, - "2": { - "GXT": "", - "Localized": "Casquette Exsorbeo 720 " - }, - "3": { - "GXT": "", - "Localized": "Casquette Güffy Double Logo " - }, - "4": { - "GXT": "", - "Localized": "Casquette Rockstar " - }, - "5": { - "GXT": "", - "Localized": "Casquette Civilist Blanc " - }, - "6": { - "GXT": "", - "Localized": "Casquette Civilist Noir " - }, - "7": { - "GXT": "", - "Localized": "Casquette Civilist Orange " - } - }, - "151": { - "0": { - "GXT": "", - "Localized": "Casquette à l'envers Enus Yeti Backwards" - }, - "1": { - "GXT": "", - "Localized": "Casquette à l'envers 720 " - }, - "2": { - "GXT": "", - "Localized": "Casquette à l'envers Exsorbeo 720 " - }, - "3": { - "GXT": "", - "Localized": "Casquette à l'envers Güffy Double Logo " - }, - "4": { - "GXT": "", - "Localized": "Casquette à l'envers Rockstar " - }, - "5": { - "GXT": "", - "Localized": "Casquette à l'envers Civilist Blanc " - }, - "6": { - "GXT": "", - "Localized": "Casquette à l'envers Civilist Noir " - }, - "7": { - "GXT": "", - "Localized": "Casquette à l'envers Civilist Orange " - } - }, - "153": { - "0": { - "GXT": "", - "Localized": "Casquette Sprunk " - }, - "1": { - "GXT": "", - "Localized": "Casquette eCola " - }, - "2": { - "GXT": "", - "Localized": "Casquette Broker " - }, - "3": { - "GXT": "", - "Localized": "Casquette Light Dinka " - }, - "4": { - "GXT": "", - "Localized": "Casquette Dark Dinka " - }, - "5": { - "GXT": "", - "Localized": "Casquette Blanc Güffy " - }, - "6": { - "GXT": "", - "Localized": "Casquette Noir Güffy " - }, - "7": { - "GXT": "", - "Localized": "Casquette Annis" - }, - "8": { - "GXT": "", - "Localized": "Casquette Hellion " - }, - "9": { - "GXT": "", - "Localized": "Casquette Emperor " - }, - "10": { - "GXT": "", - "Localized": "Casquette Karin " - }, - "11": { - "GXT": "", - "Localized": "Casquette Lampadati " - }, - "12": { - "GXT": "", - "Localized": "Casquette Omnis " - }, - "13": { - "GXT": "", - "Localized": "Casquette Vapid " - } - }, - "154": { - "0": { - "GXT": "", - "Localized": "Casquette à l'envers Sprunk " - }, - "1": { - "GXT": "", - "Localized": "Casquette à l'envers eCola " - }, - "2": { - "GXT": "", - "Localized": "Casquette à l'envers Broker " - }, - "3": { - "GXT": "", - "Localized": "Casquette à l'envers Light Dinka " - }, - "4": { - "GXT": "", - "Localized": "Casquette à l'envers Dark Dinka " - }, - "5": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc Güffy " - }, - "6": { - "GXT": "", - "Localized": "Casquette à l'envers Noir Güffy " - }, - "7": { - "GXT": "", - "Localized": "Casquette à l'envers Annis " - }, - "8": { - "GXT": "", - "Localized": "Casquette à l'envers Hellion " - }, - "9": { - "GXT": "", - "Localized": "Casquette à l'envers Emperor " - }, - "10": { - "GXT": "", - "Localized": "Casquette à l'envers Karin " - }, - "11": { - "GXT": "", - "Localized": "Casquette à l'envers Lampadati " - }, - "12": { - "GXT": "", - "Localized": "Casquette à l'envers Omnis " - }, - "13": { - "GXT": "", - "Localized": "Casquette à l'envers Vapid " - } - }, - "155": { - "0": { - "GXT": "", - "Localized": "Casquette incurvée Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette incurvée Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette incurvée Gris Curved " - }, - "3": { - "GXT": "", - "Localized": "Casquette incurvée Bleu Foncé" - }, - "4": { - "GXT": "", - "Localized": "Casquette incurvée Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette incurvée Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette incurvée Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette incurvée Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette incurvée Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette incurvée Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette incurvée Ice" - }, - "11": { - "GXT": "", - "Localized": "Casquette incurvée Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette incurvée Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette incurvée Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette incurvée Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette incurvée Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette incurvée Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette incurvée Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette incurvée Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette incurvée Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette incurvée Aqua Camo " - } - }, - "156": { - "0": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Bleu Foncé" - }, - "4": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Ice " - }, - "11": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Aqua Camo " - } - }, - "157": { - "0": { - "GXT": "", - "Localized": "Casquette rigide Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette rigide Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette rigide Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette rigide Bleu Foncé" - }, - "4": { - "GXT": "", - "Localized": "Casquette rigide Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette rigide Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette rigide Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette rigide Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette rigide Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette rigide Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette rigide Ice" - }, - "11": { - "GXT": "", - "Localized": "Casquette rigide Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette rigide Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette rigide Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette rigide Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette rigide Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette rigide Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette rigide Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette rigide Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette rigide Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette rigide Aqua Camo " - } - }, - "158": { - "0": { - "GXT": "", - "Localized": "Casquette Bleu Prolaps" - }, - "1": { - "GXT": "", - "Localized": "Casquette Vert Prolaps" - } - }, - "159": { - "0": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Bleu Foncé" - }, - "4": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Ice " - }, - "11": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Aqua Camo " - } - }, - "160": { - "0": { - "GXT": "", - "Localized": "Casquette Bleu Prolaps à l'envers" - }, - "1": { - "GXT": "", - "Localized": "Casquette Vert Prolaps à l'envers" - } - }, - "161": { - "0": { - "GXT": "", - "Localized": "Casquette Violet Broker " - }, - "1": { - "GXT": "", - "Localized": "Casquette Gris Broker " - }, - "2": { - "GXT": "", - "Localized": "Casquette Noir Trickster " - }, - "3": { - "GXT": "", - "Localized": "Casquette Jaune Trickster " - }, - "4": { - "GXT": "", - "Localized": "Casquette Jaune Camo Trickster " - }, - "5": { - "GXT": "", - "Localized": "Casquette Noir VDG " - }, - "6": { - "GXT": "", - "Localized": "Casquette Jaune VDG " - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Pounders " - }, - "8": { - "GXT": "", - "Localized": "Casquette Blanc Pounders " - } - }, - "162": { - "0": { - "GXT": "", - "Localized": "Caquette à l'envers Violet Broker " - }, - "1": { - "GXT": "", - "Localized": "Caquette à l'envers Gris Broker " - }, - "2": { - "GXT": "", - "Localized": "Caquette à l'envers Noir Trickster " - }, - "3": { - "GXT": "", - "Localized": "Caquette à l'envers Jaune Trickster " - }, - "4": { - "GXT": "", - "Localized": "Caquette à l'envers Jaune Camo Trickster " - }, - "5": { - "GXT": "", - "Localized": "Caquette à l'envers Noir VDG " - }, - "6": { - "GXT": "", - "Localized": "Caquette à l'envers Jaune VDG " - }, - "7": { - "GXT": "", - "Localized": "Caquette à l'envers Noir Pounders " - }, - "8": { - "GXT": "", - "Localized": "Caquette à l'envers Blanc Pounders " - } - } - }, - "Casques": { - "0": { - "0": { - "GXT": "", - "Localized": "Casque anti-bruit Rouge" - }, - "1": { - "GXT": "", - "Localized": "Casque anti-bruit Violet" - }, - "2": { - "GXT": "", - "Localized": "Casque anti-bruit Vert" - }, - "3": { - "GXT": "", - "Localized": "Casque anti-bruit Jaune" - }, - "4": { - "GXT": "", - "Localized": "Casque anti-bruit Desert" - }, - "5": { - "GXT": "", - "Localized": "Casque anti-bruit Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casque anti-bruit Bleu Pale" - }, - "7": { - "GXT": "", - "Localized": "Casque anti-bruit Orange" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Ecouteur beat Blanc" - }, - "1": { - "GXT": "", - "Localized": "Ecouteur beat Noir" - }, - "2": { - "GXT": "", - "Localized": "Ecouteur beat Rouge" - }, - "3": { - "GXT": "", - "Localized": "Ecouteur beat Gris" - }, - "4": { - "GXT": "", - "Localized": "Ecouteur beat Bleu" - }, - "5": { - "GXT": "", - "Localized": "Ecouteur beat Violet" - }, - "6": { - "GXT": "", - "Localized": "Ecouteur beat Rose" - }, - "7": { - "GXT": "", - "Localized": "Ecouteur beat Orange" - } - } - }, - "Béret": { - "6": { - "0": { - "GXT": "", - "Localized": "Béret militaire Noir" - }, - "1": { - "GXT": "", - "Localized": "Béret militaire Verte" - }, - "2": { - "GXT": "", - "Localized": "Béret militaire Leopard" - }, - "3": { - "GXT": "", - "Localized": "Béret militaire Ocre" - }, - "4": { - "GXT": "", - "Localized": "Béret militaire Jean" - }, - "5": { - "GXT": "", - "Localized": "Béret militaire Field Camo" - }, - "6": { - "GXT": "", - "Localized": "Béret militaire Desert Camo" - }, - "7": { - "GXT": "", - "Localized": "Béret militaire Woodland Camo" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Béret Bleu Foncé" - }, - "1": { - "GXT": "", - "Localized": "Béret Blanc" - }, - "2": { - "GXT": "", - "Localized": "Béret Gris" - }, - "3": { - "GXT": "", - "Localized": "Béret Marron" - }, - "4": { - "GXT": "", - "Localized": "Béret Rouge" - }, - "5": { - "GXT": "", - "Localized": "Béret Rose" - }, - "6": { - "GXT": "", - "Localized": "Béret Vert" - }, - "7": { - "GXT": "", - "Localized": "Béret Fruity" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Béret Noir" - }, - "1": { - "GXT": "", - "Localized": "Béret Cherry" - }, - "2": { - "GXT": "", - "Localized": "Béret Violet" - }, - "3": { - "GXT": "", - "Localized": "Béret Blanc" - }, - "4": { - "GXT": "", - "Localized": "Béret Gris" - }, - "5": { - "GXT": "", - "Localized": "Béret Bleu Foncé" - }, - "6": { - "GXT": "", - "Localized": "Béret Beige" - }, - "7": { - "GXT": "", - "Localized": "Béret Magenta" - } - }, - "105": { - "0": { - "GXT": "", - "Localized": "Béret Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Béret Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Béret Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Béret Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Béret Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Béret Fall" - }, - "6": { - "GXT": "", - "Localized": "Béret Dark Woodland Beret" - }, - "7": { - "GXT": "", - "Localized": "Béret Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Béret Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Béret Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Béret Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Béret Splinter" - }, - "12": { - "GXT": "", - "Localized": "Béret Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Béret Cobble" - }, - "14": { - "GXT": "", - "Localized": "Béret Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Béret Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Béret Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Béret Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Béret Moss" - }, - "19": { - "GXT": "", - "Localized": "Béret Sand" - }, - "20": { - "GXT": "", - "Localized": "Béret Midnight" - } - } - }, - "Luxe": { - "8": { - "4": { - "GXT": "", - "Localized": "Chapeau Porkpie Rose" - } - }, - "11": { - "1": { - "GXT": "", - "Localized": "Capeline Noir" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Chapeau de paille Beige" - }, - "1": { - "GXT": "", - "Localized": "Chapeau de paille à deux tons" - }, - "2": { - "GXT": "", - "Localized": "Chapeau de paille Marron" - }, - "3": { - "GXT": "", - "Localized": "Chapeau de paille Safari" - }, - "4": { - "GXT": "", - "Localized": "Chapeau de paille Gris à motifs" - }, - "5": { - "GXT": "", - "Localized": "Chapeau de paille Marron" - }, - "6": { - "GXT": "", - "Localized": "Chapeau de paille Gris" - }, - "7": { - "GXT": "", - "Localized": "Chapeau de paille Bleu Foncé" - } - }, - "22": { - "0": { - "GXT": "", - "Localized": "Capeline Beige" - }, - "1": { - "GXT": "", - "Localized": "Capeline Crème" - }, - "2": { - "GXT": "", - "Localized": "Capeline Bleu Foncé" - }, - "3": { - "GXT": "", - "Localized": "Capeline à deux tons" - }, - "4": { - "GXT": "", - "Localized": "Capeline Marron" - }, - "5": { - "GXT": "", - "Localized": "Capeline MyMy Passion" - }, - "6": { - "GXT": "", - "Localized": "Capeline MyMy Wild" - } - }, - "26": { - "0": { - "GXT": "", - "Localized": "Chapeau melon Noir" - }, - "1": { - "GXT": "", - "Localized": "Chapeau melon Gris" - }, - "2": { - "GXT": "", - "Localized": "Chapeau melon Bleu" - }, - "3": { - "GXT": "", - "Localized": "Chapeau melon Gris clair" - }, - "4": { - "GXT": "", - "Localized": "Chapeau melon Olive" - }, - "5": { - "GXT": "", - "Localized": "Chapeau melon Violet" - }, - "6": { - "GXT": "", - "Localized": "Chapeau melon Rouge" - }, - "7": { - "GXT": "", - "Localized": "Chapeau melon Marron" - }, - "8": { - "GXT": "", - "Localized": "Chapeau melon Vintage Marron" - }, - "9": { - "GXT": "", - "Localized": "Chapeau melon Creme" - }, - "10": { - "GXT": "", - "Localized": "Chapeau melon Cendre" - }, - "11": { - "GXT": "", - "Localized": "Chapeau melon Cendre bleue" - }, - "12": { - "GXT": "", - "Localized": "Chapeau melon Argent sublime" - }, - "13": { - "GXT": "", - "Localized": "Chapeau melon Blanc" - } - }, - "27": { - "0": { - "GXT": "", - "Localized": "Haut de forme noir" - }, - "1": { - "GXT": "", - "Localized": "Haut de forme gris" - }, - "2": { - "GXT": "", - "Localized": "Haut de forme bleu" - }, - "3": { - "GXT": "", - "Localized": "Haut de forme gris clair" - }, - "4": { - "GXT": "", - "Localized": "Haut de forme olive" - }, - "5": { - "GXT": "", - "Localized": "Haut de forme violet" - }, - "6": { - "GXT": "", - "Localized": "Haut de forme rouge" - }, - "7": { - "GXT": "", - "Localized": "Haut de forme marron" - }, - "8": { - "GXT": "", - "Localized": "Haut de forme vintage" - }, - "9": { - "GXT": "", - "Localized": "Haut de forme creme" - }, - "10": { - "GXT": "", - "Localized": "Haut de forme cendre" - }, - "11": { - "GXT": "", - "Localized": "Haut de forme Bleu Foncé" - }, - "12": { - "GXT": "", - "Localized": "Haut de forme argent" - }, - "13": { - "GXT": "", - "Localized": "Haut de forme blanc" - } - }, - "28": { - "0": { - "GXT": "", - "Localized": "Chapeau Fedora Marron" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Fedora Crème" - }, - "2": { - "GXT": "", - "Localized": "Chapeau Fedora Blanc" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Fedora Noir" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Fedora Gris" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Fedora Rouge" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Fedora Beige" - }, - "7": { - "GXT": "", - "Localized": "Chapeau Fedora Rose" - } - }, - "54": { - "0": { - "GXT": "", - "Localized": "Tan Cashmere Fedora" - }, - "1": { - "GXT": "", - "Localized": "Light Gris Cashmere Fedora" - }, - "2": { - "GXT": "", - "Localized": "Marron Cashmere Fedora" - }, - "3": { - "GXT": "", - "Localized": "Rouge Cashmere Fedora" - }, - "4": { - "GXT": "", - "Localized": "Gris Cashmere Fedora" - }, - "5": { - "GXT": "", - "Localized": "Bleu Foncé Cashmere Fedora" - }, - "6": { - "GXT": "", - "Localized": "Vert Cashmere Fedora" - }, - "7": { - "GXT": "", - "Localized": "Blanc Cashmere Fedora" - } - }, - "61": { - "0": { - "GXT": "", - "Localized": "Chapeau Borsalino Vert" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Borsalino Orange" - }, - "2": { - "GXT": "", - "Localized": "Chapeau Borsalino Violet" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Borsalino Rose" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Borsalino Rouge" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Borsalino Bleu" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Borsalino Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Chapeau Borsalino Gris" - }, - "8": { - "GXT": "", - "Localized": "Chapeau Borsalino Blanc" - }, - "9": { - "GXT": "", - "Localized": "Chapeau Borsalino Noir" - } - }, - "94": { - "0": { - "GXT": "", - "Localized": "Chapeau bandeau Crème" - }, - "1": { - "GXT": "", - "Localized": "Chapeau bandeau Rouge" - }, - "2": { - "GXT": "", - "Localized": "Chapeau bandeau Bleu" - }, - "3": { - "GXT": "", - "Localized": "Chapeau bandeau Cyan" - }, - "4": { - "GXT": "", - "Localized": "Chapeau bandeau Blanc" - }, - "5": { - "GXT": "", - "Localized": "Chapeau bandeau Gris" - }, - "6": { - "GXT": "", - "Localized": "Chapeau bandeau Bleu Foncé" - }, - "7": { - "GXT": "", - "Localized": "Chapeau bandeau Rouge" - }, - "8": { - "GXT": "", - "Localized": "Chapeau bandeau Gris Fonce" - }, - "9": { - "GXT": "", - "Localized": "Chapeau bandeau Vert Foret" - } - }, - "145": { - "0": { - "GXT": "", - "Localized": "Haut de Forme Noir" - }, - "1": { - "GXT": "", - "Localized": "Haut de Forme Dark Gris" - }, - "2": { - "GXT": "", - "Localized": "Haut de Forme Dusty Violet" - }, - "3": { - "GXT": "", - "Localized": "Haut de Forme Light Gris" - }, - "4": { - "GXT": "", - "Localized": "Haut de Forme Sage Vert" - }, - "5": { - "GXT": "", - "Localized": "Haut de Forme Dusty Rose" - }, - "6": { - "GXT": "", - "Localized": "Haut de Forme Rouge" - }, - "7": { - "GXT": "", - "Localized": "Haut de Forme Terracotta" - }, - "8": { - "GXT": "", - "Localized": "Haut de Forme Crème" - }, - "9": { - "GXT": "", - "Localized": "Haut de Forme Ivory" - }, - "10": { - "GXT": "", - "Localized": "Haut de Forme Cendre" - }, - "11": { - "GXT": "", - "Localized": "Haut de Forme Dark Violet" - }, - "12": { - "GXT": "", - "Localized": "Haut de Forme Eggshell" - }, - "13": { - "GXT": "", - "Localized": "Haut de Forme Blanc" - } - } - }, - "Costume": { - "23": { - "0": { - "GXT": "", - "Localized": "Bonnet Noel Rouge" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Noel Vert" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Bonnet elf" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Bois de rennes" - } - }, - "30": { - "0": { - "GXT": "", - "Localized": "Chapeau USA" - } - }, - "31": { - "0": { - "GXT": "", - "Localized": "Haut de forme USA" - } - }, - "32": { - "0": { - "GXT": "", - "Localized": "Chapeau Sheriff Rouge" - } - }, - "34": { - "0": { - "GXT": "", - "Localized": "Couronne des États-Unis" - } - }, - "35": { - "0": { - "GXT": "", - "Localized": "Serre tête Etats-Unis" - } - }, - "36": { - "0": { - "GXT": "", - "Localized": "Chapeau a bière Bleu" - }, - "1": { - "GXT": "", - "Localized": "Chapeau a bière Benedict" - }, - "2": { - "GXT": "", - "Localized": "Chapeau a bière Rose" - }, - "3": { - "GXT": "", - "Localized": "Chapeau a bière Patriotique" - }, - "4": { - "GXT": "", - "Localized": "Chapeau a bière Blarneys" - }, - "5": { - "GXT": "", - "Localized": "Chapeau a bière Jaune" - } - }, - "39": { - "0": { - "GXT": "", - "Localized": "Chapeau pointe arbre noel" - }, - "1": { - "GXT": "", - "Localized": "Chapeau pointe flocon violet" - }, - "2": { - "GXT": "", - "Localized": "Chapeau pointe houx" - }, - "3": { - "GXT": "", - "Localized": "Chapeau pointe rouge-blanc" - }, - "4": { - "GXT": "", - "Localized": "Chapeau pointe Vert-rose" - }, - "5": { - "GXT": "", - "Localized": "Chapeau pointe etoiles" - }, - "6": { - "GXT": "", - "Localized": "Chapeau pointe noel" - }, - "7": { - "GXT": "", - "Localized": "Chapeau pointe elf" - } - }, - "40": { - "0": { - "GXT": "", - "Localized": "Bonnet pudding" - } - }, - "41": { - "0": { - "GXT": "", - "Localized": "Bonnet tombant elf" - }, - "1": { - "GXT": "", - "Localized": "Bonnet tombant Vert-blanc" - }, - "2": { - "GXT": "", - "Localized": "Bonnet tombant Vert-rouge" - }, - "3": { - "GXT": "", - "Localized": "Bonnet tombant violet" - } - }, - "42": { - "0": { - "GXT": "", - "Localized": "Bonnet de nuit charantaise" - }, - "1": { - "GXT": "", - "Localized": "Bonnet de nuit bleu" - }, - "2": { - "GXT": "", - "Localized": "Bonnet de nuit croix" - }, - "3": { - "GXT": "", - "Localized": "Bonnet de nuit carrés" - } - }, - "44": { - "1": { - "GXT": "", - "Localized": "Casque Pompier Noir Ho Ho Ho" - }, - "2": { - "GXT": "", - "Localized": "Casque Pompier Bleu Snowflake" - }, - "3": { - "GXT": "", - "Localized": "Casque Pompier Nice Rouge Blanc" - }, - "4": { - "GXT": "", - "Localized": "Casque Pompier Vert Ho Ho Ho" - }, - "5": { - "GXT": "", - "Localized": "Casque pompier Rouge Snowflake" - }, - "6": { - "GXT": "", - "Localized": "Casque pompier Gingerbread" - }, - "7": { - "GXT": "", - "Localized": "Casque pompier Bah Humbug" - } - }, - "96": { - "0": { - "GXT": "", - "Localized": "Chapeau à point lumineux Arbre" - }, - "1": { - "GXT": "", - "Localized": "Chapeau à point lumineux rose" - }, - "2": { - "GXT": "", - "Localized": "Chapeau à point lumineux Houx" - }, - "3": { - "GXT": "", - "Localized": "Chapeau à point lumineux Violet" - } - }, - "97": { - "0": { - "GXT": "", - "Localized": "Chapeau à point lumineux Pudding" - } - }, - "98": { - "0": { - "GXT": "", - "Localized": "Bonnet noel lumineux " - } - }, - "99": { - "0": { - "GXT": "", - "Localized": "Bonnet Elf lumineux" - } - }, - "100": { - "0": { - "GXT": "", - "Localized": "Bois de rennes lumineux" - } - }, - "112": { - "4": { - "GXT": "", - "Localized": "Képi cérémonie Aqua Camo" - }, - "10": { - "GXT": "", - "Localized": "Képi cérémonie Light Marron" - }, - "11": { - "GXT": "", - "Localized": "Képi cérémonie Moss" - }, - "12": { - "GXT": "", - "Localized": "Képi cérémonie Gris Digital" - }, - "13": { - "GXT": "", - "Localized": "Képi cérémonie Dark Woodland" - }, - "14": { - "GXT": "", - "Localized": "Képi cérémonie Rouge" - }, - "15": { - "GXT": "", - "Localized": "Képi cérémonie Chocolate" - }, - "17": { - "GXT": "", - "Localized": "Képi cérémonie Sand" - }, - "19": { - "GXT": "", - "Localized": "Képi cérémonie Rose" - } - }, - "113": { - "0": { - "GXT": "", - "Localized": "Marine Cérémonie Blanc & Or" - }, - "1": { - "GXT": "", - "Localized": "Marine Cérémonie Blanc & Bleu" - }, - "2": { - "GXT": "", - "Localized": "Marine Cérémonie Gris Leopard" - }, - "3": { - "GXT": "", - "Localized": "Marine Cérémonie Bleu Foncé" - }, - "6": { - "GXT": "", - "Localized": "Marine Cérémonie Aqua Camo" - }, - "10": { - "GXT": "", - "Localized": "Marine Cérémonie Rouge & Bleu" - }, - "11": { - "GXT": "", - "Localized": "Marine Cérémonie Rouge" - }, - "12": { - "GXT": "", - "Localized": "Marine Cérémonie Brushstroke" - }, - "13": { - "GXT": "", - "Localized": "Marine Cérémonie Moss" - }, - "14": { - "GXT": "", - "Localized": "Marine Cérémonie Marron Digital" - }, - "16": { - "GXT": "", - "Localized": "Marine Cérémonie Blanc Camo" - }, - "18": { - "GXT": "", - "Localized": "Marine Cérémonie Zebre" - } - }, - "144": { - "0": { - "GXT": "", - "Localized": "Casque de chantier Jaune" - }, - "1": { - "GXT": "", - "Localized": "Casque de chantier Orange" - }, - "2": { - "GXT": "", - "Localized": "Casque de chantier Blanc" - }, - "3": { - "GXT": "", - "Localized": "Casque de chantier Bleu" - } - }, - "152": { - "0": { - "GXT": "", - "Localized": "Chapeau de pirate" - } - } - }, - "Bandana": { - "82": { - "0": { - "GXT": "", - "Localized": "Bandana Noir" - }, - "1": { - "GXT": "", - "Localized": "Bandana Uptown Riders" - }, - "2": { - "GXT": "", - "Localized": "Bandana Ride Free" - }, - "3": { - "GXT": "", - "Localized": "Bandana As de pique" - }, - "4": { - "GXT": "", - "Localized": "Bandana Crâne et serpent" - }, - "5": { - "GXT": "", - "Localized": "Bandana Boeuf et hachettes" - }, - "6": { - "GXT": "", - "Localized": "Bandana Étoiles et rayures" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_helmets.json b/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_helmets.json deleted file mode 100644 index 3084f3bbb9..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_helmets.json +++ /dev/null @@ -1,892 +0,0 @@ -[ - { - "Casques": { - "16": { - "0": { - "GXT": "", - "Localized": "Casque Cross Jaune" - }, - "1": { - "GXT": "", - "Localized": "Casque Cross Bleu" - }, - "2": { - "GXT": "", - "Localized": "Casque Cross Orange" - }, - "3": { - "GXT": "", - "Localized": "Casque Cross Vert" - }, - "4": { - "GXT": "", - "Localized": "Casque Cross Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casque Cross Or-blanc" - }, - "6": { - "GXT": "", - "Localized": "Casque Cross Noir" - }, - "7": { - "GXT": "", - "Localized": "Casque Cross Lilla" - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Casque Jet Bleu Pale" - }, - "2": { - "GXT": "", - "Localized": "Casque Jet Bleu Pale" - }, - "4": { - "GXT": "", - "Localized": "Casque Jet Gris" - }, - "5": { - "GXT": "", - "Localized": "Casque Jet Noir" - }, - "6": { - "GXT": "", - "Localized": "Casque Jet Rose" - }, - "7": { - "GXT": "", - "Localized": "Casque Jet Blanc-noir" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Casque integral eclats" - }, - "1": { - "GXT": "", - "Localized": "Casque integral etoiles" - }, - "2": { - "GXT": "", - "Localized": "Casque integral gris" - }, - "3": { - "GXT": "", - "Localized": "Casque integral sang" - }, - "4": { - "GXT": "", - "Localized": "Casque integral crane" - }, - "5": { - "GXT": "", - "Localized": "Casque integral AoS noir" - }, - "6": { - "GXT": "", - "Localized": "Casque integral flammes" - }, - "7": { - "GXT": "", - "Localized": "Casque integral blanc-rouge" - } - }, - "47": { - "0": { - "GXT": "", - "Localized": "Noir brillant tout-terrain" - } - }, - "48": { - "0": { - "GXT": "", - "Localized": "Noir mat tout-terrain" - } - }, - "49": { - "0": { - "GXT": "", - "Localized": "Intégral brillant" - } - }, - "50": { - "0": { - "GXT": "", - "Localized": "Visière Chromé" - } - }, - "51": { - "0": { - "GXT": "", - "Localized": "Mat Intégral Noir" - } - }, - "52": { - "0": { - "GXT": "", - "Localized": "Mat Visière Chromé" - } - }, - "62": { - "0": { - "GXT": "", - "Localized": "Casque intégral Vert" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Orange" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral Violet" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Rose" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Gris" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Noir" - } - }, - "67": { - "0": { - "GXT": "", - "Localized": "Glossy All Noir Biker" - } - }, - "68": { - "0": { - "GXT": "", - "Localized": "Glossy MirroRouge Biker" - } - }, - "69": { - "0": { - "GXT": "", - "Localized": "Matte All Noir Biker" - } - }, - "70": { - "0": { - "GXT": "", - "Localized": "Matte MirroRouge Biker" - } - }, - "71": { - "0": { - "GXT": "", - "Localized": "Casque intégral Vert Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Orange Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral Violet Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Rose Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Rouge Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Bleu Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Gris Foncé Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Gris Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Blanc Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Noir Ouvert" - } - }, - "72": { - "0": { - "GXT": "", - "Localized": "Casque Retro Crème" - }, - "1": { - "GXT": "", - "Localized": "Casque Retro Gris" - }, - "2": { - "GXT": "", - "Localized": "Casque Retro Orange" - }, - "3": { - "GXT": "", - "Localized": "Casque Retro Pale Bleu" - }, - "4": { - "GXT": "", - "Localized": "Casque Retro Vert" - }, - "5": { - "GXT": "", - "Localized": "Casque Retro Orange Pale" - }, - "6": { - "GXT": "", - "Localized": "Casque Retro Violet" - }, - "7": { - "GXT": "", - "Localized": "Casque Retro Rose Noir" - }, - "8": { - "GXT": "", - "Localized": "Casque Retro Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casque Retro Bleu" - }, - "10": { - "GXT": "", - "Localized": "Casque Retro Rouge" - }, - "11": { - "GXT": "", - "Localized": "Casque Retro Noir" - }, - "12": { - "GXT": "", - "Localized": "Casque Retro Rose " - } - }, - "73": { - "0": { - "GXT": "", - "Localized": "Casque Retro Crème Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque Retro Gris Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque Retro Orange Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque Retro Pale Bleu Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque Retro Vert Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque Retro Orange Pale Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque Retro Violet Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque Retro Rose Noir Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque Retro Blanc Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque Retro Bleu Ouvert" - }, - "10": { - "GXT": "", - "Localized": "Casque Retro Rouge Ouvert" - }, - "11": { - "GXT": "", - "Localized": "Casque Retro Noir Ouvert" - }, - "12": { - "GXT": "", - "Localized": "Casque Retro Rose Ouvert" - } - }, - "74": { - "0": { - "GXT": "", - "Localized": "Casque Bob Vert" - }, - "1": { - "GXT": "", - "Localized": "Casque Bob Orange" - }, - "2": { - "GXT": "", - "Localized": "Casque Bob Violet" - }, - "3": { - "GXT": "", - "Localized": "Casque Bob Panthère Rose" - }, - "4": { - "GXT": "", - "Localized": "Casque Bob Tourbillon" - }, - "5": { - "GXT": "", - "Localized": "Casque Bob Rouge Jaune" - }, - "6": { - "GXT": "", - "Localized": "Casque Bob Racing" - }, - "7": { - "GXT": "", - "Localized": "Casque Bob USA" - }, - "8": { - "GXT": "", - "Localized": "Casque Bob Blue Stars" - }, - "9": { - "GXT": "", - "Localized": "Casque Bob Griffure" - }, - "10": { - "GXT": "", - "Localized": "Casque Bob Red Star" - }, - "11": { - "GXT": "", - "Localized": "Casque Bob Xero" - }, - "12": { - "GXT": "", - "Localized": "Casque Bob Burger Shot" - }, - "13": { - "GXT": "", - "Localized": "Casque Bob Infinité" - }, - "14": { - "GXT": "", - "Localized": "Casque Bob Linea" - }, - "15": { - "GXT": "", - "Localized": "Casque Bob Eruption" - } - }, - "78": { - "0": { - "GXT": "", - "Localized": "Casque retro Ouvert Blanc" - }, - "1": { - "GXT": "", - "Localized": "Casque retro Ouvert Bleu" - }, - "2": { - "GXT": "", - "Localized": "Casque retro Ouvert Rouge" - }, - "3": { - "GXT": "", - "Localized": "Casque retro Ouvert Noir" - }, - "4": { - "GXT": "", - "Localized": "Casque retro Ouvert rose" - } - }, - "79": { - "0": { - "GXT": "", - "Localized": "Casque retro fermé Or bande" - }, - "1": { - "GXT": "", - "Localized": "Casque retro fermé Argent bande" - }, - "2": { - "GXT": "", - "Localized": "Casque retro fermé Or" - }, - "3": { - "GXT": "", - "Localized": "Casque retro fermé Argent" - } - }, - "80": { - "0": { - "GXT": "", - "Localized": "Casque retro Ouvert Or bande" - }, - "1": { - "GXT": "", - "Localized": "Casque retro Ouvert Argent bande" - }, - "2": { - "GXT": "", - "Localized": "Casque retro Ouvert Or" - }, - "3": { - "GXT": "", - "Localized": "Casque retro Ouvert Argent" - } - }, - "81": { - "0": { - "GXT": "", - "Localized": "Casque intégral Shatter Pattern" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Stars" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral SquaRed" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Cramoisi" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Skull" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Ace of Spades" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Flamejob" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Blanc" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Downhill" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Slalom" - }, - "10": { - "GXT": "", - "Localized": "Casque intégral Crâne" - }, - "11": { - "GXT": "", - "Localized": "Casque intégral Vibe" - }, - "12": { - "GXT": "", - "Localized": "Casque intégral Burst" - }, - "13": { - "GXT": "", - "Localized": "Casque intégral Tri" - }, - "14": { - "GXT": "", - "Localized": "Casque intégral Sprunk" - }, - "15": { - "GXT": "", - "Localized": "Casque intégral Skeleton" - }, - "16": { - "GXT": "", - "Localized": "Casque intégral Death" - }, - "17": { - "GXT": "", - "Localized": "Casque intégral Cobble" - }, - "18": { - "GXT": "", - "Localized": "Casque intégral Cubist" - }, - "19": { - "GXT": "", - "Localized": "Casque intégral Digital" - }, - "20": { - "GXT": "", - "Localized": "Casque intégral Snakeskin" - } - }, - "83": { - "0": { - "GXT": "", - "Localized": "Casque à pointes Noir" - }, - "1": { - "GXT": "", - "Localized": "Casque à pointes Carbon" - }, - "2": { - "GXT": "", - "Localized": "Casque à pointes Orange Fiber" - }, - "3": { - "GXT": "", - "Localized": "Casque à pointes Star and Stripes" - }, - "4": { - "GXT": "", - "Localized": "Casque à pointes Vert" - }, - "5": { - "GXT": "", - "Localized": "Casque à pointes Feathers" - }, - "6": { - "GXT": "", - "Localized": "Casque à pointes Ox andchets" - }, - "7": { - "GXT": "", - "Localized": "Casque à pointes Ride Free" - }, - "8": { - "GXT": "", - "Localized": "Casque à pointes Ace of Spades" - }, - "9": { - "GXT": "", - "Localized": "Casque à pointes Skull and Snake" - } - }, - "84": { - "0": { - "GXT": "", - "Localized": "Casque rond" - } - }, - "85": { - "0": { - "GXT": "", - "Localized": "Casque rond a Visière" - } - }, - "86": { - "0": { - "GXT": "", - "Localized": "Casque rond a crète" - } - }, - "87": { - "0": { - "GXT": "", - "Localized": "Casque rond a pointe" - } - }, - "88": { - "0": { - "GXT": "", - "Localized": "Grand Casque Noir" - }, - "1": { - "GXT": "", - "Localized": "Grand Casque Carbon" - }, - "2": { - "GXT": "", - "Localized": "Grand Casque Orange Fiber" - }, - "3": { - "GXT": "", - "Localized": "Grand Casque Star and Stripes" - }, - "4": { - "GXT": "", - "Localized": "Grand Casque Vert" - }, - "5": { - "GXT": "", - "Localized": "Grand Casque Feathers" - }, - "6": { - "GXT": "", - "Localized": "Grand Casque Ox andchets" - }, - "7": { - "GXT": "", - "Localized": "Grand Casque Ride Free" - }, - "8": { - "GXT": "", - "Localized": "Grand Casque Ace of Spades" - }, - "9": { - "GXT": "", - "Localized": "Grand Casque Skull and Snake" - } - }, - "89": { - "0": { - "GXT": "", - "Localized": "Grand Casque Chromé" - } - }, - "90": { - "0": { - "GXT": "", - "Localized": "Casque néon Jaune" - }, - "1": { - "GXT": "", - "Localized": "Casque néon Vert" - }, - "2": { - "GXT": "", - "Localized": "Casque néon Orange" - }, - "3": { - "GXT": "", - "Localized": "Casque néon Violet" - }, - "4": { - "GXT": "", - "Localized": "Casque néon Rose" - }, - "5": { - "GXT": "", - "Localized": "Casque néon Rouge" - }, - "6": { - "GXT": "", - "Localized": "Casque néon Bleu" - }, - "7": { - "GXT": "", - "Localized": "Casque néon Cendre" - }, - "8": { - "GXT": "", - "Localized": "Casque néon Gris" - }, - "9": { - "GXT": "", - "Localized": "Casque néon Blanc" - }, - "10": { - "GXT": "", - "Localized": "Casque néon Bleu Clair" - } - }, - "91": { - "0": { - "GXT": "", - "Localized": "Casque néon Jaune Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque néon Vert Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque néon Orange Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque néon Violet Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque néon Rose Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque néon Rouge Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque néon Bleu Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque néon Cendre Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque néon Gris Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque néon Blanc Ouvert" - }, - "10": { - "GXT": "", - "Localized": "Casque néon Bleu Clair Ouvert" - } - }, - "92": { - "0": { - "GXT": "", - "Localized": "Casque Faggio Cible" - }, - "1": { - "GXT": "", - "Localized": "Casque Faggio UK" - }, - "2": { - "GXT": "", - "Localized": "Casque Faggio Vert" - }, - "3": { - "GXT": "", - "Localized": "Casque Faggio UK Vert" - } - }, - "111": { - "0": { - "GXT": "", - "Localized": "Casque Woodland Combat" - }, - "1": { - "GXT": "", - "Localized": "Casque Dark Combat" - }, - "2": { - "GXT": "", - "Localized": "Casque Light Combat" - }, - "3": { - "GXT": "", - "Localized": "Casque Flecktarn Combat" - }, - "4": { - "GXT": "", - "Localized": "Casque Noir Combat" - }, - "5": { - "GXT": "", - "Localized": "Casque Medic Combat" - }, - "6": { - "GXT": "", - "Localized": "Casque Gris Woodland Combat" - }, - "7": { - "GXT": "", - "Localized": "Casque Tan Digital Combat" - }, - "8": { - "GXT": "", - "Localized": "Casque Aqua Camo Combat" - }, - "9": { - "GXT": "", - "Localized": "Casque Splinter Combat" - }, - "10": { - "GXT": "", - "Localized": "Casque Rouge Star Combat" - }, - "11": { - "GXT": "", - "Localized": "Casque Marron Digital Combat" - }, - "12": { - "GXT": "", - "Localized": "Casque MP Combat" - }, - "13": { - "GXT": "", - "Localized": "Casque Zebra Combat" - }, - "14": { - "GXT": "", - "Localized": "Casque Leopard Combat" - }, - "15": { - "GXT": "", - "Localized": "Casque Tigre Combat" - }, - "16": { - "GXT": "", - "Localized": "Casque Police Combat" - }, - "17": { - "GXT": "", - "Localized": "Casque Flames Combat" - }, - "18": { - "GXT": "", - "Localized": "Casque Stars & Stripes Combat" - }, - "19": { - "GXT": "", - "Localized": "Casque Patriot Combat" - }, - "20": { - "GXT": "", - "Localized": "Casque Vert Stars Combat" - } - }, - "126": { - "0": { - "GXT": "", - "Localized": "Casque intégral cyan ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral jaune ouvert" - } - }, - "127": { - "0": { - "GXT": "", - "Localized": "Casque intégral cyan" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral jaune" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_lefthand.json b/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_lefthand.json deleted file mode 100644 index 34fbb67698..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_lefthand.json +++ /dev/null @@ -1,506 +0,0 @@ -[ - { - "Montre": { - "0": { - "4": { - "GXT": "", - "Localized": "Montre en étain" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Montre de Mode Or" - }, - "1": { - "GXT": "", - "Localized": "Montre de Mode Argent" - }, - "2": { - "GXT": "", - "Localized": "Montre de Mode Cuivre" - }, - "3": { - "GXT": "", - "Localized": "Montre de Mode Noir" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Or CaCa Di Lusso" - }, - "1": { - "GXT": "", - "Localized": "Argent CaCa Di Lusso" - }, - "2": { - "GXT": "", - "Localized": "Or Rose CaCa Di Lusso" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Argent Didier Sachs Mignon" - }, - "1": { - "GXT": "", - "Localized": "Or Rose Didier Sachs Mignon" - }, - "2": { - "GXT": "", - "Localized": "Or Didier Sachs Mignon" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Or iFruit" - }, - "1": { - "GXT": "", - "Localized": "Argent iFruit" - }, - "2": { - "GXT": "", - "Localized": "Or Rose iFruit" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Blanc iFruit Connecté" - }, - "1": { - "GXT": "", - "Localized": "Rose iFruit Connecté" - }, - "2": { - "GXT": "", - "Localized": "PRB iFruit Connecté" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Or Le Chien Marquise" - }, - "1": { - "GXT": "", - "Localized": "Argent Le Chien Marquise" - }, - "2": { - "GXT": "", - "Localized": "Or Rose Le Chien Marquise" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Gris Fufu Jeunesse" - }, - "1": { - "GXT": "", - "Localized": "Noir Fufu Jeunesse" - }, - "2": { - "GXT": "", - "Localized": "Bleu Fufu Jeunesse" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Argent Anna Rex Prestige" - }, - "1": { - "GXT": "", - "Localized": "Or Anna Rex Prestige" - }, - "2": { - "GXT": "", - "Localized": "Carbon Anna Rex Prestige" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Lime iFruit" - }, - "1": { - "GXT": "", - "Localized": "Blanc iFruit" - }, - "2": { - "GXT": "", - "Localized": "Neon iFruit" - } - }, - "19": { - "0": { - "GXT": "", - "Localized": "Or Enduring" - }, - "1": { - "GXT": "", - "Localized": "Argent Enduring" - }, - "2": { - "GXT": "", - "Localized": "Noir Enduring" - }, - "3": { - "GXT": "", - "Localized": "Deck Enduring" - }, - "4": { - "GXT": "", - "Localized": "Royal Enduring" - }, - "5": { - "GXT": "", - "Localized": "Roulette Enduring" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Or Kronos Tempo" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Tempo" - }, - "2": { - "GXT": "", - "Localized": "Noir Kronos Tempo" - }, - "3": { - "GXT": "", - "Localized": "Or Fifty Kronos Tempo" - }, - "4": { - "GXT": "", - "Localized": "Or Roulette Kronos Tempo" - }, - "5": { - "GXT": "", - "Localized": "Baroque Kronos Tempo" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Or Kronos Pulse" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Pulse" - }, - "2": { - "GXT": "", - "Localized": "Noir Kronos Pulse" - }, - "3": { - "GXT": "", - "Localized": "Argent Fifty Kronos Pulse" - }, - "4": { - "GXT": "", - "Localized": "Argent Roulette Kronos Pulse" - }, - "5": { - "GXT": "", - "Localized": "Spade Kronos Pulse" - }, - "6": { - "GXT": "", - "Localized": "Rouge Kronos" - }, - "7": { - "GXT": "", - "Localized": "Vert Kronos" - }, - "8": { - "GXT": "", - "Localized": "Bleu Fame or Shame Kronos" - }, - "9": { - "GXT": "", - "Localized": "Noir Fame or Shame Kronos" - } - }, - "22": { - "0": { - "GXT": "", - "Localized": "Or Kronos Ära" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Ära" - }, - "2": { - "GXT": "", - "Localized": "Noir Kronos Ära" - }, - "3": { - "GXT": "", - "Localized": "Or Fifty Kronos Ära" - }, - "4": { - "GXT": "", - "Localized": "Beige Spade Kronos Ära" - }, - "5": { - "GXT": "", - "Localized": "Marron Spade Kronos Ära" - } - }, - "23": { - "0": { - "GXT": "", - "Localized": "Automatique Or" - }, - "1": { - "GXT": "", - "Localized": "Automatique Argent" - }, - "2": { - "GXT": "", - "Localized": "Automatique Noir" - }, - "3": { - "GXT": "", - "Localized": "Automatique Pique" - }, - "4": { - "GXT": "", - "Localized": "Automatique Metal" - }, - "5": { - "GXT": "", - "Localized": "Automatique Roulette" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Argent Crowex Époque" - }, - "1": { - "GXT": "", - "Localized": "Or Crowex Époque" - }, - "2": { - "GXT": "", - "Localized": "Noir Crowex Époque" - }, - "3": { - "GXT": "", - "Localized": "Wheel Crowex Époque" - }, - "4": { - "GXT": "", - "Localized": "Suits Crowex Époque" - }, - "5": { - "GXT": "", - "Localized": "Roulette Crowex Époque" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Kronos Or Rectangulaire" - }, - "1": { - "GXT": "", - "Localized": "Kronos Argent Rectangulaire" - }, - "2": { - "GXT": "", - "Localized": "Kronos Noir Rectangulaire" - }, - "3": { - "GXT": "", - "Localized": "Kronos Roulette Rectangulaire" - }, - "4": { - "GXT": "", - "Localized": "Kronos Fifty Rectangulaire" - }, - "5": { - "GXT": "", - "Localized": "Kronos Suits Rectangulaire" - } - }, - "26": { - "0": { - "GXT": "", - "Localized": "Argent Crowex Ronde" - }, - "1": { - "GXT": "", - "Localized": "Or Crowex Ronde" - }, - "2": { - "GXT": "", - "Localized": "Noir Crowex Ronde" - }, - "3": { - "GXT": "", - "Localized": "Spade Crowex Ronde" - }, - "4": { - "GXT": "", - "Localized": "Royalty Crowex Ronde" - }, - "5": { - "GXT": "", - "Localized": "Dice Crowex Ronde" - } - } - }, - "Bracelet": { - "11": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet légère" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Grosse chaîne de poignet" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet carrée" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet crâne" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet torsadé" - } - }, - "16": { - "0": { - "GXT": "", - "Localized": "Chaîne de Moto et cuire" - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Bracelet à pointes" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Bracelet Noire" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Chocolat" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Beige" - }, - "3": { - "GXT": "", - "Localized": "Bracelet cuire de boeuf" - } - }, - "27": { - "0": { - "GXT": "", - "Localized": "Bracelet Argent SASS" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Or SASS" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Noir SASS" - } - }, - "28": { - "0": { - "GXT": "", - "Localized": "Bracelet Rond Argent SASS" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Rond Or SASS" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Rond Noir SASS" - } - }, - "29": { - "0": { - "GXT": "", - "Localized": "Bracelet Neon Bleu" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Neon Rouge" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Neon Rose" - }, - "3": { - "GXT": "", - "Localized": "Bracelet Neon Jaune" - }, - "4": { - "GXT": "", - "Localized": "Bracelet Neon Orange" - }, - "5": { - "GXT": "", - "Localized": "Bracelet Neon Vert" - }, - "6": { - "GXT": "", - "Localized": "Bracelet Neon Rouge & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Bracelet Neon Jaune & Orange" - }, - "8": { - "GXT": "", - "Localized": "Bracelet Neon Vert & Rose" - }, - "9": { - "GXT": "", - "Localized": "Bracelet Neon Arc en Ciel" - }, - "10": { - "GXT": "", - "Localized": "Bracelet Neon Coucher de Soleil" - }, - "11": { - "GXT": "", - "Localized": "Bracelet Neon Tropical" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_righthand.json b/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_righthand.json deleted file mode 100644 index c2f934cba0..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/female/props_female_righthand.json +++ /dev/null @@ -1,158 +0,0 @@ -[ - { - "Bracelet": { - "0": { - "0": { - "GXT": "", - "Localized": "Manchette serpent en Or" - } - }, - "1": { - "0": { - "GXT": "", - "Localized": "Manchette diamant en Or" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Manchette Plain en Or" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Manchette Le Chien en Or" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Manchette à détails en Or" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Manchette Tourbillon en Or" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Manchette Texturée en Or" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet légère" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Grosse chaîne de poignet" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet carrée" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet crâne" - } - }, - "11": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet torsadé" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Chaîne de Moto et cuire" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Bracelet à pointes" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Bracelet Noire" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Chocolat" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Beige" - }, - "3": { - "GXT": "", - "Localized": "Bracelet cuire de boeuf" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Bracelet Néon Bleu" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Néon Rouge" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Néon Rose" - }, - "3": { - "GXT": "", - "Localized": "Bracelet Néon Jaune" - }, - "4": { - "GXT": "", - "Localized": "Bracelet Néon Orange" - }, - "5": { - "GXT": "", - "Localized": "Bracelet Néon Vert" - }, - "6": { - "GXT": "", - "Localized": "Bracelet Néon Rouge & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Bracelet Néon Orange & Jaune" - }, - "8": { - "GXT": "", - "Localized": "Bracelet Néon Vert & Rose" - }, - "9": { - "GXT": "", - "Localized": "Bracelet Néon Rainbow" - }, - "10": { - "GXT": "", - "Localized": "Bracelet Néon Levé de soleil" - }, - "11": { - "GXT": "", - "Localized": "Bracelet Néon Tropique" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_ears.json b/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_ears.json deleted file mode 100644 index dba7f14f0b..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_ears.json +++ /dev/null @@ -1,538 +0,0 @@ -[ - { - "Oreilles": { - "0": { - "0": { - "GXT": "", - "Localized": "Kit main libre Gris" - } - }, - "1": { - "0": { - "GXT": "", - "Localized": "Kit main libre Rouge" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Kit main libre LCD" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille ronde en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille ronde Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille ronde en Platine" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille ronde en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille ronde Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille ronde en Platine" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille ronde en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille ronde Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille ronde en Platine" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Clou Rond en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou Rond en Platine" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Clou Rond en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou Rond en Platine" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Clou Rond en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou Rond en Platine" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille diamant en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille diamant Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille diamant en Platine" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille diamant en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille diamant Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille diamant en Platine" - } - }, - "11": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille diamant en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille diamant Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille diamant en Platine" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Clou Carré en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou Carré Noir" - }, - "2": { - "GXT": "", - "Localized": "Clou Carré en Platine" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Clou Carré en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou Carré Noir" - }, - "2": { - "GXT": "", - "Localized": "Clou Carré en Platine" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Clou Carré en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou Carré Noir" - }, - "2": { - "GXT": "", - "Localized": "Clou Carré en Platine" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille gems en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille gems Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille gems en Platine" - } - }, - "16": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille gems en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille gems Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille gems en Platine" - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille gems en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucle d'oreille gems Noir" - }, - "2": { - "GXT": "", - "Localized": "Boucle d'oreille gems en Platine" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or Illusion" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or Noir" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Platinum" - }, - "4": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Platinum Noir" - } - }, - "19": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or Illusion" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or Noir" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Platinum" - }, - "4": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Platinum Noir" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or Illusion" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Or Noir" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Platinum" - }, - "4": { - "GXT": "", - "Localized": "Boucles d'oreilles carrées Platinum Noir" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles SN en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles SN en Platine" - } - }, - "22": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles SN en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles SN en Platine" - } - }, - "23": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles SN en Or" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles SN en Platine" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Argent" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Or" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne Noir" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Platine" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Argent" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Or" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne Noir" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Platine" - } - }, - "26": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Argent" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Or" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne Noir" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles crâne en Platine" - } - }, - "27": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles pique en Platine" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles pique en Or" - } - }, - "28": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles pique en Platine" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles pique en Or" - } - }, - "29": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles pique en Platine" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles pique en Or" - } - }, - "30": { - "0": { - "GXT": "", - "Localized": "Clou d'onyx en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou d'onyx Noir" - }, - "2": { - "GXT": "", - "Localized": "Clou d'onyx en platine" - } - }, - "31": { - "0": { - "GXT": "", - "Localized": "Clou d'onyx en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou d'onyx Noir" - }, - "2": { - "GXT": "", - "Localized": "Clou d'onyx en platine" - } - }, - "32": { - "0": { - "GXT": "", - "Localized": "Clou d'onyx en Or" - }, - "1": { - "GXT": "", - "Localized": "Clou d'onyx Noir" - }, - "2": { - "GXT": "", - "Localized": "Clou d'onyx en platine" - } - }, - "34": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles en Platine SN Carré" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles en Or SN Carré" - } - }, - "35": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles en Platine SN Carré" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles en Or SN Carré" - } - }, - "36": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles en Platine SN Carré" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles en Or SN Carré" - } - }, - "37": { - "0": { - "GXT": "", - "Localized": "L'École du micro d'Or" - }, - "1": { - "GXT": "", - "Localized": "L'École du micro d'Argent" - } - }, - "38": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles Trèfle" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles Carreau" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles Coeur" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles Pique" - } - }, - "39": { - "0": { - "GXT": "", - "Localized": "Boucles d'oreilles dé Blanc" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles dé Rouge" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles dé Beige" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles dé Gris" - } - }, - "40": { - "0": { - "GXT": "", - "Localized": "Boucle d'oreille Jeton Noir" - }, - "1": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Jaune" - }, - "2": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Rouge" - }, - "3": { - "GXT": "", - "Localized": "Boucles d'oreilles Jeton Rose" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_glasses.json b/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_glasses.json deleted file mode 100644 index 6829a963a6..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_glasses.json +++ /dev/null @@ -1,1534 +0,0 @@ -[ - { - "Lunette de Soleil": { - "1": { - "1": { - "GXT": "", - "Localized": "Ronde Noir" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Noir Winter" - }, - "1": { - "GXT": "", - "Localized": "Blanc Argent" - }, - "2": { - "GXT": "", - "Localized": "Cramoisi Polarized" - }, - "3": { - "GXT": "", - "Localized": "Noir Summer" - }, - "4": { - "GXT": "", - "Localized": "Noir Autumn" - }, - "5": { - "GXT": "", - "Localized": "Blanc Rust" - }, - "6": { - "GXT": "", - "Localized": "Blanc Acier" - }, - "7": { - "GXT": "", - "Localized": "Vert Polarisées" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Slate Janitor " - }, - "1": { - "GXT": "", - "Localized": "Noir Janitor " - }, - "2": { - "GXT": "", - "Localized": "Gris Janitor " - }, - "3": { - "GXT": "", - "Localized": "Cendre Janitor " - }, - "4": { - "GXT": "", - "Localized": "Tan Janitor " - }, - "5": { - "GXT": "", - "Localized": "Smoke Janitor " - }, - "6": { - "GXT": "", - "Localized": "Charbon Janitor " - }, - "7": { - "GXT": "", - "Localized": "Blanc Janitor " - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Enema Marron" - }, - "1": { - "GXT": "", - "Localized": "Enema Gris" - }, - "2": { - "GXT": "", - "Localized": "Enema Noir" - }, - "3": { - "GXT": "", - "Localized": "Enema Écaille" - }, - "4": { - "GXT": "", - "Localized": "Enema Noisetté" - }, - "5": { - "GXT": "", - "Localized": "Enema Marble" - }, - "6": { - "GXT": "", - "Localized": "Enema Smoke" - }, - "7": { - "GXT": "", - "Localized": "Enema Smoke" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Or Aviateurs" - }, - "1": { - "GXT": "", - "Localized": "Acier Aviateurs" - }, - "2": { - "GXT": "", - "Localized": "Argent Aviateurs Marron " - }, - "3": { - "GXT": "", - "Localized": "Gris Aviateurs Vert " - }, - "4": { - "GXT": "", - "Localized": "Argent Aviateurs Bleu " - }, - "5": { - "GXT": "", - "Localized": "Beige Aviateurs Dark " - }, - "6": { - "GXT": "", - "Localized": "Acier Aviateurs Bleu " - }, - "7": { - "GXT": "", - "Localized": "Argent Aviateurs Cuivre" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Noir Casuals" - }, - "2": { - "GXT": "", - "Localized": "Écaille Casuals" - }, - "3": { - "GXT": "", - "Localized": "Rouge Casuals" - }, - "4": { - "GXT": "", - "Localized": "Blanc Casuals" - }, - "5": { - "GXT": "", - "Localized": "Camo Collection Casuals" - }, - "6": { - "GXT": "", - "Localized": "Lemon Casuals" - }, - "7": { - "GXT": "", - "Localized": "Blood Casuals" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Marron Eyewear" - }, - "1": { - "GXT": "", - "Localized": "Argent Eyewear" - }, - "2": { - "GXT": "", - "Localized": "Gris Eyewear" - }, - "3": { - "GXT": "", - "Localized": "Smoke Cop" - }, - "4": { - "GXT": "", - "Localized": "Café Cop" - }, - "5": { - "GXT": "", - "Localized": "Noir Cop" - }, - "6": { - "GXT": "", - "Localized": "Ardoise Cop" - }, - "7": { - "GXT": "", - "Localized": "Charbon Cop" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Hawaiian Snow Noir" - }, - "1": { - "GXT": "", - "Localized": "Hawaiian Snow Gris" - }, - "2": { - "GXT": "", - "Localized": "Hawaiian Snow Blanc" - }, - "3": { - "GXT": "", - "Localized": "Hawaiian Snow Cendre" - }, - "4": { - "GXT": "", - "Localized": "Hawaiian Snow Cuivre" - }, - "5": { - "GXT": "", - "Localized": "Hawaiian Snow Écaillé" - }, - "6": { - "GXT": "", - "Localized": "Hawaiian Snow Marbre" - }, - "7": { - "GXT": "", - "Localized": "Hawaiian Snow Noisetté" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Or Bull Emic" - }, - "1": { - "GXT": "", - "Localized": "Gris Bull Emic" - }, - "2": { - "GXT": "", - "Localized": "Argent Bull Emic" - }, - "3": { - "GXT": "", - "Localized": "Noir Bull Emic" - }, - "4": { - "GXT": "", - "Localized": "Marron Bull Emic" - }, - "5": { - "GXT": "", - "Localized": "Slate Bull Emic" - }, - "6": { - "GXT": "", - "Localized": "Blanc Bull Emic" - }, - "7": { - "GXT": "", - "Localized": "Violet Teinté Bull Emic" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Orange Elvis" - }, - "1": { - "GXT": "", - "Localized": "Gris Elvis" - }, - "2": { - "GXT": "", - "Localized": "Slate Elvis" - }, - "3": { - "GXT": "", - "Localized": "Noir Elvis" - }, - "4": { - "GXT": "", - "Localized": "Blanc Elvis" - }, - "5": { - "GXT": "", - "Localized": "Bleu Teinté Elvis" - }, - "6": { - "GXT": "", - "Localized": "Rose Teinté Elvis" - }, - "7": { - "GXT": "", - "Localized": "Cuivre Elvis" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Broker Noir Hipsters" - }, - "1": { - "GXT": "", - "Localized": "Blanc Polarized Hipsters" - }, - "2": { - "GXT": "", - "Localized": "Choco Polarized Hipsters" - }, - "3": { - "GXT": "", - "Localized": "Slate Hipsters" - }, - "4": { - "GXT": "", - "Localized": "Charbon Hipsters" - }, - "5": { - "GXT": "", - "Localized": "Olive Polarized Hipsters" - }, - "6": { - "GXT": "", - "Localized": "Or Polarized Hipsters" - }, - "7": { - "GXT": "", - "Localized": "Candy Polarized Hipsters" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Lunettes de tir Jaune" - }, - "1": { - "GXT": "", - "Localized": "Lunettes de tir Blanc" - }, - "2": { - "GXT": "", - "Localized": "Lunettes de tir Gris" - }, - "3": { - "GXT": "", - "Localized": "Lunettes de tir Rouge" - }, - "4": { - "GXT": "", - "Localized": "Lunettes de tir Bleu" - }, - "5": { - "GXT": "", - "Localized": "Lunettes de tir Frelon" - }, - "6": { - "GXT": "", - "Localized": "Lunettes de tir Orange" - }, - "7": { - "GXT": "", - "Localized": "Lunettes de tir Rose" - } - }, - "16": { - "0": { - "GXT": "", - "Localized": "Broker Rose Enrouler" - }, - "1": { - "GXT": "", - "Localized": "Broker Violet Enrouler" - }, - "2": { - "GXT": "", - "Localized": "Broker Orange Enrouler" - }, - "3": { - "GXT": "", - "Localized": "Broker Rouge Enrouler" - }, - "4": { - "GXT": "", - "Localized": "Broker Cramoisi Enrouler" - }, - "5": { - "GXT": "", - "Localized": "Broker Lime Enrouler" - }, - "6": { - "GXT": "", - "Localized": "Broker Jaune Enrouler" - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Argent Raffiné" - }, - "1": { - "GXT": "", - "Localized": "Or Raffiné" - }, - "2": { - "GXT": "", - "Localized": "Marron Raffiné" - }, - "3": { - "GXT": "", - "Localized": "Acier Chaux Raffiné" - }, - "4": { - "GXT": "", - "Localized": "Acier Cool Raffiné" - }, - "5": { - "GXT": "", - "Localized": "Frelon Raffiné" - }, - "6": { - "GXT": "", - "Localized": "Charbon Raffiné" - }, - "7": { - "GXT": "", - "Localized": "Noir Raffiné" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Or Supérieur" - }, - "1": { - "GXT": "", - "Localized": "Acier Supérieur" - }, - "2": { - "GXT": "", - "Localized": "Noir Supérieur" - }, - "3": { - "GXT": "", - "Localized": "Argent Supérieur" - }, - "4": { - "GXT": "", - "Localized": "Bleu Supérieur" - }, - "5": { - "GXT": "", - "Localized": "Bronze Chaux Supérieur" - }, - "6": { - "GXT": "", - "Localized": "Blanc Cool Supérieur" - }, - "7": { - "GXT": "", - "Localized": "Argent Chaux Supérieur" - } - }, - "19": { - "0": { - "GXT": "", - "Localized": "Tendances Noir & Or" - }, - "1": { - "GXT": "", - "Localized": "Tendances Noir & Argent" - }, - "2": { - "GXT": "", - "Localized": "Tendances Argent" - }, - "4": { - "GXT": "", - "Localized": "Tendances Cramoisi" - }, - "5": { - "GXT": "", - "Localized": "Tendances Orange" - }, - "6": { - "GXT": "", - "Localized": "Tendances Gris" - }, - "7": { - "GXT": "", - "Localized": "Tendances Blanc & Or" - } - }, - "23": { - "0": { - "GXT": "", - "Localized": "Tactique verte" - }, - "1": { - "GXT": "", - "Localized": "Tactique orange" - }, - "2": { - "GXT": "", - "Localized": "Tactique violette" - }, - "3": { - "GXT": "", - "Localized": "Tactique rose" - }, - "4": { - "GXT": "", - "Localized": "Tactique marron" - }, - "5": { - "GXT": "", - "Localized": "Tactique bleu" - }, - "6": { - "GXT": "", - "Localized": "Tactique Gris" - }, - "7": { - "GXT": "", - "Localized": "Tactique marron clair" - }, - "8": { - "GXT": "", - "Localized": "Tactique blanc" - }, - "9": { - "GXT": "", - "Localized": "Tactique noir" - } - }, - "28": { - "0": { - "GXT": "", - "Localized": "Pale Aviateurs" - }, - "10": { - "GXT": "", - "Localized": "Noir Teinté Aviateurs" - }, - "11": { - "GXT": "", - "Localized": "Blanc Teinté Aviateurs" - } - }, - "29": { - "0": { - "GXT": "", - "Localized": "Noir Deep" - }, - "1": { - "GXT": "", - "Localized": "Two Tone Deep" - }, - "2": { - "GXT": "", - "Localized": "Blanc Deep" - }, - "5": { - "GXT": "", - "Localized": "Vert Deep" - }, - "15": { - "GXT": "", - "Localized": "Mono Deep" - }, - "19": { - "GXT": "", - "Localized": "Blanc Fame or Shame" - } - }, - "31": { - "0": { - "GXT": "", - "Localized": "Midnight Teinté Énorme" - }, - "1": { - "GXT": "", - "Localized": "Sunset Teinté Énorme" - }, - "2": { - "GXT": "", - "Localized": "Noir Teinté Énorme" - }, - "3": { - "GXT": "", - "Localized": "Bleu Teinté Énorme" - }, - "4": { - "GXT": "", - "Localized": "Or Teinté Énorme" - }, - "5": { - "GXT": "", - "Localized": "Vert Teinté Énorme" - }, - "6": { - "GXT": "", - "Localized": "Orange Teinté Énorme" - }, - "7": { - "GXT": "", - "Localized": "Rouge Teinté Énorme" - }, - "8": { - "GXT": "", - "Localized": "Rose Teinté Énorme" - }, - "9": { - "GXT": "", - "Localized": "Jaune Teinté Énorme" - }, - "10": { - "GXT": "", - "Localized": "Lemon Teinté Énorme" - }, - "11": { - "GXT": "", - "Localized": "Or Bordé Énorme" - } - }, - "33": { - "1": { - "GXT": "", - "Localized": "Jaune Carré" - }, - "3": { - "GXT": "", - "Localized": "Écaillé Carré" - }, - "4": { - "GXT": "", - "Localized": "Vert Carré" - }, - "6": { - "GXT": "", - "Localized": "Rose Teinté Carré" - }, - "7": { - "GXT": "", - "Localized": "Bleu Teinté Carré" - }, - "9": { - "GXT": "", - "Localized": "Rose Carré" - } - } - }, - "Lunette de vue": { - "2": { - "8": { - "GXT": "", - "Localized": "Terre de feu Stank" - }, - "9": { - "GXT": "", - "Localized": "Noir Stank" - }, - "10": { - "GXT": "", - "Localized": "Blanc Stank" - } - }, - "3": { - "8": { - "GXT": "", - "Localized": "Terre de feu Janitor" - }, - "9": { - "GXT": "", - "Localized": "Noir Janitor" - }, - "10": { - "GXT": "", - "Localized": "Blanc Janitor" - } - }, - "4": { - "8": { - "GXT": "", - "Localized": "Terre de feu Enema" - }, - "9": { - "GXT": "", - "Localized": "Noir Enema" - }, - "10": { - "GXT": "", - "Localized": "Blanc Enema" - } - }, - "5": { - "8": { - "GXT": "", - "Localized": "Terre de feu Aviateurs" - }, - "9": { - "GXT": "", - "Localized": "Noir Aviateurs" - }, - "10": { - "GXT": "", - "Localized": "Blanc Aviateurs" - } - }, - "7": { - "8": { - "GXT": "", - "Localized": "Terre de feu Casual" - }, - "9": { - "GXT": "", - "Localized": "Noir Casual" - }, - "10": { - "GXT": "", - "Localized": "Blanc Casual" - } - }, - "8": { - "8": { - "GXT": "", - "Localized": "Terre de feu Cop" - }, - "9": { - "GXT": "", - "Localized": "Noir Cop" - }, - "10": { - "GXT": "", - "Localized": "Blanc Cop" - } - }, - "9": { - "8": { - "GXT": "", - "Localized": "Terre de feu HS" - }, - "9": { - "GXT": "", - "Localized": "Noir HS" - }, - "10": { - "GXT": "", - "Localized": "Blanc HS" - } - }, - "10": { - "8": { - "GXT": "", - "Localized": "Terre de feu Bull Emic" - }, - "9": { - "GXT": "", - "Localized": "Noir Bull Emic" - }, - "10": { - "GXT": "", - "Localized": "Blanc Bull Emic" - } - }, - "12": { - "8": { - "GXT": "", - "Localized": "Terre de feu Elvis" - }, - "9": { - "GXT": "", - "Localized": "Noir Elvis" - }, - "10": { - "GXT": "", - "Localized": "Blanc Elvis" - } - }, - "13": { - "8": { - "GXT": "", - "Localized": "Terre de feu Hipster" - }, - "9": { - "GXT": "", - "Localized": "Noir Hipster" - }, - "10": { - "GXT": "", - "Localized": "Blanc Hipster" - } - }, - "15": { - "8": { - "GXT": "", - "Localized": "Lunettes de tir Terre de feu" - }, - "9": { - "GXT": "", - "Localized": "Lunettes de tir Noir" - }, - "10": { - "GXT": "", - "Localized": "Lunettes de tir Blanc" - } - }, - "16": { - "7": { - "GXT": "", - "Localized": "Terre de feu Enrouler" - }, - "8": { - "GXT": "", - "Localized": "Noir Enrouler" - }, - "9": { - "GXT": "", - "Localized": "Blanc Enrouler" - } - }, - "17": { - "8": { - "GXT": "", - "Localized": "Terre de feu Raffiné" - }, - "9": { - "GXT": "", - "Localized": "Noir Raffiné" - }, - "10": { - "GXT": "", - "Localized": "Blanc Raffiné" - } - }, - "18": { - "8": { - "GXT": "", - "Localized": "Terre de feu Supérieur" - }, - "9": { - "GXT": "", - "Localized": "Noir Supérieur" - }, - "10": { - "GXT": "", - "Localized": "Blanc Supérieur" - } - }, - "19": { - "8": { - "GXT": "", - "Localized": "Tendances Terre de feu" - }, - "9": { - "GXT": "", - "Localized": "Tendances Noir" - }, - "10": { - "GXT": "", - "Localized": "Tendances Blanc" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Sunset Docks" - }, - "1": { - "GXT": "", - "Localized": "Marron Docks" - }, - "2": { - "GXT": "", - "Localized": "Noir Docks" - }, - "3": { - "GXT": "", - "Localized": "Checked Docks" - }, - "4": { - "GXT": "", - "Localized": "Blanc Docks" - }, - "5": { - "GXT": "", - "Localized": "Rouge Docks" - }, - "6": { - "GXT": "", - "Localized": "Cramoisi Docks" - }, - "7": { - "GXT": "", - "Localized": "Jaune Docks" - }, - "8": { - "GXT": "", - "Localized": "Terre de feu Dock" - }, - "9": { - "GXT": "", - "Localized": "Noir Dock" - }, - "10": { - "GXT": "", - "Localized": "Blanc Dock" - } - }, - "33": { - "0": { - "GXT": "", - "Localized": "Marron Carré" - }, - "2": { - "GXT": "", - "Localized": "Noir Carré" - }, - "5": { - "GXT": "", - "Localized": "Rouge Carré" - }, - "8": { - "GXT": "", - "Localized": "Blanc Carré" - }, - "10": { - "GXT": "", - "Localized": "Blanc Glacier Carré" - }, - "11": { - "GXT": "", - "Localized": "Mono Carré" - } - }, - "34": { - "0": { - "GXT": "", - "Localized": "Rond Noir" - }, - "1": { - "GXT": "", - "Localized": "Rond d'Argent" - }, - "2": { - "GXT": "", - "Localized": "Rond d'Or" - }, - "3": { - "GXT": "", - "Localized": "Rond Rose" - }, - "4": { - "GXT": "", - "Localized": "Rond Écaille de tortue" - }, - "5": { - "GXT": "", - "Localized": "Rond encadré d'Or" - }, - "6": { - "GXT": "", - "Localized": "Rond encadré Bleu" - }, - "7": { - "GXT": "", - "Localized": "Rond Écaille & Argent" - }, - "8": { - "GXT": "", - "Localized": "Rond Écaille de tortue d'Or" - }, - "9": { - "GXT": "", - "Localized": "Rond Écaille de tortue Gris" - }, - "10": { - "GXT": "", - "Localized": "Rond Tourbillon d'Or" - }, - "11": { - "GXT": "", - "Localized": "Rond Or Fondu" - } - }, - "35": { - "0": { - "GXT": "", - "Localized": "Carré Noir" - }, - "1": { - "GXT": "", - "Localized": "Carré en Argent" - }, - "2": { - "GXT": "", - "Localized": "Carré en Or" - }, - "3": { - "GXT": "", - "Localized": "Carré Rose" - }, - "4": { - "GXT": "", - "Localized": "Carré Noir & Rouge" - }, - "5": { - "GXT": "", - "Localized": "Carré Noir & Marron" - }, - "6": { - "GXT": "", - "Localized": "Carré Noir & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Carré Écaille & Marron" - }, - "8": { - "GXT": "", - "Localized": "Carré Écaille en Or" - }, - "9": { - "GXT": "", - "Localized": "Carré Écaille & Gris" - }, - "10": { - "GXT": "", - "Localized": "Carré écaille de tortue" - }, - "11": { - "GXT": "", - "Localized": "Carré Rose & Noir" - } - }, - "36": { - "0": { - "GXT": "", - "Localized": "Oeil de chat Noir" - }, - "1": { - "GXT": "", - "Localized": "Oeil de chat d'Argent" - }, - "2": { - "GXT": "", - "Localized": "Oeil de chat en Or" - }, - "3": { - "GXT": "", - "Localized": "Oeil de chat écaille de tortue" - }, - "4": { - "GXT": "", - "Localized": "Oeil de chat Noir et Vert" - }, - "5": { - "GXT": "", - "Localized": "Oeil de chat en écaille Foncée" - }, - "6": { - "GXT": "", - "Localized": "Oeil de chat noir et Bleu Sarcelle" - }, - "7": { - "GXT": "", - "Localized": "Oeil de chat Noir et Rouge" - }, - "8": { - "GXT": "", - "Localized": "Oeil de chat Or Noir" - }, - "9": { - "GXT": "", - "Localized": "Oeil de chat Bleu Foncé" - }, - "10": { - "GXT": "", - "Localized": "Oeil de chat Rose et Noir" - }, - "11": { - "GXT": "", - "Localized": "Oeil de chat en écaille d'Or" - } - }, - "37": { - "0": { - "GXT": "", - "Localized": "Noir Rectangulaire" - }, - "1": { - "GXT": "", - "Localized": "Argent Rectangulaire" - }, - "2": { - "GXT": "", - "Localized": "Or Rectangulaire" - }, - "3": { - "GXT": "", - "Localized": "Écaille claire Rectangulaire" - }, - "4": { - "GXT": "", - "Localized": "Écaille bordeaux Rectangulaire" - }, - "5": { - "GXT": "", - "Localized": "Bleu Rectangulaire" - }, - "6": { - "GXT": "", - "Localized": "Gris & Rouge Rectangulaire" - }, - "7": { - "GXT": "", - "Localized": "Pale Rectangulaire" - }, - "8": { - "GXT": "", - "Localized": "Jaune Rectangulaire" - }, - "9": { - "GXT": "", - "Localized": "Vert Rectangulaire" - }, - "10": { - "GXT": "", - "Localized": "Rouge pale Rectangulaire" - }, - "11": { - "GXT": "", - "Localized": "Écaille foncée Rectangulaire" - } - }, - "38": { - "0": { - "GXT": "", - "Localized": "Noir Ergonomiques" - }, - "1": { - "GXT": "", - "Localized": "Argent Ergonomiques" - }, - "2": { - "GXT": "", - "Localized": "Or Ergonomiques" - }, - "3": { - "GXT": "", - "Localized": "Écaille Ergonomique" - }, - "4": { - "GXT": "", - "Localized": "Vert Ergonomiques" - }, - "5": { - "GXT": "", - "Localized": "Écaille foncée Ergonomique" - }, - "6": { - "GXT": "", - "Localized": "Sarcelle Ergonomique" - }, - "7": { - "GXT": "", - "Localized": "Rouge Ergonomique" - }, - "8": { - "GXT": "", - "Localized": "Or & Noir Ergonomiques" - }, - "9": { - "GXT": "", - "Localized": "Bleu Ergonomiques" - }, - "10": { - "GXT": "", - "Localized": "Rose Ergonomiques" - }, - "11": { - "GXT": "", - "Localized": "Tigre Ergonomiques" - } - }, - "39": { - "0": { - "GXT": "", - "Localized": "Noir Rétro Rond" - }, - "1": { - "GXT": "", - "Localized": "Argent Rétro Rond" - }, - "2": { - "GXT": "", - "Localized": "Or Rétro Rond" - }, - "3": { - "GXT": "", - "Localized": "Rose Rétro Rond" - }, - "4": { - "GXT": "", - "Localized": "Écaille Rond Rétro Noir & Rose" - }, - "5": { - "GXT": "", - "Localized": "Écaille Rond Rétro Noir & Marron" - }, - "6": { - "GXT": "", - "Localized": "Écaille Rond Rétro Noir & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Écaille Rond Bord Rétro" - }, - "8": { - "GXT": "", - "Localized": "Écaille Rond Rétro en Or" - }, - "9": { - "GXT": "", - "Localized": "Écaille Rond Rétro Noir" - }, - "10": { - "GXT": "", - "Localized": "Écaille Rond Rétro" - }, - "11": { - "GXT": "", - "Localized": "Écaille Rond Rétro Or Noir" - } - } - }, - "Lunette de fête": { - "7": { - "1": { - "GXT": "", - "Localized": "Zap Casuals" - } - }, - "19": { - "3": { - "GXT": "", - "Localized": "Tendances Vert" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Star Frame" - } - }, - "22": { - "0": { - "GXT": "", - "Localized": "Star Spangled" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Tan Outlaw Goggles" - }, - "1": { - "GXT": "", - "Localized": "Noir Outlaw Goggles" - }, - "2": { - "GXT": "", - "Localized": "Mono Outlaw Goggles" - }, - "3": { - "GXT": "", - "Localized": "Ox Blood Outlaw Goggles" - }, - "4": { - "GXT": "", - "Localized": "Bleu Outlaw Goggles" - }, - "5": { - "GXT": "", - "Localized": "Beige Outlaw Goggles" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Tropical Urban Ski" - }, - "1": { - "GXT": "", - "Localized": "Jaune Urban Ski" - }, - "2": { - "GXT": "", - "Localized": "Vert Urban Ski" - }, - "3": { - "GXT": "", - "Localized": "Dusk Urban Ski" - }, - "4": { - "GXT": "", - "Localized": "Grisscale Urban Ski" - }, - "5": { - "GXT": "", - "Localized": "Rose Urban Ski" - }, - "6": { - "GXT": "", - "Localized": "Orange Urban Ski" - }, - "7": { - "GXT": "", - "Localized": "Marron Urban Ski" - } - }, - "28": { - "1": { - "GXT": "", - "Localized": "Orange Teinté Aviateurs" - }, - "2": { - "GXT": "", - "Localized": "Noisetté Aviateurs" - }, - "3": { - "GXT": "", - "Localized": "Horizon Aviateurs" - }, - "4": { - "GXT": "", - "Localized": "Violet Vine Aviateurs" - }, - "5": { - "GXT": "", - "Localized": "Herringbone Aviateurs" - }, - "6": { - "GXT": "", - "Localized": "Or Teinté Aviateurs" - }, - "7": { - "GXT": "", - "Localized": "Magenta Teinté Aviateurs" - }, - "8": { - "GXT": "", - "Localized": "Bleu Électrique Teinté Aviateurs" - }, - "9": { - "GXT": "", - "Localized": "Bleu Argyle Aviateurs" - } - }, - "29": { - "3": { - "GXT": "", - "Localized": "Rouge Deep" - }, - "4": { - "GXT": "", - "Localized": "Aqua Deep" - }, - "6": { - "GXT": "", - "Localized": "Vert Urban Deep" - }, - "7": { - "GXT": "", - "Localized": "Rose Urban Deep" - }, - "8": { - "GXT": "", - "Localized": "Digital Deep" - }, - "9": { - "GXT": "", - "Localized": "Splinter Deep" - }, - "10": { - "GXT": "", - "Localized": "Zebra Deep" - }, - "11": { - "GXT": "", - "Localized": "Houndstooth Deep" - }, - "12": { - "GXT": "", - "Localized": "Mute Deep" - }, - "13": { - "GXT": "", - "Localized": "Sunrise Deep" - }, - "14": { - "GXT": "", - "Localized": "Striped Deep" - }, - "16": { - "GXT": "", - "Localized": "Noir Fame or Shame" - }, - "17": { - "GXT": "", - "Localized": "Rouge Fame or Shame" - }, - "18": { - "GXT": "", - "Localized": "Bleu Fame or Shame" - } - }, - "30": { - "0": { - "GXT": "", - "Localized": "Bleu & Rose Glow" - }, - "1": { - "GXT": "", - "Localized": "Rouge Glow" - }, - "2": { - "GXT": "", - "Localized": "Orange Glow" - }, - "3": { - "GXT": "", - "Localized": "Jaune Glow" - }, - "4": { - "GXT": "", - "Localized": "Vert Glow" - }, - "5": { - "GXT": "", - "Localized": "Bleu Glow" - }, - "6": { - "GXT": "", - "Localized": "Rose Glow" - }, - "7": { - "GXT": "", - "Localized": "Bleu & Magenta Glow" - }, - "8": { - "GXT": "", - "Localized": "Violet & Jaune Glow" - }, - "9": { - "GXT": "", - "Localized": "Bleu & Jaune Glow" - }, - "10": { - "GXT": "", - "Localized": "Rose & Jaune Glow" - }, - "11": { - "GXT": "", - "Localized": "Rouge & Jaune Glow" - } - }, - "32": { - "0": { - "GXT": "", - "Localized": "Ronde à Carreaux Blanc" - }, - "1": { - "GXT": "", - "Localized": "Ronde à Carreaux Rose" - }, - "2": { - "GXT": "", - "Localized": "Ronde à Carreaux Jaune" - }, - "3": { - "GXT": "", - "Localized": "Ronde à Carreaux Rouge" - }, - "4": { - "GXT": "", - "Localized": "Blanche Ronde" - }, - "5": { - "GXT": "", - "Localized": "Noir Ronde" - }, - "6": { - "GXT": "", - "Localized": "Rose Teinté Ronde" - }, - "7": { - "GXT": "", - "Localized": "Bleu Teinté Ronde" - }, - "8": { - "GXT": "", - "Localized": "Ronde à Carreaux Vert" - }, - "9": { - "GXT": "", - "Localized": "Ronde à Carreaux Bleu" - }, - "10": { - "GXT": "", - "Localized": "Ronde à Carreaux Orange" - }, - "11": { - "GXT": "", - "Localized": "Vert Teinté Ronde" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_hats.json b/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_hats.json deleted file mode 100644 index 6e2622ab04..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_hats.json +++ /dev/null @@ -1,3572 +0,0 @@ -[ - { - "Bonnets": { - "1": { - "0": { - "GXT": "", - "Localized": "Bonnet d ane" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Bonnet Hivers Noir" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Hivers Gris" - }, - "2": { - "GXT": "", - "Localized": "Bonnet Hivers Bleu" - }, - "3": { - "GXT": "", - "Localized": "Bonnet Hivers Rasta" - }, - "4": { - "GXT": "", - "Localized": "Bonnet Hivers Rayé Gris" - }, - "5": { - "GXT": "", - "Localized": "Bonnet Hivers Trois Couleurs" - }, - "6": { - "GXT": "", - "Localized": "Bonnet Hivers Blanc" - }, - "7": { - "GXT": "", - "Localized": "Bonnet Hivers Marron" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Bonnet Large Noir" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Large Gris" - } - }, - "28": { - "0": { - "GXT": "", - "Localized": "Bonnet Bleu" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Blanc" - }, - "2": { - "GXT": "", - "Localized": "Bonnet Rouge" - }, - "3": { - "GXT": "", - "Localized": "Bonnet Vert" - }, - "4": { - "GXT": "", - "Localized": "Bonnet Violet" - }, - "5": { - "GXT": "", - "Localized": "Bonnet jaune" - } - }, - "34": { - "0": { - "GXT": "", - "Localized": "Bonnet patriotique" - } - }, - "120": { - "0": { - "GXT": "", - "Localized": "Bonnet Bas Noir" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Bas Charbon" - }, - "2": { - "GXT": "", - "Localized": "Bonnet Bas Cendre" - }, - "3": { - "GXT": "", - "Localized": "Bonnet Bas Blanc" - }, - "4": { - "GXT": "", - "Localized": "Bonnet Bas Rouge" - }, - "5": { - "GXT": "", - "Localized": "Bonnet Bas Bleu" - }, - "6": { - "GXT": "", - "Localized": "Bonnet Bas Light Bleu" - }, - "7": { - "GXT": "", - "Localized": "Bonnet Bas Beige" - }, - "8": { - "GXT": "", - "Localized": "Bonnet Bas Light Woodland" - }, - "9": { - "GXT": "", - "Localized": "Bonnet Bas Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Bonnet Bas Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Bonnet Bas Tigre" - }, - "12": { - "GXT": "", - "Localized": "Bonnet Bas Tricolore" - }, - "13": { - "GXT": "", - "Localized": "Bonnet Bas Bleu" - }, - "14": { - "GXT": "", - "Localized": "Bonnet Bas Rasta Trio" - }, - "15": { - "GXT": "", - "Localized": "Bonnet Bas Marron Striped" - }, - "16": { - "GXT": "", - "Localized": "Bonnet Bas Stars & Stripes" - }, - "17": { - "GXT": "", - "Localized": "Bonnet Bas Rasta Stripes" - }, - "18": { - "GXT": "", - "Localized": "Bonnet Bas Noir & Jaune" - }, - "19": { - "GXT": "", - "Localized": "Bonnet Bas Bleu & Jaune" - }, - "20": { - "GXT": "", - "Localized": "Bonnet Bas Vert Houndstooth" - } - } - }, - "Bob": { - "3": { - "1": { - "GXT": "", - "Localized": "Bob Noir" - }, - "2": { - "GXT": "", - "Localized": "Bob Marron" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Bob Vert" - }, - "1": { - "GXT": "", - "Localized": "Bob Gris clair" - }, - "2": { - "GXT": "", - "Localized": "Bob camo Gris" - }, - "3": { - "GXT": "", - "Localized": "Bob Rouge" - }, - "4": { - "GXT": "", - "Localized": "Bob camo Bleu" - }, - "5": { - "GXT": "", - "Localized": "Bob camo foret" - } - }, - "94": { - "0": { - "GXT": "", - "Localized": "Bob Le Pêcheur Crème" - }, - "1": { - "GXT": "", - "Localized": "Bob Le Pêcheur Rouge" - }, - "2": { - "GXT": "", - "Localized": "Bob Le Pêcheur Bleu" - }, - "3": { - "GXT": "", - "Localized": "Bob Le Pêcheur Cyan" - }, - "4": { - "GXT": "", - "Localized": "Bob Le Pêcheur Blanc" - }, - "5": { - "GXT": "", - "Localized": "Bob Le Pêcheur Gris" - }, - "6": { - "GXT": "", - "Localized": "Bob Le Pêcheur Bleu Foncé" - }, - "7": { - "GXT": "", - "Localized": "Bob Le Pêcheur Noir Rouge" - }, - "8": { - "GXT": "", - "Localized": "Bob Le Pêcheur Gris foncé" - }, - "9": { - "GXT": "", - "Localized": "Bob Le Pêcheur Vert Foret" - } - }, - "104": { - "0": { - "GXT": "", - "Localized": "Bob militaire Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Bob militaire Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Bob militaire Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Bob militaire Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Bob militaire Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Bob militaire Fall Boonie Down" - }, - "6": { - "GXT": "", - "Localized": "Bob militaire Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Bob militaire Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Bob militaire Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Bob militaire Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Bob militaire Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Bob militaire Splinter" - }, - "12": { - "GXT": "", - "Localized": "Bob militaire Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Bob militaire Cobble" - }, - "14": { - "GXT": "", - "Localized": "Bob militaire Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Bob militaire Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Bob militaire Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Bob militaire Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Bob militaire Moss" - }, - "19": { - "GXT": "", - "Localized": "Bob militaire Sand" - }, - "20": { - "GXT": "", - "Localized": "Bob militaire Noir" - } - }, - "105": { - "0": { - "GXT": "", - "Localized": "Bob mil. relevé Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Bob mil. relevé Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Bob mil. relevé Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Bob mil. relevé Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Bob mil. relevé Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Bob mil. relevé Fall" - }, - "6": { - "GXT": "", - "Localized": "Bob mil. relevé Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Bob mil. relevé Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Bob mil. relevé Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Bob mil. relevé Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Bob mil. relevé Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Bob mil. relevé Splinter" - }, - "12": { - "GXT": "", - "Localized": "Bob mil. relevé Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Bob mil. relevé Cobble" - }, - "14": { - "GXT": "", - "Localized": "Bob mil. relevé Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Bob mil. relevé Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Bob mil. relevé Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Bob mil. relevé Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Bob mil. relevé Moss" - }, - "19": { - "GXT": "", - "Localized": "Bob mil. relevé Sand" - }, - "20": { - "GXT": "", - "Localized": "Bob mil. relevé Noir" - } - }, - "132": { - "0": { - "GXT": "", - "Localized": "Bob Taco Canvas" - }, - "1": { - "GXT": "", - "Localized": "Bob Burger Shot Canvas" - }, - "2": { - "GXT": "", - "Localized": "Bob Cluckin' Bell Canvas" - }, - "3": { - "GXT": "", - "Localized": "Bob Hotdogs Canvas" - } - } - }, - "Casques": { - "0": { - "0": { - "GXT": "", - "Localized": "Casque anti-bruit Rouge" - }, - "1": { - "GXT": "", - "Localized": "Casque anti-bruit Bleu" - }, - "2": { - "GXT": "", - "Localized": "Casque anti-bruit Vert" - }, - "3": { - "GXT": "", - "Localized": "Casque anti-bruit Jaune" - }, - "4": { - "GXT": "", - "Localized": "Casque anti-bruit Desert" - }, - "5": { - "GXT": "", - "Localized": "Casque anti-bruit Noir" - }, - "6": { - "GXT": "", - "Localized": "Casque anti-bruit Gris" - }, - "7": { - "GXT": "", - "Localized": "Casque anti-bruit Blanc" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Ecouteur beat Blanc" - }, - "1": { - "GXT": "", - "Localized": "Ecouteur beat Noir" - }, - "2": { - "GXT": "", - "Localized": "Ecouteur beat Rouge" - }, - "3": { - "GXT": "", - "Localized": "Ecouteur beat Bleu" - }, - "4": { - "GXT": "", - "Localized": "Ecouteur beat jaune" - }, - "5": { - "GXT": "", - "Localized": "Ecouteur beat Violet" - }, - "6": { - "GXT": "", - "Localized": "Ecouteur beat Gris" - }, - "7": { - "GXT": "", - "Localized": "Ecouteur beat Vert" - } - } - }, - "Casquettes": { - "4": { - "0": { - "GXT": "", - "Localized": "Casquette LS Noir" - }, - "1": { - "GXT": "", - "Localized": "Casquette LS Grise" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Casquette militaire Verte" - }, - "1": { - "GXT": "", - "Localized": "Casquette militaire Noir" - }, - "2": { - "GXT": "", - "Localized": "Casquette militaire Grise" - }, - "3": { - "GXT": "", - "Localized": "Casquette militaire Bleue" - }, - "4": { - "GXT": "", - "Localized": "Casquette militaire camo desert" - }, - "5": { - "GXT": "", - "Localized": "Casquette militaire camo foret" - }, - "6": { - "GXT": "", - "Localized": "Casquette militaire ranch beige" - }, - "7": { - "GXT": "", - "Localized": "Casquette militaire ranch marron" - } - }, - "9": { - "5": { - "GXT": "", - "Localized": "Casquette Fruntalot Verte" - }, - "7": { - "GXT": "", - "Localized": "Casquette Stank Violette" - } - }, - "10": { - "5": { - "GXT": "", - "Localized": "Casquette Verte" - }, - "7": { - "GXT": "", - "Localized": "Casquette Violette" - } - }, - "44": { - "0": { - "GXT": "", - "Localized": "Casquette Naughty" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir Ho Ho Ho" - }, - "2": { - "GXT": "", - "Localized": "Casquette Snowflake Bleue" - }, - "3": { - "GXT": "", - "Localized": "Casquette Nice Rouge" - }, - "4": { - "GXT": "", - "Localized": "Casquette Verte Ho Ho Ho" - }, - "5": { - "GXT": "", - "Localized": "Casquette Rouge Snowflake" - }, - "6": { - "GXT": "", - "Localized": "Casquette Gingerbread" - }, - "7": { - "GXT": "", - "Localized": "Casquette Bah Humbug" - } - }, - "54": { - "0": { - "GXT": "", - "Localized": "Casquette Familles" - }, - "1": { - "GXT": "", - "Localized": "Casquette Ballas" - } - }, - "55": { - "0": { - "GXT": "", - "Localized": "Casquette Broker Rouge" - }, - "1": { - "GXT": "", - "Localized": "Casquette Broker Charbon" - }, - "2": { - "GXT": "", - "Localized": "Casquette Trickster Crème" - }, - "3": { - "GXT": "", - "Localized": "Casquette Trickster Bleu marine" - }, - "4": { - "GXT": "", - "Localized": "Casquette Broker Marron" - }, - "5": { - "GXT": "", - "Localized": "Casquette Harsh Souls Marron" - }, - "6": { - "GXT": "", - "Localized": "Casquette Sweatbox Orange" - }, - "7": { - "GXT": "", - "Localized": "Casquette Sweatbox Bleu" - }, - "8": { - "GXT": "", - "Localized": "Casquette Yeti Rayée" - }, - "9": { - "GXT": "", - "Localized": "Casquette Trickster Link" - }, - "10": { - "GXT": "", - "Localized": "Casquette Yeti Diamond" - }, - "11": { - "GXT": "", - "Localized": "Casquette Cerise" - }, - "12": { - "GXT": "", - "Localized": "Casquette Fruntalot Marron clair" - }, - "13": { - "GXT": "", - "Localized": "Casquette Sweatbox Verte" - }, - "14": { - "GXT": "", - "Localized": "Casquette Yeti Jungle" - }, - "15": { - "GXT": "", - "Localized": "Casquette Trickster Forest" - }, - "16": { - "GXT": "", - "Localized": "Casquette Broker Café" - }, - "17": { - "GXT": "", - "Localized": "Casquette Dual Trey Baker" - }, - "18": { - "GXT": "", - "Localized": "Casquette Sweatbox Gris " - }, - "19": { - "GXT": "", - "Localized": "Casquette Sweatbox Crème " - }, - "20": { - "GXT": "", - "Localized": "Casquette Yeti Rouge" - } - }, - "56": { - "0": { - "GXT": "", - "Localized": "Magnetics Charbon" - }, - "1": { - "GXT": "", - "Localized": "Magnetics Noir" - }, - "2": { - "GXT": "", - "Localized": "Low Santos Noir" - }, - "3": { - "GXT": "", - "Localized": "Boars Noir" - }, - "4": { - "GXT": "", - "Localized": "Benny's Noir" - }, - "5": { - "GXT": "", - "Localized": "Westside Noir" - }, - "6": { - "GXT": "", - "Localized": "Eastside Noir" - }, - "7": { - "GXT": "", - "Localized": "Strawberry Noir" - }, - "8": { - "GXT": "", - "Localized": "SA Noir" - }, - "9": { - "GXT": "", - "Localized": "Davis Noir" - } - }, - "58": { - "0": { - "GXT": "", - "Localized": "Casquette Sandre" - }, - "1": { - "GXT": "", - "Localized": "Casquette Khaki" - }, - "2": { - "GXT": "", - "Localized": "Casquette Noir" - } - }, - "60": { - "0": { - "GXT": "", - "Localized": "Casquette Millitaire Verte" - }, - "1": { - "GXT": "", - "Localized": "Casquette Millitaire Orange" - }, - "2": { - "GXT": "", - "Localized": "Casquette Millitaire Violette" - }, - "3": { - "GXT": "", - "Localized": "Casquette Millitaire Rose" - }, - "4": { - "GXT": "", - "Localized": "Casquette Millitaire Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casquette Millitaire Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casquette Millitaire Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Casquette Millitaire Gris" - }, - "8": { - "GXT": "", - "Localized": "Casquette Millitaire Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casquette Millitaire Noir" - } - }, - "63": { - "0": { - "GXT": "", - "Localized": "Casquette neutre Vert" - }, - "1": { - "GXT": "", - "Localized": "Casquette neutre Orange" - }, - "2": { - "GXT": "", - "Localized": "Casquette neutre Violet" - }, - "3": { - "GXT": "", - "Localized": "Casquette neutre Rose" - }, - "4": { - "GXT": "", - "Localized": "Casquette neutre Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casquette neutre Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casquette neutre Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Casquette neutre Gris" - }, - "8": { - "GXT": "", - "Localized": "Casquette neutre Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casquette neutre Noir" - } - }, - "76": { - "0": { - "GXT": "", - "Localized": "Casquette Atomic" - }, - "1": { - "GXT": "", - "Localized": "Casquette Auto Exotic" - }, - "2": { - "GXT": "", - "Localized": "Casquette Chepalle" - }, - "3": { - "GXT": "", - "Localized": "Casquette Cunning Stunts" - }, - "4": { - "GXT": "", - "Localized": "Casquette Flash" - }, - "5": { - "GXT": "", - "Localized": "Casquette Fukaru" - }, - "6": { - "GXT": "", - "Localized": "Casquette Globe Oil" - }, - "7": { - "GXT": "", - "Localized": "Casquette Grotti" - }, - "8": { - "GXT": "", - "Localized": "Casquette Imponte Racing" - }, - "9": { - "GXT": "", - "Localized": "Casquette Lampadati Racing" - }, - "10": { - "GXT": "", - "Localized": "Casquette LTD" - }, - "11": { - "GXT": "", - "Localized": "Casquette Nagasaki Racing" - }, - "12": { - "GXT": "", - "Localized": "Casquette Nagasaki Moto" - }, - "13": { - "GXT": "", - "Localized": "Casquette Patriot" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rebel Radio" - }, - "15": { - "GXT": "", - "Localized": "Casquette Rougewood" - }, - "16": { - "GXT": "", - "Localized": "Casquette Scooter Brothers" - }, - "17": { - "GXT": "", - "Localized": "Casquette The Mount" - }, - "18": { - "GXT": "", - "Localized": "Casquette Total Ride" - }, - "19": { - "GXT": "", - "Localized": "Casquette Vapid" - }, - "20": { - "GXT": "", - "Localized": "Casquette Xero Gas" - } - }, - "77": { - "0": { - "GXT": "", - "Localized": "Casquette Atomic a l'envers" - }, - "1": { - "GXT": "", - "Localized": "Casquette Auto Exotic a l'envers" - }, - "2": { - "GXT": "", - "Localized": "Casquette Chepalle a l'envers" - }, - "3": { - "GXT": "", - "Localized": "Casquette Cunning Stunts a l'envers" - }, - "4": { - "GXT": "", - "Localized": "Casquette Flash a l'envers" - }, - "5": { - "GXT": "", - "Localized": "Casquette Fukaru a l'envers" - }, - "6": { - "GXT": "", - "Localized": "Casquette Globe Oil a l'envers" - }, - "7": { - "GXT": "", - "Localized": "Casquette Grotti a l'envers" - }, - "8": { - "GXT": "", - "Localized": "Casquette Imponte Racing a l'envers" - }, - "9": { - "GXT": "", - "Localized": "Casquette Lampadati Racing a l'envers" - }, - "10": { - "GXT": "", - "Localized": "Casquette LTD a l'envers" - }, - "11": { - "GXT": "", - "Localized": "Casquette Nagasaki Racing a l'envers" - }, - "12": { - "GXT": "", - "Localized": "Casquette Nagasaki Moto a l'envers" - }, - "13": { - "GXT": "", - "Localized": "Casquette Patriot a l'envers" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rebel Radio a l'envers" - }, - "15": { - "GXT": "", - "Localized": "Casquette Rougewood a l'envers" - }, - "16": { - "GXT": "", - "Localized": "Casquette Scooter Brothers a l'envers" - }, - "17": { - "GXT": "", - "Localized": "Casquette The Mount a l'envers" - }, - "18": { - "GXT": "", - "Localized": "Casquette Total Ride a l'envers" - }, - "19": { - "GXT": "", - "Localized": "Casquette Vapid a l'envers" - }, - "20": { - "GXT": "", - "Localized": "Casquette Xero Gas a l'envers" - } - }, - "96": { - "0": { - "GXT": "", - "Localized": "Casquette Noir Bigness" - }, - "1": { - "GXT": "", - "Localized": "Casquette Rouge Bigness" - }, - "2": { - "GXT": "", - "Localized": "Casquette Orange Camo Sand" - }, - "3": { - "GXT": "", - "Localized": "Casquette Violet Güffy" - }, - "4": { - "GXT": "", - "Localized": "Casquette Off-Blanc Bigness" - }, - "5": { - "GXT": "", - "Localized": "Casquette Bold Abstract Bigness" - }, - "6": { - "GXT": "", - "Localized": "Casquette Gris Abstract Bigness" - }, - "7": { - "GXT": "", - "Localized": "Casquette Pale Abstract Bigness" - }, - "8": { - "GXT": "", - "Localized": "Casquette Primary Squash" - }, - "9": { - "GXT": "", - "Localized": "Casquette Spots Squash" - }, - "10": { - "GXT": "", - "Localized": "Casquette Banana Squash" - }, - "11": { - "GXT": "", - "Localized": "Casquette Splat Squash" - }, - "12": { - "GXT": "", - "Localized": "Casquette OJ Squash" - }, - "13": { - "GXT": "", - "Localized": "Casquette Multicolor Leaves Güffy" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rouge Güffy" - }, - "15": { - "GXT": "", - "Localized": "Casquette Blanc Güffy" - } - }, - "103": { - "0": { - "GXT": "", - "Localized": "Casquette Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Casquette Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Casquette Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Casquette Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Casquette Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Casquette Fall" - }, - "6": { - "GXT": "", - "Localized": "Casquette Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Casquette Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Casquette Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Casquette Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Casquette Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Casquette Splinter" - }, - "12": { - "GXT": "", - "Localized": "Casquette Contrast Camo " - }, - "13": { - "GXT": "", - "Localized": "Casquette Cobble" - }, - "14": { - "GXT": "", - "Localized": "Casquette Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Casquette Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Casquette Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Casquette Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Casquette Moss" - }, - "19": { - "GXT": "", - "Localized": "Casquette Sand" - } - }, - "107": { - "0": { - "GXT": "", - "Localized": "Casquette militaire Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Casquette militaire Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Casquette militaire Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Casquette militaire Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Casquette militaire Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Casquette militaire Fall" - }, - "6": { - "GXT": "", - "Localized": "Casquette militaire Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Casquette militaire Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Casquette militaire Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Casquette militaire Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Casquette militaire Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Casquette militaire Splinter" - }, - "12": { - "GXT": "", - "Localized": "Casquette militaire Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Casquette militaire Cobble" - }, - "14": { - "GXT": "", - "Localized": "Casquette militaire Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Casquette militaire Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Casquette militaire Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Casquette militaire Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Casquette militaire Moss" - }, - "19": { - "GXT": "", - "Localized": "Casquette militaire Sand" - }, - "20": { - "GXT": "", - "Localized": "Casquette militaire Noir" - } - }, - "108": { - "0": { - "GXT": "", - "Localized": "Boquette Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Boquette Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Boquette Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Boquette Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Boquette Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Boquette Fall" - }, - "6": { - "GXT": "", - "Localized": "Boquette Dark Woodland" - }, - "7": { - "GXT": "", - "Localized": "Boquette Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Boquette Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Boquette Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Boquette Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Boquette Splinter" - }, - "12": { - "GXT": "", - "Localized": "Boquette Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Boquette Cobble" - }, - "14": { - "GXT": "", - "Localized": "Boquette Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Boquette Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Boquette Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Boquette Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Boquette Moss" - }, - "19": { - "GXT": "", - "Localized": "Boquette Sand" - }, - "20": { - "GXT": "", - "Localized": "Boquette Noir" - } - }, - "109": { - "0": { - "GXT": "", - "Localized": "Casquette Rouge Hawk & Little" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir Hawk & Little" - }, - "2": { - "GXT": "", - "Localized": "Casquette Blanc Shrewsbury" - }, - "3": { - "GXT": "", - "Localized": "Casquette Noir Shrewsbury" - }, - "4": { - "GXT": "", - "Localized": "Casquette Blanc Vom Feuer" - }, - "5": { - "GXT": "", - "Localized": "Casquette Noir Vom Feuer" - }, - "6": { - "GXT": "", - "Localized": "Casquette Wine Coil" - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Coil" - }, - "8": { - "GXT": "", - "Localized": "Casquette Noir Ammu-Nation" - }, - "9": { - "GXT": "", - "Localized": "Casquette Rouge Ammu-Nation" - }, - "10": { - "GXT": "", - "Localized": "Casquette Warstock" - } - }, - "110": { - "0": { - "GXT": "", - "Localized": "Casquette Rouge Hawk & Little a l'enver" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir Hawk & Little a l'enver" - }, - "2": { - "GXT": "", - "Localized": "Casquette Blanc Shrewsbury a l'enver" - }, - "3": { - "GXT": "", - "Localized": "Casquette Noir Shrewsbury a l'enver" - }, - "4": { - "GXT": "", - "Localized": "Casquette Blanc Vom Feuer a l'enver" - }, - "5": { - "GXT": "", - "Localized": "Casquette Noir Vom Feuer a l'enver" - }, - "6": { - "GXT": "", - "Localized": "Casquette Wine Coil a l'enver" - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Coil a l'enver" - }, - "8": { - "GXT": "", - "Localized": "Casquette Noir Ammu-Nation a l'enver" - }, - "9": { - "GXT": "", - "Localized": "Casquette Rouge Ammu-Nation a l'enver" - }, - "10": { - "GXT": "", - "Localized": "Casquette Warstock a l'enver" - } - }, - "130": { - "0": { - "GXT": "", - "Localized": "Casquette Burger Shot Burgers" - }, - "1": { - "GXT": "", - "Localized": "Casquette Burger Shot Fries" - }, - "2": { - "GXT": "", - "Localized": "Casquette Burger Shot Logo" - }, - "3": { - "GXT": "", - "Localized": "Casquette Burger Shot Bullseye" - }, - "4": { - "GXT": "", - "Localized": "Casquette Jaune Cluckin' Bell" - }, - "5": { - "GXT": "", - "Localized": "Casquette Bleu Cluckin' Bell" - }, - "6": { - "GXT": "", - "Localized": "Casquette Cluckin' Bell Logos " - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Hotdogs" - }, - "8": { - "GXT": "", - "Localized": "Casquette Taco Bomb" - }, - "9": { - "GXT": "", - "Localized": "Casquette Violet Hotdogs" - }, - "10": { - "GXT": "", - "Localized": "Casquette Rose Hotdogs" - }, - "11": { - "GXT": "", - "Localized": "Casquette Blanc Lucky Plucker" - }, - "12": { - "GXT": "", - "Localized": "Casquette Rouge Lucky Plucker" - }, - "13": { - "GXT": "", - "Localized": "Casquette Lucky Plucker Rouge Pattern" - }, - "14": { - "GXT": "", - "Localized": "Casquette Lucky Plucker Blanc Pattern" - }, - "15": { - "GXT": "", - "Localized": "Casquette Blanc Pisswasser" - }, - "16": { - "GXT": "", - "Localized": "Casquette Noir Pisswasser" - }, - "17": { - "GXT": "", - "Localized": "Casquette Blanc Taco Bomb" - }, - "18": { - "GXT": "", - "Localized": "Casquette Vert Taco Bomb" - } - }, - "131": { - "0": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Burgers" - }, - "1": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Fries" - }, - "2": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Logo" - }, - "3": { - "GXT": "", - "Localized": "Casquette a l'enver Burger Shot Bullseye" - }, - "4": { - "GXT": "", - "Localized": "Casquette a l'enver Jaune Cluckin' Bell" - }, - "5": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Cluckin' Bell" - }, - "6": { - "GXT": "", - "Localized": "Casquette a l'enver Cluckin' Bell Logos" - }, - "7": { - "GXT": "", - "Localized": "Casquette a l'enver Noir Hotdogs" - }, - "8": { - "GXT": "", - "Localized": "Casquette a l'enver Taco Bomb" - }, - "9": { - "GXT": "", - "Localized": "Casquette a l'enver Violet Hotdogs" - }, - "10": { - "GXT": "", - "Localized": "Casquette a l'enver Rose Hotdogs" - }, - "11": { - "GXT": "", - "Localized": "Casquette a l'enver Blanc Lucky Plucker" - }, - "12": { - "GXT": "", - "Localized": "Casquette a l'enver Rouge Lucky Plucker" - }, - "13": { - "GXT": "", - "Localized": "Casquette a l'enver Lucky Plucker Rouge Pattern" - }, - "14": { - "GXT": "", - "Localized": "Casquette a l'enver Lucky Plucker Blanc Pattern" - }, - "15": { - "GXT": "", - "Localized": "Casquette a l'enver Blanc Pisswasser" - }, - "16": { - "GXT": "", - "Localized": "Casquette a l'enver Noir Pisswasser" - }, - "17": { - "GXT": "", - "Localized": "Casquette a l'enver Blanc Taco Bomb" - }, - "18": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Taco Bomb" - } - }, - "135": { - "0": { - "GXT": "", - "Localized": "Casquette Blanc The Diamond" - }, - "1": { - "GXT": "", - "Localized": "Casquette Noir The Diamond" - }, - "2": { - "GXT": "", - "Localized": "Casquette Blanc LS Diamond" - }, - "3": { - "GXT": "", - "Localized": "Casquette Noir LS Diamond" - }, - "4": { - "GXT": "", - "Localized": "Casquette Rouge The Diamond" - }, - "5": { - "GXT": "", - "Localized": "Casquette Orange The Diamond" - }, - "6": { - "GXT": "", - "Localized": "Casquette Bleu LS Diamond" - }, - "7": { - "GXT": "", - "Localized": "Casquette Vert The Diamond" - }, - "8": { - "GXT": "", - "Localized": "Casquette Orange LS Diamond" - }, - "9": { - "GXT": "", - "Localized": "Casquette Violet The Diamond" - }, - "10": { - "GXT": "", - "Localized": "Casquette Rose LS Diamond" - }, - "11": { - "GXT": "", - "Localized": "Casquette Blanc Broker" - }, - "12": { - "GXT": "", - "Localized": "Casquette Noir Broker" - }, - "13": { - "GXT": "", - "Localized": "Casquette Bleu Sarcelle Broker" - }, - "14": { - "GXT": "", - "Localized": "Casquette Rouge Flying Bravo" - }, - "15": { - "GXT": "", - "Localized": "Casquette Vert Flying Bravo" - }, - "16": { - "GXT": "", - "Localized": "Casquette Noir SC Broker" - }, - "17": { - "GXT": "", - "Localized": "Casquette Bleu Sarcelle SC Broker" - }, - "18": { - "GXT": "", - "Localized": "Casquette Violet SC Broker" - }, - "19": { - "GXT": "", - "Localized": "Casquette Rouge SC Broker" - }, - "20": { - "GXT": "", - "Localized": "Casquette Blanc SC Broker" - } - }, - "136": { - "0": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc The Diamond" - }, - "1": { - "GXT": "", - "Localized": "Casquette à l'envers Noir The Diamond" - }, - "2": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc LS Diamond" - }, - "3": { - "GXT": "", - "Localized": "Casquette à l'envers Noir LS Diamond" - }, - "4": { - "GXT": "", - "Localized": "Casquette à l'envers Rouge The Diamond" - }, - "5": { - "GXT": "", - "Localized": "Casquette à l'envers Orange The Diamond" - }, - "6": { - "GXT": "", - "Localized": "Casquette à l'envers Bleu LS Diamond" - }, - "7": { - "GXT": "", - "Localized": "Casquette à l'envers Vert The Diamond" - }, - "8": { - "GXT": "", - "Localized": "Casquette à l'envers Orange LS Diamond" - }, - "9": { - "GXT": "", - "Localized": "Casquette à l'envers Violet The Diamond" - }, - "10": { - "GXT": "", - "Localized": "Casquette à l'envers LS Diamond" - }, - "11": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc Broker" - }, - "12": { - "GXT": "", - "Localized": "Casquette à l'envers Noir Broker" - }, - "13": { - "GXT": "", - "Localized": "Casquette à l'envers Bleu Sarcelle Broker" - }, - "14": { - "GXT": "", - "Localized": "Casquette à l'envers Rouge Flying Bravo" - }, - "15": { - "GXT": "", - "Localized": "Casquette à l'envers Vert Flying Bravo" - }, - "16": { - "GXT": "", - "Localized": "Casquette à l'envers Noir SC Broker" - }, - "17": { - "GXT": "", - "Localized": "Casquette à l'envers Bleu Sarcelle SC Broker" - }, - "18": { - "GXT": "", - "Localized": "Casquette à l'envers Violet SC Broker" - }, - "19": { - "GXT": "", - "Localized": "Casquette à l'envers Rouge SC Broker" - }, - "20": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc SC Broker" - } - }, - "139": { - "0": { - "GXT": "", - "Localized": "Casquette Bugstars " - }, - "1": { - "GXT": "", - "Localized": "Casquette Prison Authority " - }, - "2": { - "GXT": "", - "Localized": "Casquette Yung Ancestor " - } - }, - "140": { - "0": { - "GXT": "", - "Localized": "Casquette a l'enver Bugstars " - }, - "1": { - "GXT": "", - "Localized": "Casquette a l'enver Prison Authority " - }, - "2": { - "GXT": "", - "Localized": "Casquette a l'enver Yung Ancestor " - } - }, - "142": { - "0": { - "GXT": "", - "Localized": "Casquette Noir " - }, - "1": { - "GXT": "", - "Localized": "Casquette Gris " - }, - "2": { - "GXT": "", - "Localized": "Casquette Light Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette Rouge " - }, - "4": { - "GXT": "", - "Localized": "Casquette Bleu Sarcelle" - }, - "5": { - "GXT": "", - "Localized": "Casquette Smiley " - }, - "6": { - "GXT": "", - "Localized": "Casquette Gris Digital " - }, - "7": { - "GXT": "", - "Localized": "Casquette Bleu Digital " - }, - "8": { - "GXT": "", - "Localized": "Casquette Bleu Wave " - }, - "9": { - "GXT": "", - "Localized": "Casquette Stars & Stripes " - }, - "10": { - "GXT": "", - "Localized": "Casquette Toothy Grin " - }, - "11": { - "GXT": "", - "Localized": "Casquette Wolf " - }, - "12": { - "GXT": "", - "Localized": "Casquette Gris Camo " - }, - "13": { - "GXT": "", - "Localized": "Casquette Noir Skull " - }, - "14": { - "GXT": "", - "Localized": "Casquette Blood Cross " - }, - "15": { - "GXT": "", - "Localized": "Casquette Marron Skull " - }, - "16": { - "GXT": "", - "Localized": "Casquette Vert Camo " - }, - "17": { - "GXT": "", - "Localized": "Casquette Vert Neon Camo " - }, - "18": { - "GXT": "", - "Localized": "Casquette Violet Neon Camo " - }, - "19": { - "GXT": "", - "Localized": "Casquette Cobble " - }, - "20": { - "GXT": "", - "Localized": "Casquette Vert Snakeskin " - } - }, - "143": { - "0": { - "GXT": "", - "Localized": "Casquette a l'enver Noir " - }, - "1": { - "GXT": "", - "Localized": "Casquette a l'enver Gris " - }, - "2": { - "GXT": "", - "Localized": "Casquette a l'enver Light Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette a l'enver Rouge " - }, - "4": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Sarcelle" - }, - "5": { - "GXT": "", - "Localized": "Casquette a l'enver Smiley " - }, - "6": { - "GXT": "", - "Localized": "Casquette a l'enver Gris Digital " - }, - "7": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Digital " - }, - "8": { - "GXT": "", - "Localized": "Casquette a l'enver Bleu Wave " - }, - "9": { - "GXT": "", - "Localized": "Casquette a l'enver Stars & Stripes " - }, - "10": { - "GXT": "", - "Localized": "Casquette a l'enver Toothy Grin " - }, - "11": { - "GXT": "", - "Localized": "Casquette a l'enver Wolf " - }, - "12": { - "GXT": "", - "Localized": "Casquette a l'enver Gris Camo " - }, - "13": { - "GXT": "", - "Localized": "Casquette a l'enver Noir Skull " - }, - "14": { - "GXT": "", - "Localized": "Casquette a l'enver Blood Cross " - }, - "15": { - "GXT": "", - "Localized": "Casquette a l'enver Marron Skull " - }, - "16": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Camo " - }, - "17": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Neon Camo " - }, - "18": { - "GXT": "", - "Localized": "Casquette a l'enver Violet Neon Camo " - }, - "19": { - "GXT": "", - "Localized": "Casquette a l'enver Cobble " - }, - "20": { - "GXT": "", - "Localized": "Casquette a l'enver Vert Snakeskin " - } - }, - "151": { - "0": { - "GXT": "", - "Localized": "Casquette Enus Yeti " - }, - "1": { - "GXT": "", - "Localized": "Casquette 720 " - }, - "2": { - "GXT": "", - "Localized": "Casquette Exsorbeo 720 " - }, - "3": { - "GXT": "", - "Localized": "Casquette Güffy Double Logo " - }, - "4": { - "GXT": "", - "Localized": "Casquette Rockstar " - }, - "5": { - "GXT": "", - "Localized": "Casquette Civilist Blanc " - }, - "6": { - "GXT": "", - "Localized": "Casquette Civilist Noir " - }, - "7": { - "GXT": "", - "Localized": "Casquette Civilist Orange " - } - }, - "152": { - "0": { - "GXT": "", - "Localized": "Casquette à l'envers Enus Yeti Backwards" - }, - "1": { - "GXT": "", - "Localized": "Casquette à l'envers 720 " - }, - "2": { - "GXT": "", - "Localized": "Casquette à l'envers Exsorbeo 720 " - }, - "3": { - "GXT": "", - "Localized": "Casquette à l'envers Güffy Double Logo " - }, - "4": { - "GXT": "", - "Localized": "Casquette à l'envers Rockstar " - }, - "5": { - "GXT": "", - "Localized": "Casquette à l'envers Civilist Blanc " - }, - "6": { - "GXT": "", - "Localized": "Casquette à l'envers Civilist Noir " - }, - "7": { - "GXT": "", - "Localized": "Casquette à l'envers Civilist Orange " - } - }, - "154": { - "0": { - "GXT": "", - "Localized": "Casquette Sprunk " - }, - "1": { - "GXT": "", - "Localized": "Casquette eCola " - }, - "2": { - "GXT": "", - "Localized": "Casquette Broker " - }, - "3": { - "GXT": "", - "Localized": "Casquette Light Dinka " - }, - "4": { - "GXT": "", - "Localized": "Casquette Dark Dinka " - }, - "5": { - "GXT": "", - "Localized": "Casquette Blanc Güffy " - }, - "6": { - "GXT": "", - "Localized": "Casquette Noir Güffy " - }, - "7": { - "GXT": "", - "Localized": "Casquette Annis" - }, - "8": { - "GXT": "", - "Localized": "Casquette Hellion " - }, - "9": { - "GXT": "", - "Localized": "Casquette Emperor " - }, - "10": { - "GXT": "", - "Localized": "Casquette Karin " - }, - "11": { - "GXT": "", - "Localized": "Casquette Lampadati " - }, - "12": { - "GXT": "", - "Localized": "Casquette Omnis " - }, - "13": { - "GXT": "", - "Localized": "Casquette Vapid " - } - }, - "155": { - "0": { - "GXT": "", - "Localized": "Casquette à l'envers Sprunk " - }, - "1": { - "GXT": "", - "Localized": "Casquette à l'envers eCola " - }, - "2": { - "GXT": "", - "Localized": "Casquette à l'envers Broker " - }, - "3": { - "GXT": "", - "Localized": "Casquette à l'envers Light Dinka " - }, - "4": { - "GXT": "", - "Localized": "Casquette à l'envers Dark Dinka " - }, - "5": { - "GXT": "", - "Localized": "Casquette à l'envers Blanc Güffy " - }, - "6": { - "GXT": "", - "Localized": "Casquette à l'envers Noir Güffy " - }, - "7": { - "GXT": "", - "Localized": "Casquette à l'envers Annis " - }, - "8": { - "GXT": "", - "Localized": "Casquette à l'envers Hellion " - }, - "9": { - "GXT": "", - "Localized": "Casquette à l'envers Emperor " - }, - "10": { - "GXT": "", - "Localized": "Casquette à l'envers Karin " - }, - "11": { - "GXT": "", - "Localized": "Casquette à l'envers Lampadati " - }, - "12": { - "GXT": "", - "Localized": "Casquette à l'envers Omnis " - }, - "13": { - "GXT": "", - "Localized": "Casquette à l'envers Vapid " - } - }, - "156": { - "0": { - "GXT": "", - "Localized": "Casquette incurvée Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette incurvée Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette incurvée Gris Curved " - }, - "3": { - "GXT": "", - "Localized": "Casquette incurvée Bleu Foncé " - }, - "4": { - "GXT": "", - "Localized": "Casquette incurvée Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette incurvée Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette incurvée Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette incurvée Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette incurvée Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette incurvée Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette incurvée Ice" - }, - "11": { - "GXT": "", - "Localized": "Casquette incurvée Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette incurvée Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette incurvée Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette incurvée Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette incurvée Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette incurvée Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette incurvée Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette incurvée Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette incurvée Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette incurvée Aqua Camo " - }, - "21": { - "GXT": "", - "Localized": "Casquette incurvée Brushstroke " - } - }, - "157": { - "0": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Bleu Foncé " - }, - "4": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Ice " - }, - "11": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette incurvée à l'envers Aqua Camo " - } - }, - "158": { - "0": { - "GXT": "", - "Localized": "Casquette rigide Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette rigide Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette rigide Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette rigide Bleu Foncé " - }, - "4": { - "GXT": "", - "Localized": "Casquette rigide Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette rigide Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette rigide Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette rigide Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette rigide Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette rigide Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette rigide Ice" - }, - "11": { - "GXT": "", - "Localized": "Casquette rigide Cramoisi" - }, - "12": { - "GXT": "", - "Localized": "Casquette rigide Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette rigide Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette rigide Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette rigide Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette rigide Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette rigide Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette rigide Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette rigide Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette rigide Aqua Camo " - } - }, - "159": { - "0": { - "GXT": "", - "Localized": "Casquette Bleu Prolaps" - }, - "1": { - "GXT": "", - "Localized": "Casquette Vert Prolaps" - } - }, - "160": { - "0": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Rose " - }, - "1": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Jaune " - }, - "2": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Gris " - }, - "3": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Bleu Foncé " - }, - "4": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Rouge " - }, - "5": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Beige " - }, - "6": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Salmon " - }, - "7": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Orange " - }, - "8": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Chocolate " - }, - "9": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Slate " - }, - "10": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Ice " - }, - "11": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Cramoisi " - }, - "12": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Vert " - }, - "13": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Bleu " - }, - "14": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Olive " - }, - "15": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Maroon " - }, - "16": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Lemon " - }, - "17": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Hot Rose " - }, - "18": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Noir " - }, - "19": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Contrast Camo " - }, - "20": { - "GXT": "", - "Localized": "Casquette rigide à l'envers Aqua Camo " - } - }, - "161": { - "0": { - "GXT": "", - "Localized": "Casquette Bleu Prolaps à l'envers" - }, - "1": { - "GXT": "", - "Localized": "Casquette Vert Prolaps à l'envers" - } - }, - "162": { - "0": { - "GXT": "", - "Localized": "Casquette Violet Broker " - }, - "1": { - "GXT": "", - "Localized": "Casquette Gris Broker " - }, - "2": { - "GXT": "", - "Localized": "Casquette Noir Trickster " - }, - "3": { - "GXT": "", - "Localized": "Casquette Jaune Trickster " - }, - "4": { - "GXT": "", - "Localized": "Casquette Jaune Camo Trickster " - }, - "5": { - "GXT": "", - "Localized": "Casquette Noir VDG " - }, - "6": { - "GXT": "", - "Localized": "Casquette Jaune VDG " - }, - "7": { - "GXT": "", - "Localized": "Casquette Noir Pounders " - }, - "8": { - "GXT": "", - "Localized": "Casquette Blanc Pounders " - } - }, - "163": { - "0": { - "GXT": "", - "Localized": "Caquette à l'envers Violet Broker " - }, - "1": { - "GXT": "", - "Localized": "Caquette à l'envers Gris Broker " - }, - "2": { - "GXT": "", - "Localized": "Caquette à l'envers Noir Trickster " - }, - "3": { - "GXT": "", - "Localized": "Caquette à l'envers Jaune Trickster " - }, - "4": { - "GXT": "", - "Localized": "Caquette à l'envers Jaune Camo Trickster " - }, - "5": { - "GXT": "", - "Localized": "Caquette à l'envers Noir VDG " - }, - "6": { - "GXT": "", - "Localized": "Caquette à l'envers Jaune VDG " - }, - "7": { - "GXT": "", - "Localized": "Caquette à l'envers Noir Pounders " - }, - "8": { - "GXT": "", - "Localized": "Caquette à l'envers Blanc Pounders " - } - } - }, - "Béret": { - "7": { - "0": { - "GXT": "", - "Localized": "Beret Blanc" - }, - "1": { - "GXT": "", - "Localized": "Beret Gris" - }, - "2": { - "GXT": "", - "Localized": "Beret Noir" - }, - "3": { - "GXT": "", - "Localized": "Beret Bleu" - }, - "4": { - "GXT": "", - "Localized": "Beret Rouge" - }, - "5": { - "GXT": "", - "Localized": "Beret marron" - }, - "6": { - "GXT": "", - "Localized": "Beret Vert" - }, - "7": { - "GXT": "", - "Localized": "Beret jaune" - } - }, - "106": { - "0": { - "GXT": "", - "Localized": "Béret Bleu Digital" - }, - "1": { - "GXT": "", - "Localized": "Béret Marron Digital" - }, - "2": { - "GXT": "", - "Localized": "Béret Vert Digital" - }, - "3": { - "GXT": "", - "Localized": "Béret Gris Digital" - }, - "4": { - "GXT": "", - "Localized": "Béret Peach Digital" - }, - "5": { - "GXT": "", - "Localized": "Béret Fall" - }, - "6": { - "GXT": "", - "Localized": "Béret Dark Woodland Beret" - }, - "7": { - "GXT": "", - "Localized": "Béret Crosshatch" - }, - "8": { - "GXT": "", - "Localized": "Béret Moss Digital" - }, - "9": { - "GXT": "", - "Localized": "Béret Gris Woodland" - }, - "10": { - "GXT": "", - "Localized": "Béret Aqua Camo" - }, - "11": { - "GXT": "", - "Localized": "Béret Splinter" - }, - "12": { - "GXT": "", - "Localized": "Béret Contrast Camo" - }, - "13": { - "GXT": "", - "Localized": "Béret Cobble" - }, - "14": { - "GXT": "", - "Localized": "Béret Peach Camo" - }, - "15": { - "GXT": "", - "Localized": "Béret Brushstroke" - }, - "16": { - "GXT": "", - "Localized": "Béret Flecktarn" - }, - "17": { - "GXT": "", - "Localized": "Béret Light Woodland" - }, - "18": { - "GXT": "", - "Localized": "Béret Moss" - }, - "19": { - "GXT": "", - "Localized": "Béret Sand" - }, - "20": { - "GXT": "", - "Localized": "Béret Midnight" - } - } - }, - "Luxe": { - "12": { - "0": { - "GXT": "", - "Localized": "Chapeau feutre Gris sombre" - }, - "1": { - "GXT": "", - "Localized": "Chapeau feutre Blanc" - }, - "4": { - "GXT": "", - "Localized": "Chapeau feutre marron" - }, - "6": { - "GXT": "", - "Localized": "Chapeau feutre Vert" - }, - "7": { - "GXT": "", - "Localized": "Chapeau feutre Bleu" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Chapeau bande cuir" - }, - "1": { - "GXT": "", - "Localized": "Chapeau bande marron" - }, - "2": { - "GXT": "", - "Localized": "Chapeau bande Gris" - }, - "3": { - "GXT": "", - "Localized": "Chapeau bande Blanc-Noir" - }, - "4": { - "GXT": "", - "Localized": "Chapeau bande Rose-Noir" - }, - "5": { - "GXT": "", - "Localized": "Chapeau bande Noir" - }, - "6": { - "GXT": "", - "Localized": "Chapeau bande Vert" - }, - "7": { - "GXT": "", - "Localized": "Chapeau bande Bleu Noir" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Chapeau bande Bleu" - }, - "1": { - "GXT": "", - "Localized": "Chapeau bande Noir-Rouge" - }, - "2": { - "GXT": "", - "Localized": "Chapeau bande marron-marron" - } - }, - "26": { - "0": { - "GXT": "", - "Localized": "Chapeau melon Noir" - }, - "1": { - "GXT": "", - "Localized": "Chapeau melon Gris" - }, - "2": { - "GXT": "", - "Localized": "Chapeau melon Bleu" - }, - "3": { - "GXT": "", - "Localized": "Chapeau melon Gris clair" - }, - "4": { - "GXT": "", - "Localized": "Chapeau melon olive" - }, - "5": { - "GXT": "", - "Localized": "Chapeau melon Violet" - }, - "6": { - "GXT": "", - "Localized": "Chapeau melon Rouge" - }, - "7": { - "GXT": "", - "Localized": "Chapeau melon marron" - }, - "8": { - "GXT": "", - "Localized": "Chapeau melon vintage marron" - }, - "9": { - "GXT": "", - "Localized": "Chapeau melon creme" - }, - "10": { - "GXT": "", - "Localized": "Chapeau melon cendre" - }, - "11": { - "GXT": "", - "Localized": "Chapeau melon cendre Bleue" - }, - "12": { - "GXT": "", - "Localized": "Chapeau melon argent sublime" - }, - "13": { - "GXT": "", - "Localized": "Chapeau melon Blanc cassé" - } - }, - "27": { - "0": { - "GXT": "", - "Localized": "Haut de forme Noir" - }, - "1": { - "GXT": "", - "Localized": "Haut de forme Gris" - }, - "2": { - "GXT": "", - "Localized": "Haut de forme Bleu" - }, - "3": { - "GXT": "", - "Localized": "Haut de forme Gris clair" - }, - "4": { - "GXT": "", - "Localized": "Haut de forme olive" - }, - "5": { - "GXT": "", - "Localized": "Haut de forme Violet" - }, - "6": { - "GXT": "", - "Localized": "Haut de forme Rouge" - }, - "7": { - "GXT": "", - "Localized": "Haut de forme marron" - }, - "8": { - "GXT": "", - "Localized": "Haut de forme vintage" - }, - "9": { - "GXT": "", - "Localized": "Haut de forme creme" - }, - "10": { - "GXT": "", - "Localized": "Haut de forme cendre" - }, - "11": { - "GXT": "", - "Localized": "Haut de forme Bleu Bleu Foncé" - }, - "12": { - "GXT": "", - "Localized": "Haut de forme argent" - }, - "13": { - "GXT": "", - "Localized": "Haut de forme Blanc" - } - }, - "29": { - "0": { - "GXT": "", - "Localized": "Chapeau Mou Gris" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Mou Noir" - }, - "2": { - "GXT": "", - "Localized": "Chapeau Mou Blanc" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Mou creme" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Mou Rouge" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Mou Noir Blanc" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Mou marron" - }, - "7": { - "GXT": "", - "Localized": "Chapeau Mou Bleu" - } - }, - "30": { - "0": { - "GXT": "", - "Localized": "Chapeau bande Rouge-Noir" - }, - "1": { - "GXT": "", - "Localized": "Chapeau bande Rose-Blanc" - } - }, - "61": { - "0": { - "GXT": "", - "Localized": "Chapeau Borsalino Vert" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Borsalino Orange" - }, - "2": { - "GXT": "", - "Localized": "Chapeau Borsalino Violet" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Borsalino Rose" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Borsalino Rouge" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Borsalino Bleu" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Borsalino Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Chapeau Borsalino Gris" - }, - "8": { - "GXT": "", - "Localized": "Chapeau Borsalino Blanc" - }, - "9": { - "GXT": "", - "Localized": "Chapeau Borsalino Noir" - } - }, - "64": { - "0": { - "GXT": "", - "Localized": "Chapeau Fedora Bleu" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Fedora Rouge" - }, - "2": { - "GXT": "", - "Localized": "Chapeau Fedora Gris Noir" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Fedora Noir" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Fedora Gris" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Fedora Bleu a Carreau" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Fedora Marron Foncé" - }, - "7": { - "GXT": "", - "Localized": "Chapeau Fedora Marron Noir" - }, - "8": { - "GXT": "", - "Localized": "Chapeau Fedora Rouge Sang" - }, - "9": { - "GXT": "", - "Localized": "Chapeau Fedora Marron a Carreau" - }, - "10": { - "GXT": "", - "Localized": "Chapeau Fedora Gris a Carreau" - }, - "11": { - "GXT": "", - "Localized": "Chapeau Fedora Bleu foncé" - } - }, - "95": { - "0": { - "GXT": "", - "Localized": "Chapeau bandeau Crème" - }, - "1": { - "GXT": "", - "Localized": "Chapeau bandeau Rouge" - }, - "2": { - "GXT": "", - "Localized": "Chapeau bandeau Bleu" - }, - "3": { - "GXT": "", - "Localized": "Chapeau bandeau Cyan" - }, - "4": { - "GXT": "", - "Localized": "Chapeau bandeau Blanc" - }, - "5": { - "GXT": "", - "Localized": "Chapeau bandeau Gris" - }, - "6": { - "GXT": "", - "Localized": "Chapeau bandeau Bleu Foncé" - }, - "7": { - "GXT": "", - "Localized": "Chapeau bandeau Rouge" - }, - "8": { - "GXT": "", - "Localized": "Chapeau bandeau Gris Fonce" - }, - "9": { - "GXT": "", - "Localized": "Chapeau bandeau Vert Foret" - } - }, - "146": { - "0": { - "GXT": "", - "Localized": "Haut de Forme Noir" - }, - "1": { - "GXT": "", - "Localized": "Haut de Forme Dark Gris" - }, - "2": { - "GXT": "", - "Localized": "Haut de Forme Dusty Violet" - }, - "3": { - "GXT": "", - "Localized": "Haut de Forme Light Gris" - }, - "4": { - "GXT": "", - "Localized": "Haut de Forme Sage Vert" - }, - "5": { - "GXT": "", - "Localized": "Haut de Forme Dusty Rose" - }, - "6": { - "GXT": "", - "Localized": "Haut de Forme Rouge" - }, - "7": { - "GXT": "", - "Localized": "Haut de Forme Terracotta" - }, - "8": { - "GXT": "", - "Localized": "Haut de Forme Crème" - }, - "9": { - "GXT": "", - "Localized": "Haut de Forme Ivory" - }, - "10": { - "GXT": "", - "Localized": "Haut de Forme Cendre" - }, - "11": { - "GXT": "", - "Localized": "Haut de Forme Dark Violet" - }, - "12": { - "GXT": "", - "Localized": "Haut de Forme Eggshell" - }, - "13": { - "GXT": "", - "Localized": "Haut de Forme Blanc" - } - } - }, - "Western": { - "13": { - "0": { - "GXT": "", - "Localized": "Chapeau Cowboy Gris foncé" - }, - "1": { - "GXT": "", - "Localized": "Chapeau Cowboy marron" - }, - "2": { - "GXT": "", - "Localized": "Chocolate Cowboy" - }, - "3": { - "GXT": "", - "Localized": "Chapeau Cowboy Blanc" - }, - "4": { - "GXT": "", - "Localized": "Chapeau Cowboy cuir sombre" - }, - "5": { - "GXT": "", - "Localized": "Chapeau Cowboy Beige" - }, - "6": { - "GXT": "", - "Localized": "Chapeau Cowboy Rouge" - }, - "7": { - "GXT": "", - "Localized": "Chapeau Cowboy Cuir clair" - } - } - }, - "Bandana": { - "14": { - "0": { - "GXT": "", - "Localized": "Bandana paisley Blanc" - }, - "1": { - "GXT": "", - "Localized": "Bandana paisley Noir" - }, - "2": { - "GXT": "", - "Localized": "Bandana Bleu Bleu Foncé" - }, - "3": { - "GXT": "", - "Localized": "Bandana Rouge" - }, - "4": { - "GXT": "", - "Localized": "Bandana Vert" - }, - "5": { - "GXT": "", - "Localized": "Bandana Violet" - }, - "6": { - "GXT": "", - "Localized": "Bandana camo" - }, - "7": { - "GXT": "", - "Localized": "Bandana Jaune" - } - }, - "83": { - "0": { - "GXT": "", - "Localized": "Bandana Noir" - }, - "1": { - "GXT": "", - "Localized": "Bandana Uptown Riders" - }, - "2": { - "GXT": "", - "Localized": "Bandana Ride Free" - }, - "3": { - "GXT": "", - "Localized": "Bandana As de pique" - }, - "4": { - "GXT": "", - "Localized": "Bandana Crâne et serpent" - }, - "5": { - "GXT": "", - "Localized": "Bandana Bœuf et hachettes" - }, - "6": { - "GXT": "", - "Localized": "Bandana Étoiles et rayures" - } - } - }, - "Costume": { - "19": { - "0": { - "GXT": "", - "Localized": "Casque d'aviateur" - } - }, - "22": { - "0": { - "GXT": "", - "Localized": "Bonnet Noel Rouge" - }, - "1": { - "GXT": "", - "Localized": "Bonnet Noel Vert" - } - }, - "23": { - "0": { - "GXT": "", - "Localized": "Bonnet elf" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Bois de rennes" - } - }, - "31": { - "0": { - "GXT": "", - "Localized": "Chapeau USA" - } - }, - "32": { - "0": { - "GXT": "", - "Localized": "Haut de forme USA" - } - }, - "33": { - "0": { - "GXT": "", - "Localized": "Chapeau Sheriff Rouge" - } - }, - "35": { - "0": { - "GXT": "", - "Localized": "Couronne des États-Unis" - } - }, - "36": { - "0": { - "GXT": "", - "Localized": "Serre tête USA" - } - }, - "37": { - "0": { - "GXT": "", - "Localized": "Chapeau a bière Bleu" - }, - "1": { - "GXT": "", - "Localized": "Chapeau a bière Benedict" - }, - "2": { - "GXT": "", - "Localized": "Chapeau a bière Rose" - }, - "3": { - "GXT": "", - "Localized": "Chapeau a bière Patriotique" - }, - "4": { - "GXT": "", - "Localized": "Chapeau a bière Blarneys" - }, - "5": { - "GXT": "", - "Localized": "Chapeau a bière Jaune" - } - }, - "40": { - "0": { - "GXT": "", - "Localized": "Chapeau pointe arbre noel" - }, - "1": { - "GXT": "", - "Localized": "Chapeau pointe flocon Violet" - }, - "2": { - "GXT": "", - "Localized": "Chapeau pointe houx" - }, - "3": { - "GXT": "", - "Localized": "Chapeau pointe Rouge-Blanc" - }, - "4": { - "GXT": "", - "Localized": "Chapeau pointe Vert-Rose" - }, - "5": { - "GXT": "", - "Localized": "Chapeau pointe etoiles" - }, - "6": { - "GXT": "", - "Localized": "Chapeau pointe noel" - }, - "7": { - "GXT": "", - "Localized": "Chapeau pointe elf" - } - }, - "41": { - "0": { - "GXT": "", - "Localized": "Bonnet pudding" - } - }, - "42": { - "0": { - "GXT": "", - "Localized": "Bonnet tombant elf" - }, - "1": { - "GXT": "", - "Localized": "Bonnet tombant Vert-Blanc" - }, - "2": { - "GXT": "", - "Localized": "Bonnet tombant Vert-Rouge" - }, - "3": { - "GXT": "", - "Localized": "Bonnet tombant Violet" - } - }, - "43": { - "0": { - "GXT": "", - "Localized": "Bonnet de nuit charantaise" - }, - "1": { - "GXT": "", - "Localized": "Bonnet de nuit Bleu" - }, - "2": { - "GXT": "", - "Localized": "Bonnet de nuit croix" - }, - "3": { - "GXT": "", - "Localized": "Bonnet de nuit carrés" - } - }, - "45": { - "1": { - "GXT": "", - "Localized": "Casque Pompier Noir Ho Ho Ho" - }, - "2": { - "GXT": "", - "Localized": "Casque Pompier Bleu Snowflake" - }, - "3": { - "GXT": "", - "Localized": "Casque Pompier Nice Rouge Blanc" - }, - "4": { - "GXT": "", - "Localized": "Casque Pompier Vert Ho Ho Ho" - }, - "5": { - "GXT": "", - "Localized": "Casque pompier Rouge Snowflake" - }, - "6": { - "GXT": "", - "Localized": "Casque pompier Gingerbread" - }, - "7": { - "GXT": "", - "Localized": "Casque pompier Bah Humbug" - } - }, - "97": { - "0": { - "GXT": "", - "Localized": "Chapeau à point lumineux Arbre" - }, - "1": { - "GXT": "", - "Localized": "Chapeau à point lumineux Rose" - }, - "2": { - "GXT": "", - "Localized": "Chapeau à point lumineux Houx" - }, - "3": { - "GXT": "", - "Localized": "Chapeau à point lumineux Violet" - } - }, - "98": { - "0": { - "GXT": "", - "Localized": "Chapeau à point lumineux Pudding" - } - }, - "99": { - "0": { - "GXT": "", - "Localized": "Bonnet noel lumineux " - } - }, - "100": { - "0": { - "GXT": "", - "Localized": "Bonnet Elf lumineux" - } - }, - "101": { - "0": { - "GXT": "", - "Localized": "Bois de rennes lumineux" - } - }, - "113": { - "4": { - "GXT": "", - "Localized": "Képi cérémonie Aqua Camo" - }, - "10": { - "GXT": "", - "Localized": "Képi cérémonie Light Marron" - }, - "11": { - "GXT": "", - "Localized": "Képi cérémonie Moss" - }, - "12": { - "GXT": "", - "Localized": "Képi cérémonie Gris Digital" - }, - "13": { - "GXT": "", - "Localized": "Képi cérémonie Dark Woodland" - }, - "14": { - "GXT": "", - "Localized": "Képi cérémonie Rouge" - }, - "15": { - "GXT": "", - "Localized": "Képi cérémonie Chocolate" - }, - "17": { - "GXT": "", - "Localized": "Képi cérémonie Sand" - }, - "19": { - "GXT": "", - "Localized": "Képi cérémonie Rose" - } - }, - "114": { - "2": { - "GXT": "", - "Localized": "Marine Cérémonie Gris Leopard" - }, - "6": { - "GXT": "", - "Localized": "Marine Cérémonie Aqua Camo" - }, - "10": { - "GXT": "", - "Localized": "Marine Cérémonie Rouge & Bleu" - }, - "11": { - "GXT": "", - "Localized": "Marine Cérémonie Rouge" - }, - "12": { - "GXT": "", - "Localized": "Marine Cérémonie Brushstroke" - }, - "13": { - "GXT": "", - "Localized": "Marine Cérémonie Moss" - }, - "14": { - "GXT": "", - "Localized": "Marine Cérémonie Marron Digital" - }, - "16": { - "GXT": "", - "Localized": "Blanc Camo Garrison" - }, - "18": { - "GXT": "", - "Localized": "Marine Cérémonie Zebre" - } - }, - "145": { - "0": { - "GXT": "", - "Localized": "Casque de chantier Jaune" - }, - "1": { - "GXT": "", - "Localized": "Casque de chantier Orange" - }, - "2": { - "GXT": "", - "Localized": "Casque de chantier Blanc" - }, - "3": { - "GXT": "", - "Localized": "Casque de chantier Bleu" - } - }, - "153": { - "0": { - "GXT": "", - "Localized": "Chapeau de pirate" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_helmets.json b/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_helmets.json deleted file mode 100644 index 010a9dcc26..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_helmets.json +++ /dev/null @@ -1,958 +0,0 @@ -[ - { - "Casques": { - "16": { - "0": { - "GXT": "", - "Localized": "Casque Cross jaune" - }, - "1": { - "GXT": "", - "Localized": "Casque Cross Bleu" - }, - "2": { - "GXT": "", - "Localized": "Casque Cross orange" - }, - "3": { - "GXT": "", - "Localized": "Casque Cross Vert" - }, - "4": { - "GXT": "", - "Localized": "Casque Cross Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casque Cross or-Blanc" - }, - "6": { - "GXT": "", - "Localized": "Casque Cross Noir" - }, - "7": { - "GXT": "", - "Localized": "Casque Cross lilla" - } - }, - "17": { - "1": { - "GXT": "", - "Localized": "Casque Jet Vert pale" - }, - "3": { - "GXT": "", - "Localized": "Casque Jet Rouge" - }, - "4": { - "GXT": "", - "Localized": "Casque Jet Gris sombre" - }, - "5": { - "GXT": "", - "Localized": "Casque Jet Noir" - }, - "6": { - "GXT": "", - "Localized": "Casque Jet Rose" - }, - "7": { - "GXT": "", - "Localized": "Casque Jet Blanc-Noir" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Casque integral eclats" - }, - "1": { - "GXT": "", - "Localized": "Casque integral etoiles" - }, - "2": { - "GXT": "", - "Localized": "Casque integral Gris" - }, - "3": { - "GXT": "", - "Localized": "Casque integral sang" - }, - "4": { - "GXT": "", - "Localized": "Casque integral crane" - }, - "5": { - "GXT": "", - "Localized": "Casque integral AoS Noir" - }, - "6": { - "GXT": "", - "Localized": "Casque integral flammes" - }, - "7": { - "GXT": "", - "Localized": "Casque integral Blanc-Rouge" - } - }, - "48": { - "0": { - "GXT": "", - "Localized": "Noir brillant tout-terrain" - } - }, - "49": { - "0": { - "GXT": "", - "Localized": "Noir mat tout-terrain" - } - }, - "50": { - "0": { - "GXT": "", - "Localized": "Intégral brillant" - } - }, - "51": { - "0": { - "GXT": "", - "Localized": "Visière Chromé" - } - }, - "52": { - "0": { - "GXT": "", - "Localized": "Mat Intégral Noir" - } - }, - "53": { - "0": { - "GXT": "", - "Localized": "Mat Visière Chromé" - } - }, - "62": { - "0": { - "GXT": "", - "Localized": "Casque intégral Vert" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Orange" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral Violet" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Rose" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Rouge" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Bleu" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Gris Foncé" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Gris" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Noir" - } - }, - "67": { - "0": { - "GXT": "", - "Localized": "Casque intégral Shatter Pattern" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Stars" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral SquaRed" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Cramoisi" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Skull" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Ace of Spades" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Flamejob" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Blanc" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Downhill" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Slalom" - }, - "10": { - "GXT": "", - "Localized": "Casque intégral Crâne" - }, - "11": { - "GXT": "", - "Localized": "Casque intégral Vibe" - }, - "12": { - "GXT": "", - "Localized": "Casque intégral Burst" - }, - "13": { - "GXT": "", - "Localized": "Casque intégral Tri" - }, - "14": { - "GXT": "", - "Localized": "Casque intégral Sprunk" - }, - "15": { - "GXT": "", - "Localized": "Casque intégral Skeleton" - }, - "16": { - "GXT": "", - "Localized": "Casque intégral Death" - }, - "17": { - "GXT": "", - "Localized": "Casque intégral Cobble" - }, - "18": { - "GXT": "", - "Localized": "Casque intégral Cubist" - }, - "19": { - "GXT": "", - "Localized": "Casque intégral Digital" - }, - "20": { - "GXT": "", - "Localized": "Casque intégral Snakeskin" - } - }, - "68": { - "0": { - "GXT": "", - "Localized": "Casque intégral Noir Ouvert" - } - }, - "69": { - "0": { - "GXT": "", - "Localized": "Casque intégral Chrome Ouvert" - } - }, - "70": { - "0": { - "GXT": "", - "Localized": "Casque intégral Mat Ouvert" - } - }, - "71": { - "0": { - "GXT": "", - "Localized": "Casque intégral Mat Chrome Ouvert" - } - }, - "72": { - "0": { - "GXT": "", - "Localized": "Casque intégral Vert Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Orange Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral Violet Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Rose Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Rouge Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Bleu Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Gris Foncé Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Gris Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Blanc Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Noir Ouvert" - } - }, - "73": { - "0": { - "GXT": "", - "Localized": "Casque Retro Crème" - }, - "1": { - "GXT": "", - "Localized": "Casque Retro Gris" - }, - "2": { - "GXT": "", - "Localized": "Casque Retro Orange" - }, - "3": { - "GXT": "", - "Localized": "Casque Retro Pale Bleu" - }, - "4": { - "GXT": "", - "Localized": "Casque Retro Vert" - }, - "5": { - "GXT": "", - "Localized": "Casque Retro Orange Pale" - }, - "6": { - "GXT": "", - "Localized": "Casque Retro Violet" - }, - "7": { - "GXT": "", - "Localized": "Casque Retro Rose Noir" - }, - "8": { - "GXT": "", - "Localized": "Casque Retro Blanc" - }, - "9": { - "GXT": "", - "Localized": "Casque Retro Bleu" - }, - "10": { - "GXT": "", - "Localized": "Casque Retro Rouge" - }, - "11": { - "GXT": "", - "Localized": "Casque Retro Noir" - }, - "12": { - "GXT": "", - "Localized": "Casque Retro Rose " - } - }, - "74": { - "0": { - "GXT": "", - "Localized": "Casque Retro Crème Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque Retro Gris Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque Retro Orange Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque Retro Pale Bleu Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque Retro Vert Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque Retro Orange Pale Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque Retro Violet Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque Retro Rose Noir Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque Retro Blanc Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque Retro Bleu Ouvert" - }, - "10": { - "GXT": "", - "Localized": "Casque Retro Rouge Ouvert" - }, - "11": { - "GXT": "", - "Localized": "Casque Retro Noir Ouvert" - }, - "12": { - "GXT": "", - "Localized": "Casque Retro Rose Ouvert" - } - }, - "75": { - "0": { - "GXT": "", - "Localized": "Casque Bob Vert" - }, - "1": { - "GXT": "", - "Localized": "Casque Bob Orange" - }, - "2": { - "GXT": "", - "Localized": "Casque Bob Violet" - }, - "3": { - "GXT": "", - "Localized": "Casque Bob Panthère Rose" - }, - "4": { - "GXT": "", - "Localized": "Casque Bob Tourbillon" - }, - "5": { - "GXT": "", - "Localized": "Casque Bob Rouge Jaune" - }, - "6": { - "GXT": "", - "Localized": "Casque Bob Racing" - }, - "7": { - "GXT": "", - "Localized": "Casque Bob USA" - }, - "8": { - "GXT": "", - "Localized": "Casque Bob Blue Stars" - }, - "9": { - "GXT": "", - "Localized": "Casque Bob Griffure" - }, - "10": { - "GXT": "", - "Localized": "Casque Bob Red Star" - }, - "11": { - "GXT": "", - "Localized": "Casque Bob Xero" - }, - "12": { - "GXT": "", - "Localized": "Casque Bob Burger Shot" - }, - "13": { - "GXT": "", - "Localized": "Casque Bob Infinité" - }, - "14": { - "GXT": "", - "Localized": "Casque Bob Linea" - }, - "15": { - "GXT": "", - "Localized": "Casque Bob Eruption" - } - }, - "79": { - "0": { - "GXT": "", - "Localized": "Casque retro Ouvert Blanc" - }, - "1": { - "GXT": "", - "Localized": "Casque retro Ouvert Bleu" - }, - "2": { - "GXT": "", - "Localized": "Casque retro Ouvert Rouge" - }, - "3": { - "GXT": "", - "Localized": "Casque retro Ouvert Noir" - }, - "4": { - "GXT": "", - "Localized": "Casque retro Ouvert Rose" - } - }, - "80": { - "0": { - "GXT": "", - "Localized": "Casque retro fermé bande en Or" - }, - "1": { - "GXT": "", - "Localized": "Casque retro fermé Argent bande" - }, - "2": { - "GXT": "", - "Localized": "Casque retro fermé en Or" - }, - "3": { - "GXT": "", - "Localized": "Casque retro fermé Argent" - } - }, - "81": { - "0": { - "GXT": "", - "Localized": "Casque retro Ouvert bande en Or" - }, - "1": { - "GXT": "", - "Localized": "Casque retro Ouvert Argent bande" - }, - "2": { - "GXT": "", - "Localized": "Casque retro Ouvert en Or" - }, - "3": { - "GXT": "", - "Localized": "Casque retro Ouvert Argent" - } - }, - "82": { - "0": { - "GXT": "", - "Localized": "Casque intégral Shatter Pattern Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque intégral Stars Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque intégral SquaRed Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque intégral Cramoisi Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque intégral Skull Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque intégral Ace of Spades Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque intégral Flamejob Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque intégral Blanc Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque intégral Downhill Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque intégral Slalom Ouvert" - }, - "10": { - "GXT": "", - "Localized": "Casque intégral Crâne Ouvert" - }, - "11": { - "GXT": "", - "Localized": "Casque intégral Vibe Ouvert" - }, - "12": { - "GXT": "", - "Localized": "Casque intégral Burst Ouvert" - }, - "13": { - "GXT": "", - "Localized": "Casque intégral Tri Ouvert" - }, - "14": { - "GXT": "", - "Localized": "Casque intégral Sprunk Ouvert" - }, - "15": { - "GXT": "", - "Localized": "Casque intégral Skeleton Ouvert" - }, - "16": { - "GXT": "", - "Localized": "Casque intégral Death Ouvert" - }, - "17": { - "GXT": "", - "Localized": "Casque intégral Cobble Ouvert" - }, - "18": { - "GXT": "", - "Localized": "Casque intégral Cubist Ouvert" - }, - "19": { - "GXT": "", - "Localized": "Casque intégral Digital Ouvert" - }, - "20": { - "GXT": "", - "Localized": "Casque intégral Snakeskin Ouvert" - } - }, - "84": { - "0": { - "GXT": "", - "Localized": "Casque à pointes Noir" - }, - "1": { - "GXT": "", - "Localized": "Casque à pointes Carbon" - }, - "2": { - "GXT": "", - "Localized": "Casque à pointes Orange Fiber" - }, - "3": { - "GXT": "", - "Localized": "Casque à pointes Star and Stripes" - }, - "4": { - "GXT": "", - "Localized": "Casque à pointes Vert" - }, - "5": { - "GXT": "", - "Localized": "Casque à pointes Feathers" - }, - "6": { - "GXT": "", - "Localized": "Casque à pointes Ox andchets" - }, - "7": { - "GXT": "", - "Localized": "Casque à pointes Ride Free" - }, - "8": { - "GXT": "", - "Localized": "Casque à pointes Ace of Spades" - }, - "9": { - "GXT": "", - "Localized": "Casque à pointes Skull and Snake" - } - }, - "85": { - "0": { - "GXT": "", - "Localized": "Casque rond" - } - }, - "86": { - "0": { - "GXT": "", - "Localized": "Casque rond a Visière" - } - }, - "87": { - "0": { - "GXT": "", - "Localized": "Casque rond a crète" - } - }, - "88": { - "0": { - "GXT": "", - "Localized": "Casque rond a pointe" - } - }, - "89": { - "0": { - "GXT": "", - "Localized": "Grand Casque Noir" - }, - "1": { - "GXT": "", - "Localized": "Grand Casque Carbon" - }, - "2": { - "GXT": "", - "Localized": "Grand Casque Orange Fiber" - }, - "3": { - "GXT": "", - "Localized": "Grand Casque Star and Stripes" - }, - "4": { - "GXT": "", - "Localized": "Grand Casque Vert" - }, - "5": { - "GXT": "", - "Localized": "Grand Casque Feathers" - }, - "6": { - "GXT": "", - "Localized": "Grand Casque Ox andchets" - }, - "7": { - "GXT": "", - "Localized": "Grand Casque Ride Free" - }, - "8": { - "GXT": "", - "Localized": "Grand Casque Ace of Spades" - }, - "9": { - "GXT": "", - "Localized": "Grand Casque Skull and Snake" - } - }, - "90": { - "0": { - "GXT": "", - "Localized": "Chromed Dome" - } - }, - "91": { - "0": { - "GXT": "", - "Localized": "Casque néon Jaune" - }, - "1": { - "GXT": "", - "Localized": "Casque néon Vert" - }, - "2": { - "GXT": "", - "Localized": "Casque néon Orange" - }, - "3": { - "GXT": "", - "Localized": "Casque néon Violet" - }, - "4": { - "GXT": "", - "Localized": "Casque néon Rose" - }, - "5": { - "GXT": "", - "Localized": "Casque néon Rouge" - }, - "6": { - "GXT": "", - "Localized": "Casque néon Bleu" - }, - "7": { - "GXT": "", - "Localized": "Casque néon Cendre" - }, - "8": { - "GXT": "", - "Localized": "Casque néon Gris" - }, - "9": { - "GXT": "", - "Localized": "Casque néon Blanc" - }, - "10": { - "GXT": "", - "Localized": "Casque néon Bleu Clair" - } - }, - "92": { - "0": { - "GXT": "", - "Localized": "Casque néon Jaune Ouvert" - }, - "1": { - "GXT": "", - "Localized": "Casque néon Vert Ouvert" - }, - "2": { - "GXT": "", - "Localized": "Casque néon Orange Ouvert" - }, - "3": { - "GXT": "", - "Localized": "Casque néon Violet Ouvert" - }, - "4": { - "GXT": "", - "Localized": "Casque néon Rose Ouvert" - }, - "5": { - "GXT": "", - "Localized": "Casque néon Rouge Ouvert" - }, - "6": { - "GXT": "", - "Localized": "Casque néon Bleu Ouvert" - }, - "7": { - "GXT": "", - "Localized": "Casque néon Cendre Ouvert" - }, - "8": { - "GXT": "", - "Localized": "Casque néon Gris Ouvert" - }, - "9": { - "GXT": "", - "Localized": "Casque néon Blanc Ouvert" - }, - "10": { - "GXT": "", - "Localized": "Casque néon Bleu Clair Ouvert" - } - }, - "93": { - "0": { - "GXT": "", - "Localized": "Casque Faggio Cible" - }, - "1": { - "GXT": "", - "Localized": "Casque Faggio UK" - }, - "2": { - "GXT": "", - "Localized": "Casque Faggio Vert" - }, - "3": { - "GXT": "", - "Localized": "Casque Faggio UK Vert" - } - }, - "112": { - "0": { - "GXT": "", - "Localized": "Casque Woodland Combat" - }, - "1": { - "GXT": "", - "Localized": "Casque Dark Combat" - }, - "2": { - "GXT": "", - "Localized": "Casque Light Combat" - }, - "3": { - "GXT": "", - "Localized": "Casque Flecktarn Combat" - }, - "4": { - "GXT": "", - "Localized": "Casque Noir Combat" - }, - "5": { - "GXT": "", - "Localized": "Casque Medic Combat" - }, - "6": { - "GXT": "", - "Localized": "Casque Gris Woodland Combat" - }, - "7": { - "GXT": "", - "Localized": "Casque Tan Digital Combat" - }, - "8": { - "GXT": "", - "Localized": "Casque Aqua Camo Combat" - }, - "9": { - "GXT": "", - "Localized": "Casque Splinter Combat" - }, - "10": { - "GXT": "", - "Localized": "Casque Rouge Star Combat" - }, - "11": { - "GXT": "", - "Localized": "Casque Marron Digital Combat" - }, - "12": { - "GXT": "", - "Localized": "Casque MP Combat" - }, - "13": { - "GXT": "", - "Localized": "Casque Zebra Combat" - }, - "14": { - "GXT": "", - "Localized": "Casque Leopard Combat" - }, - "15": { - "GXT": "", - "Localized": "Casque Tigre Combat" - }, - "16": { - "GXT": "", - "Localized": "Casque Police Combat" - }, - "17": { - "GXT": "", - "Localized": "Casque Flames Combat" - }, - "18": { - "GXT": "", - "Localized": "Casque Stars & Stripes Combat" - }, - "19": { - "GXT": "", - "Localized": "Casque Patriot Combat" - }, - "20": { - "GXT": "", - "Localized": "Casque Vert Stars Combat" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_lefthand.json b/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_lefthand.json deleted file mode 100644 index 6d5c485d66..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_lefthand.json +++ /dev/null @@ -1,664 +0,0 @@ -[ - { - "Montre": { - "0": { - "0": { - "GXT": "", - "Localized": "Montre Haute Mer" - } - }, - "1": { - "0": { - "GXT": "", - "Localized": "Blanc LED, Noir Strap" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Pendulus Sport Noir Sports" - }, - "1": { - "GXT": "", - "Localized": "Pfister Design Rouge Sports" - }, - "2": { - "GXT": "", - "Localized": "Blanc Sports" - }, - "3": { - "GXT": "", - "Localized": "Jaune Sports" - }, - "4": { - "GXT": "", - "Localized": "Bleu Sports" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Montre en Or" - }, - "1": { - "GXT": "", - "Localized": "Montre en Argent" - }, - "2": { - "GXT": "", - "Localized": "Montre Noir" - }, - "3": { - "GXT": "", - "Localized": "Montre en Or Blanc" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Bracelet LED Rouge & Blanc" - }, - "1": { - "GXT": "", - "Localized": "Bracelet LED Rouge & Marron" - }, - "2": { - "GXT": "", - "Localized": "Bracelet LED Or Blanc" - }, - "3": { - "GXT": "", - "Localized": "Bracelet LED Jaune" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Or Rose Kronos Quantum" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Quantum" - }, - "2": { - "GXT": "", - "Localized": "Carbon Kronos Quantum" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Platinum Gaulle Retro Hex" - }, - "1": { - "GXT": "", - "Localized": "Carbon Gaulle Retro Hex" - }, - "2": { - "GXT": "", - "Localized": "Or Gaulle Retro Hex" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Or Covgari Supernova" - }, - "1": { - "GXT": "", - "Localized": "Carbon Covgari Supernova" - }, - "2": { - "GXT": "", - "Localized": "Or Rose Covgari Supernova" - } - }, - "9": { - "0": { - "GXT": "", - "Localized": "Pendule Galaxie en Platine" - }, - "1": { - "GXT": "", - "Localized": "Pendule Galaxie en Charbon" - }, - "2": { - "GXT": "", - "Localized": "Pendule Galaxie en Or" - } - }, - "10": { - "0": { - "GXT": "", - "Localized": "Argent Crowex Chromosphere" - }, - "1": { - "GXT": "", - "Localized": "Or Crowex Chromosphere" - }, - "2": { - "GXT": "", - "Localized": "Carbon Crowex Chromosphere" - } - }, - "11": { - "0": { - "GXT": "", - "Localized": "Or Rose Vangelico Geomeister" - }, - "1": { - "GXT": "", - "Localized": "Argent Vangelico Geomeister" - }, - "2": { - "GXT": "", - "Localized": "Or Vangelico Geomeister" - } - }, - "12": { - "0": { - "GXT": "", - "Localized": "Or iFruit Link" - }, - "1": { - "GXT": "", - "Localized": "Argent iFruit Link" - }, - "2": { - "GXT": "", - "Localized": "Or Rose iFruit Link" - } - }, - "13": { - "0": { - "GXT": "", - "Localized": "Carbon iFruit Tech" - }, - "1": { - "GXT": "", - "Localized": "Lime iFruit Tech" - }, - "2": { - "GXT": "", - "Localized": "PRB iFruit Tech" - } - }, - "14": { - "0": { - "GXT": "", - "Localized": "Argent Covgari Explorer" - }, - "1": { - "GXT": "", - "Localized": "Or Rose Covgari Explorer" - }, - "2": { - "GXT": "", - "Localized": "Or Covgari Explorer" - } - }, - "15": { - "0": { - "GXT": "", - "Localized": "Pendule en Argent" - }, - "1": { - "GXT": "", - "Localized": "Pendule en Or" - }, - "2": { - "GXT": "", - "Localized": "Pendule en Platine" - } - }, - "16": { - "0": { - "GXT": "", - "Localized": "Or Covgari Universe" - }, - "1": { - "GXT": "", - "Localized": "Argent Covgari Universe" - }, - "2": { - "GXT": "", - "Localized": "Acier Covgari Universe" - } - }, - "17": { - "0": { - "GXT": "", - "Localized": "Cuivre Gaulle Destiny" - }, - "1": { - "GXT": "", - "Localized": "Vintage Gaulle Destiny" - }, - "2": { - "GXT": "", - "Localized": "Argent Gaulle Destiny" - } - }, - "18": { - "0": { - "GXT": "", - "Localized": "Carbon Medici Radial" - }, - "1": { - "GXT": "", - "Localized": "Argent Medici Radial" - }, - "2": { - "GXT": "", - "Localized": "Acier Medici Radial" - } - }, - "19": { - "0": { - "GXT": "", - "Localized": "Argent Étoile du temps" - }, - "1": { - "GXT": "", - "Localized": "Or Étoile du temps" - }, - "2": { - "GXT": "", - "Localized": "Carbon Étoile du temps" - } - }, - "20": { - "0": { - "GXT": "", - "Localized": "Carbon Kronos Submariner" - }, - "1": { - "GXT": "", - "Localized": "Rouge Kronos Submariner" - }, - "2": { - "GXT": "", - "Localized": "Jaune Kronos Submariner" - } - }, - "21": { - "0": { - "GXT": "", - "Localized": "Lime iFruit" - }, - "1": { - "GXT": "", - "Localized": "Blanc iFruit" - }, - "2": { - "GXT": "", - "Localized": "Neon iFruit" - } - }, - "30": { - "0": { - "GXT": "", - "Localized": "Or Enduring" - }, - "1": { - "GXT": "", - "Localized": "Argent Enduring" - }, - "2": { - "GXT": "", - "Localized": "Noir Enduring" - }, - "3": { - "GXT": "", - "Localized": "Deck Enduring" - }, - "4": { - "GXT": "", - "Localized": "Royal Enduring" - }, - "5": { - "GXT": "", - "Localized": "Roulette Enduring" - } - }, - "31": { - "0": { - "GXT": "", - "Localized": "Or Kronos Tempo" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Tempo" - }, - "2": { - "GXT": "", - "Localized": "Noir Kronos Tempo" - }, - "3": { - "GXT": "", - "Localized": "Or Fifty Kronos Tempo" - }, - "4": { - "GXT": "", - "Localized": "Or Roulette Kronos Tempo" - }, - "5": { - "GXT": "", - "Localized": "Baroque Kronos Tempo" - } - }, - "32": { - "0": { - "GXT": "", - "Localized": "Or Kronos Pulse" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Pulse" - }, - "2": { - "GXT": "", - "Localized": "Noir Kronos Pulse" - }, - "3": { - "GXT": "", - "Localized": "Argent Fifty Kronos Pulse" - }, - "4": { - "GXT": "", - "Localized": "Argent Roulette Kronos Pulse" - }, - "5": { - "GXT": "", - "Localized": "Spade Kronos Pulse" - }, - "6": { - "GXT": "", - "Localized": "Rouge Kronos" - }, - "7": { - "GXT": "", - "Localized": "Vert Kronos" - }, - "8": { - "GXT": "", - "Localized": "Bleu Fame or Shame Kronos" - }, - "9": { - "GXT": "", - "Localized": "Noir Fame or Shame Kronos" - } - }, - "33": { - "0": { - "GXT": "", - "Localized": "Or Kronos Ära" - }, - "1": { - "GXT": "", - "Localized": "Argent Kronos Ära" - }, - "2": { - "GXT": "", - "Localized": "Noir Kronos Ära" - }, - "3": { - "GXT": "", - "Localized": "Or Fifty Kronos Ära" - }, - "4": { - "GXT": "", - "Localized": "Beige Spade Kronos Ära" - }, - "5": { - "GXT": "", - "Localized": "Marron Spade Kronos Ära" - } - }, - "34": { - "0": { - "GXT": "", - "Localized": "Automatique Or" - }, - "1": { - "GXT": "", - "Localized": "Automatique Argent" - }, - "2": { - "GXT": "", - "Localized": "Automatique Noir" - }, - "3": { - "GXT": "", - "Localized": "Automatique Pique" - }, - "4": { - "GXT": "", - "Localized": "Automatique Metal" - }, - "5": { - "GXT": "", - "Localized": "Automatique Roulette" - } - }, - "35": { - "0": { - "GXT": "", - "Localized": "Argent Crowex Époque" - }, - "1": { - "GXT": "", - "Localized": "Or Crowex Époque" - }, - "2": { - "GXT": "", - "Localized": "Noir Crowex Époque" - }, - "3": { - "GXT": "", - "Localized": "Wheel Crowex Époque" - }, - "4": { - "GXT": "", - "Localized": "Suits Crowex Époque" - }, - "5": { - "GXT": "", - "Localized": "Roulette Crowex Époque" - } - }, - "36": { - "0": { - "GXT": "", - "Localized": "Kronos Or Rectangulaire" - }, - "1": { - "GXT": "", - "Localized": "Kronos Argent Rectangulaire" - }, - "2": { - "GXT": "", - "Localized": "Kronos Noir Rectangulaire" - }, - "3": { - "GXT": "", - "Localized": "Kronos Roulette Rectangulaire" - }, - "4": { - "GXT": "", - "Localized": "Kronos Fifty Rectangulaire" - }, - "5": { - "GXT": "", - "Localized": "Kronos Suits Rectangulaire" - } - }, - "37": { - "0": { - "GXT": "", - "Localized": "Argent Crowex Ronde" - }, - "1": { - "GXT": "", - "Localized": "Or Crowex Ronde" - }, - "2": { - "GXT": "", - "Localized": "Noir Crowex Rond" - }, - "3": { - "GXT": "", - "Localized": "Bêche Crowex Rond" - }, - "4": { - "GXT": "", - "Localized": "Royauté Crowex Rond" - }, - "5": { - "GXT": "", - "Localized": "Dé Crowex Rond" - } - }, - "38": { - "0": { - "GXT": "", - "Localized": "Bracelet Argent SASS" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Or SASS" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Noir SASS" - } - }, - "39": { - "0": { - "GXT": "", - "Localized": "Bracelet Rond Argent SASS" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Rond Or SASS" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Rond Noir SASS" - } - } - }, - "Bracelet": { - "22": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet légère" - } - }, - "23": { - "0": { - "GXT": "", - "Localized": "Grosse chaîne de poignet" - } - }, - "24": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet carrée" - } - }, - "25": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet crâne" - } - }, - "26": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet torsadé" - } - }, - "27": { - "0": { - "GXT": "", - "Localized": "Chaîne de Moto et cuire" - } - }, - "28": { - "0": { - "GXT": "", - "Localized": "Bracelet à pointes" - } - }, - "29": { - "0": { - "GXT": "", - "Localized": "Bracelet Noire" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Chocolat" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Beige" - }, - "3": { - "GXT": "", - "Localized": "Bracelet cuire de boeuf" - } - }, - "40": { - "0": { - "GXT": "", - "Localized": "Bracelet Neon Bleu" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Neon Rouge" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Neon Rose" - }, - "3": { - "GXT": "", - "Localized": "Bracelet Neon Jaune" - }, - "4": { - "GXT": "", - "Localized": "Bracelet Neon Orange" - }, - "5": { - "GXT": "", - "Localized": "Bracelet Neon Vert" - }, - "6": { - "GXT": "", - "Localized": "Bracelet Neon Rouge & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Bracelet Neon Jaune & Orange" - }, - "8": { - "GXT": "", - "Localized": "Bracelet Neon Vert & Rose" - }, - "9": { - "GXT": "", - "Localized": "Bracelet Neon Arc en Ciel" - }, - "10": { - "GXT": "", - "Localized": "Bracelet Neon Coucher de Soleil" - }, - "11": { - "GXT": "", - "Localized": "Bracelet Neon Tropical" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_righthand.json b/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_righthand.json deleted file mode 100644 index afaf26fdc9..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/jewelry/male/props_male_righthand.json +++ /dev/null @@ -1,116 +0,0 @@ -[ - { - "Bracelet": { - "0": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet légère" - } - }, - "1": { - "0": { - "GXT": "", - "Localized": "Grosse chaîne de poignet" - } - }, - "2": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet carrée" - } - }, - "3": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet crâne" - } - }, - "4": { - "0": { - "GXT": "", - "Localized": "Chaîne de poignet torsadé" - } - }, - "5": { - "0": { - "GXT": "", - "Localized": "Chaîne de Moto et cuire" - } - }, - "6": { - "0": { - "GXT": "", - "Localized": "Bracelet à pointes" - } - }, - "7": { - "0": { - "GXT": "", - "Localized": "Bracelet Noire" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Chocolat" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Beige" - }, - "3": { - "GXT": "", - "Localized": "Bracelet cuire de boeuf" - } - }, - "8": { - "0": { - "GXT": "", - "Localized": "Bracelet Néon Bleu" - }, - "1": { - "GXT": "", - "Localized": "Bracelet Néon Rouge" - }, - "2": { - "GXT": "", - "Localized": "Bracelet Néon Rose" - }, - "3": { - "GXT": "", - "Localized": "Bracelet Néon Jaune" - }, - "4": { - "GXT": "", - "Localized": "Bracelet Néon Orange" - }, - "5": { - "GXT": "", - "Localized": "Bracelet Néon Vert" - }, - "6": { - "GXT": "", - "Localized": "Bracelet Néon Rouge & Bleu" - }, - "7": { - "GXT": "", - "Localized": "Bracelet Néon Orange & Jaune" - }, - "8": { - "GXT": "", - "Localized": "Bracelet Néon Vert & Rose" - }, - "9": { - "GXT": "", - "Localized": "Bracelet Néon Rainbow" - }, - "10": { - "GXT": "", - "Localized": "Bracelet Néon Levé de soleil" - }, - "11": { - "GXT": "", - "Localized": "Bracelet Néon Tropique" - } - } - } - } -] \ No newline at end of file diff --git a/resources/[soz]/soz-shops/config/datasource/props_female_bracelets.json b/resources/[soz]/soz-shops/config/datasource/props_female_bracelets.json deleted file mode 100644 index f8e98d2745..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_female_bracelets.json +++ /dev/null @@ -1,158 +0,0 @@ -[ - { - "Bracelets": { - "0": { - "0": { - "GXT": "CLO_L2F_RW_0_0", - "Localized": "Gold Snake Cuff" - } - }, - "1": { - "0": { - "GXT": "CLO_L2F_RW_1_0", - "Localized": "Gold Diamond Cuff" - } - }, - "2": { - "0": { - "GXT": "CLO_L2F_RW_2_0", - "Localized": "Gold Plain Cuff" - } - }, - "3": { - "0": { - "GXT": "CLO_L2F_RW_3_0", - "Localized": "Gold Le Chien Cuff" - } - }, - "4": { - "0": { - "GXT": "CLO_L2F_RW_4_0", - "Localized": "Gold Detail Cuff" - } - }, - "5": { - "0": { - "GXT": "CLO_L2F_RW_5_0", - "Localized": "Gold Swirl Cuff" - } - }, - "6": { - "0": { - "GXT": "CLO_L2F_RW_6_0", - "Localized": "Gold Textured Cuff" - } - }, - "7": { - "0": { - "GXT": "CLO_BIF_PRW_0_0", - "Localized": "Light Wrist Chain (R)" - } - }, - "8": { - "0": { - "GXT": "CLO_BIF_PRW_1_0", - "Localized": "Chunky Wrist Chain (R)" - } - }, - "9": { - "0": { - "GXT": "CLO_BIF_PRW_2_0", - "Localized": "Square Wrist Chain (R)" - } - }, - "10": { - "0": { - "GXT": "CLO_BIF_PRW_3_0", - "Localized": "Skull Wrist Chain (R)" - } - }, - "11": { - "0": { - "GXT": "CLO_BIF_PRW_4_0", - "Localized": "Tread Wrist Chain (R)" - } - }, - "12": { - "0": { - "GXT": "CLO_BIF_PRW_5_0", - "Localized": "Gear Wrist Chains (R)" - } - }, - "13": { - "0": { - "GXT": "CLO_BIF_PRW_6_0", - "Localized": "Spiked Gauntlet (R)" - } - }, - "14": { - "0": { - "GXT": "CLO_BIF_PRW_7_0", - "Localized": "Black Gauntlet (R)" - }, - "1": { - "GXT": "CLO_BIF_PRW_7_1", - "Localized": "Chocolate Gauntlet (R)" - }, - "2": { - "GXT": "CLO_BIF_PRW_7_2", - "Localized": "Tan Gauntlet (R)" - }, - "3": { - "GXT": "CLO_BIF_PRW_7_3", - "Localized": "Ox Blood Gauntlet (R)" - } - }, - "15": { - "0": { - "GXT": "CLO_H4F_PRW_0_0", - "Localized": "Blue Bangles (R)" - }, - "1": { - "GXT": "CLO_H4F_PRW_0_1", - "Localized": "Red Bangles (R)" - }, - "2": { - "GXT": "CLO_H4F_PRW_0_2", - "Localized": "Pink Bangles (R)" - }, - "3": { - "GXT": "CLO_H4F_PRW_0_3", - "Localized": "Yellow Bangles (R)" - }, - "4": { - "GXT": "CLO_H4F_PRW_0_4", - "Localized": "Orange Bangles (R)" - }, - "5": { - "GXT": "CLO_H4F_PRW_0_5", - "Localized": "Green Bangles (R)" - }, - "6": { - "GXT": "CLO_H4F_PRW_0_6", - "Localized": "Red & Blue Bangles (R)" - }, - "7": { - "GXT": "CLO_H4F_PRW_0_7", - "Localized": "Yellow & Orange Bangles (R)" - }, - "8": { - "GXT": "CLO_H4F_PRW_0_8", - "Localized": "Green & Pink Bangles (R)" - }, - "9": { - "GXT": "CLO_H4F_PRW_0_9", - "Localized": "Rainbow Bangles (R)" - }, - "10": { - "GXT": "CLO_H4F_PRW_010", - "Localized": "Sunset Bangles (R)" - }, - "11": { - "GXT": "CLO_H4F_PRW_011", - "Localized": "Tropical Bangles (R)" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_female_ears.json b/resources/[soz]/soz-shops/config/datasource/props_female_ears.json deleted file mode 100644 index 84e10c0264..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_female_ears.json +++ /dev/null @@ -1,234 +0,0 @@ -[ - { - "Boucles d'oreille": { - "0": { - "0": { - "GXT": "CLO_HST_E_0_0", - "Localized": "Gray Earpiece" - } - }, - "1": { - "0": { - "GXT": "CLO_HST_E_1_0", - "Localized": "Red Earpiece" - } - }, - "2": { - "0": { - "GXT": "CLO_HST_E_2_0", - "Localized": "LCD Earpiece" - } - }, - "3": { - "0": { - "GXT": "CLO_LXF_E_0_0", - "Localized": "Platinum Pendulums" - } - }, - "4": { - "0": { - "GXT": "CLO_LXF_E_1_0", - "Localized": "Gold Pendulums" - } - }, - "5": { - "0": { - "GXT": "CLO_LXF_E_2_0", - "Localized": "Gold Diamond Rounds" - } - }, - "6": { - "0": { - "GXT": "CLO_LXF_E_3_0", - "Localized": "Gold Diamond Drops" - }, - "1": { - "GXT": "CLO_LXF_E_3_1", - "Localized": "Platinum Diamond Drops" - }, - "2": { - "GXT": "CLO_LXF_E_3_2", - "Localized": "Black Gold Diamond Drops" - } - }, - "7": { - "0": { - "GXT": "CLO_LXF_E_4_0", - "Localized": "Gold Waterfalls" - }, - "1": { - "GXT": "CLO_LXF_E_4_1", - "Localized": "Platinum Waterfalls" - }, - "2": { - "GXT": "CLO_LXF_E_4_2", - "Localized": "Black Gold Waterfalls" - } - }, - "8": { - "0": { - "GXT": "CLO_LXF_E_5_0", - "Localized": "Gold Totems" - }, - "1": { - "GXT": "CLO_LXF_E_5_1", - "Localized": "Black Gold Totems" - }, - "2": { - "GXT": "CLO_LXF_E_5_2", - "Localized": "Platinum Totems" - } - }, - "9": { - "0": { - "GXT": "CLO_LXF_E_6_0", - "Localized": "Gold Diamond Chains" - }, - "1": { - "GXT": "CLO_LXF_E_6_1", - "Localized": "Platinum Diamond Chains" - }, - "2": { - "GXT": "CLO_LXF_E_6_2", - "Localized": "Black Gold Diamond Chains" - } - }, - "10": { - "0": { - "GXT": "CLO_LXF_E_7_0", - "Localized": "Gold Emerald Chains" - }, - "1": { - "GXT": "CLO_LXF_E_7_1", - "Localized": "Platinum Emerald Chains" - }, - "2": { - "GXT": "CLO_LXF_E_7_2", - "Localized": "Black Gold Emerald Chains" - } - }, - "11": { - "0": { - "GXT": "CLO_LXF_E_8_0", - "Localized": "Gold Sun Drops" - }, - "1": { - "GXT": "CLO_LXF_E_8_1", - "Localized": "Platinum Sun Drops" - }, - "2": { - "GXT": "CLO_LXF_E_8_2", - "Localized": "Black Gold Sun Drops" - } - }, - "12": { - "0": { - "GXT": "CLO_LXF_E_9_0", - "Localized": "Platinum Diamond Studs" - }, - "1": { - "GXT": "CLO_LXF_E_9_1", - "Localized": "Gold Diamond Studs" - }, - "2": { - "GXT": "CLO_LXF_E_9_2", - "Localized": "Black Gold Diamond Studs" - } - }, - "13": { - "0": { - "GXT": "CLO_S1F_E_0_0", - "Localized": "Assault Hoops" - } - }, - "14": { - "0": { - "GXT": "CLO_S1F_E_1_0", - "Localized": "Chunky Hoops" - } - }, - "15": { - "0": { - "GXT": "CLO_S1F_E_2_0", - "Localized": "Classic Hoops" - } - }, - "16": { - "0": { - "GXT": "CLO_S2F_E_0_0", - "Localized": "FU Hoops" - } - }, - "17": { - "0": { - "GXT": "CLO_S2F_E_1_0", - "Localized": "Screw You Hoops" - } - }, - "18": { - "0": { - "GXT": "CLO_VWF_PE_0_0", - "Localized": "Gold Fame or Shame Mics" - }, - "1": { - "GXT": "CLO_VWF_PE_0_1", - "Localized": "Silver Fame or Shame Mics" - } - }, - "19": { - "0": { - "GXT": "CLO_VWF_PE_1_0", - "Localized": "Clubs Earrings" - }, - "1": { - "GXT": "CLO_VWF_PE_1_1", - "Localized": "Diamonds Earrings" - }, - "2": { - "GXT": "CLO_VWF_PE_1_2", - "Localized": "Hearts Earrings" - }, - "3": { - "GXT": "CLO_VWF_PE_1_3", - "Localized": "Spades Earrings" - } - }, - "20": { - "0": { - "GXT": "CLO_VWF_PE_2_0", - "Localized": "White Dice Earrings" - }, - "1": { - "GXT": "CLO_VWF_PE_2_1", - "Localized": "Red Dice Earrings" - }, - "2": { - "GXT": "CLO_VWF_PE_2_2", - "Localized": "Tan Dice Earrings" - }, - "3": { - "GXT": "CLO_VWF_PE_2_3", - "Localized": "Gray Dice Earrings" - } - }, - "21": { - "0": { - "GXT": "CLO_VWF_PE_3_0", - "Localized": "Black Chips Earrings" - }, - "1": { - "GXT": "CLO_VWF_PE_3_1", - "Localized": "Yellow Chips Earrings" - }, - "2": { - "GXT": "CLO_VWF_PE_3_2", - "Localized": "Red Chips Earrings" - }, - "3": { - "GXT": "CLO_VWF_PE_3_3", - "Localized": "Pink Chips Earrings" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_female_glasses.json b/resources/[soz]/soz-shops/config/datasource/props_female_glasses.json deleted file mode 100644 index 4178209c1a..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_female_glasses.json +++ /dev/null @@ -1,1550 +0,0 @@ -[ - { - "Lunettes de Soleil": { - "0": { - "0": { - "GXT": "G_FMF_0_0", - "Localized": "Hornet Sports Shades" - }, - "1": { - "GXT": "G_FMF_0_1", - "Localized": "Two-Tone Sports Shades" - }, - "2": { - "GXT": "G_FMF_0_2", - "Localized": "Orange Sports Shades" - }, - "3": { - "GXT": "G_FMF_0_3", - "Localized": "Blue Sports Shades" - }, - "4": { - "GXT": "G_FMF_0_4", - "Localized": "Marble Sports Shades" - }, - "5": { - "GXT": "G_FMF_0_5", - "Localized": "Purple Sports Shades" - }, - "6": { - "GXT": "G_FMF_0_6", - "Localized": "Topaz Sports Shades" - }, - "7": { - "GXT": "G_FMF_0_7", - "Localized": "Beige Sports Shades" - } - }, - "1": { - "0": { - "GXT": "G_FMF_1_0", - "Localized": "Copper Marbles" - }, - "1": { - "GXT": "G_FMF_1_1", - "Localized": "Blue Tint Marbles" - }, - "2": { - "GXT": "G_FMF_1_2", - "Localized": "Black Marbles" - }, - "3": { - "GXT": "G_FMF_1_3", - "Localized": "Purple Marbles" - }, - "4": { - "GXT": "G_FMF_1_4", - "Localized": "Teal Marbles" - }, - "5": { - "GXT": "G_FMF_1_5", - "Localized": "Red Tint Marbles" - }, - "6": { - "GXT": "G_FMF_1_6", - "Localized": "White Marbles" - }, - "7": { - "GXT": "G_FMF_1_7", - "Localized": "Pink Tint Marbles" - } - }, - "2": { - "0": { - "GXT": "G_FMF_2_0", - "Localized": "Marble Mademoiselles" - }, - "1": { - "GXT": "G_FMF_2_1", - "Localized": "Copper Mademoiselles" - }, - "2": { - "GXT": "G_FMF_2_2", - "Localized": "Orange Tint Mademoiselles" - }, - "3": { - "GXT": "G_FMF_2_3", - "Localized": "Pink Tint Mademoiselles" - }, - "4": { - "GXT": "G_FMF_2_4", - "Localized": "Walnut Mademoiselles" - }, - "5": { - "GXT": "G_FMF_2_5", - "Localized": "Black Mademoiselles" - }, - "6": { - "GXT": "G_FMF_2_6", - "Localized": "Vintage Red Mademoiselles" - }, - "7": { - "GXT": "G_FMF_2_7", - "Localized": "Gold Mademoiselles" - } - }, - "3": { - "0": { - "GXT": "G_FMF_3_0", - "Localized": "Zebra Shields" - }, - "1": { - "GXT": "G_FMF_3_1", - "Localized": "Ombre Shields" - }, - "2": { - "GXT": "G_FMF_3_2", - "Localized": "Flame Shields" - }, - "3": { - "GXT": "G_FMF_3_3", - "Localized": "Violet Shields" - }, - "4": { - "GXT": "G_FMF_3_4", - "Localized": "Sun Shields" - }, - "5": { - "GXT": "G_FMF_3_5", - "Localized": "Silver Accent Shields" - }, - "6": { - "GXT": "G_FMF_3_6", - "Localized": "Party Shields" - }, - "7": { - "GXT": "G_FMF_3_7", - "Localized": "Gold Shields" - } - }, - "4": { - "0": { - "GXT": "G_FMF_4_0", - "Localized": "Deep Walnut Retro" - }, - "1": { - "GXT": "G_FMF_4_1", - "Localized": "Marble Retro" - }, - "2": { - "GXT": "G_FMF_4_2", - "Localized": "Beige Retro" - }, - "3": { - "GXT": "G_FMF_4_3", - "Localized": "Aqua Retro" - }, - "4": { - "GXT": "G_FMF_4_4", - "Localized": "Dice Retro" - }, - "5": { - "GXT": "G_FMF_4_5", - "Localized": "Black Retro" - }, - "6": { - "GXT": "G_FMF_4_6", - "Localized": "Toffee Retro" - }, - "7": { - "GXT": "G_FMF_4_7", - "Localized": "Red Retro" - } - }, - "6": { - "0": { - "GXT": "G_FMF_6_0", - "Localized": "Purple Tint Bugs" - } - }, - "7": { - "0": { - "GXT": "G_FMF_7_0", - "Localized": "Champagne Figure 8s" - }, - "1": { - "GXT": "G_FMF_7_1", - "Localized": "Platinum Figure 8s" - }, - "2": { - "GXT": "G_FMF_7_2", - "Localized": "Sapphire Figure 8s" - }, - "3": { - "GXT": "G_FMF_7_3", - "Localized": "Amethyst Figure 8s" - }, - "4": { - "GXT": "G_FMF_7_4", - "Localized": "Gold Figure 8s" - }, - "5": { - "GXT": "G_FMF_7_5", - "Localized": "White Figure 8s" - }, - "6": { - "GXT": "G_FMF_7_6", - "Localized": "Gray Figure 8s" - }, - "7": { - "GXT": "G_FMF_7_7", - "Localized": "Garnet Figure 8s" - } - }, - "8": { - "0": { - "GXT": "G_FMF_8_0", - "Localized": "Orange Tint Squared" - } - }, - "9": { - "0": { - "GXT": "G_FMF_9_0", - "Localized": "Lime Tint Shooters" - }, - "1": { - "GXT": "G_FMF_9_1", - "Localized": "Orange Tint Shooters" - }, - "2": { - "GXT": "G_FMF_9_2", - "Localized": "Blue Shooters" - }, - "3": { - "GXT": "G_FMF_9_3", - "Localized": "Tropic Shooters" - }, - "4": { - "GXT": "G_FMF_9_4", - "Localized": "Fly Shooters" - }, - "5": { - "GXT": "G_FMF_9_5", - "Localized": "Crimson Shooters" - }, - "6": { - "GXT": "G_FMF_9_6", - "Localized": "Green Tint Shooters" - }, - "7": { - "GXT": "G_FMF_9_7", - "Localized": "Pink Shooters" - } - }, - "10": { - "0": { - "GXT": "G_FMF_10_0", - "Localized": "Luxury Ice Sports" - }, - "1": { - "GXT": "G_FMF_10_1", - "Localized": "Black Sports" - }, - "2": { - "GXT": "G_FMF_10_2", - "Localized": "Green Sports" - }, - "3": { - "GXT": "G_FMF_10_3", - "Localized": "Luxury Cowhide Sports" - }, - "4": { - "GXT": "G_FMF_10_4", - "Localized": "Orange Sports" - }, - "5": { - "GXT": "G_FMF_10_5", - "Localized": "Black Pattern Sports" - }, - "6": { - "GXT": "G_FMF_10_6", - "Localized": "Blue Pattern Sports" - }, - "7": { - "GXT": "G_FMF_10_7", - "Localized": "Pink Pattern Sports" - } - }, - "11": { - "0": { - "GXT": "G_FMF_11_0", - "Localized": "Pewter Aviators" - }, - "1": { - "GXT": "G_FMF_11_1", - "Localized": "Steel Aviators" - }, - "2": { - "GXT": "G_FMF_11_2", - "Localized": "Bronze Aviators" - }, - "3": { - "GXT": "G_FMF_11_3", - "Localized": "Black Aviators" - }, - "4": { - "GXT": "G_FMF_11_4", - "Localized": "Neon Aviators" - }, - "5": { - "GXT": "G_FMF_11_5", - "Localized": "Copper Aviators" - }, - "6": { - "GXT": "G_FMF_11_6", - "Localized": "Gold Aviators" - }, - "7": { - "GXT": "G_FMF_11_7", - "Localized": "Slate Aviators" - } - }, - "16": { - "0": { - "GXT": "CLO_BBF_P0_0", - "Localized": "DS Brown Bugs" - }, - "1": { - "GXT": "CLO_BBF_P0_1", - "Localized": "DS Blue Tint Bugs" - }, - "2": { - "GXT": "CLO_BBF_P0_2", - "Localized": "DS Green Marble Bugs" - }, - "3": { - "GXT": "CLO_BBF_P0_3", - "Localized": "DS Teal Bugs" - }, - "4": { - "GXT": "CLO_BBF_P0_4", - "Localized": "DS White Bugs" - }, - "5": { - "GXT": "CLO_BBF_P0_5", - "Localized": "DS Pink Bugs" - }, - "6": { - "GXT": "CLO_BBF_P0_6", - "Localized": "DS Red Bugs" - } - }, - "17": { - "0": { - "GXT": "CLO_BBF_P1_0", - "Localized": "Violet au carré" - }, - "1": { - "GXT": "CLO_BBF_P1_1", - "Localized": "Bleu léopard au carré" - }, - "2": { - "GXT": "CLO_BBF_P1_2", - "Localized": "Violet au carré" - }, - "3": { - "GXT": "CLO_BBF_P1_3", - "Localized": "Bleu sarcelle au carré" - }, - "4": { - "GXT": "CLO_BBF_P1_4", - "Localized": "Beige au carré" - }, - "5": { - "GXT": "CLO_BBF_P1_5", - "Localized": "Rose au carré" - }, - "6": { - "GXT": "CLO_BBF_P1_6", - "Localized": "Blanc au carré" - } - }, - "18": { - "0": { - "GXT": "CLO_BUSF_G0_0", - "Localized": "Steel Slim Glasses" - }, - "1": { - "GXT": "CLO_BUSF_G0_1", - "Localized": "Pewter Slim Glasses" - }, - "2": { - "GXT": "CLO_BUSF_G0_2", - "Localized": "Gold Slim Glasses" - }, - "3": { - "GXT": "CLO_BUSF_G0_3", - "Localized": "Black Slim Glasses" - }, - "4": { - "GXT": "CLO_BUSF_G0_4", - "Localized": "Yellow Slim Glasses" - }, - "5": { - "GXT": "CLO_BUSF_G0_5", - "Localized": "Copper Slim Glasses" - }, - "6": { - "GXT": "CLO_BUSF_G0_6", - "Localized": "Gold Stem Slim Glasses" - }, - "7": { - "GXT": "CLO_BUSF_G0_7", - "Localized": "Silver Stem Slim Glasses" - } - }, - "19": { - "0": { - "GXT": "CLO_BUSF_G1_0", - "Localized": "Black Plastic Frames" - }, - "1": { - "GXT": "CLO_BUSF_G1_1", - "Localized": "Orange Hinge Plastic Frames" - }, - "2": { - "GXT": "CLO_BUSF_G1_2", - "Localized": "Pink Hinge Plastic Frames" - }, - "3": { - "GXT": "CLO_BUSF_G1_3", - "Localized": "Marbled Plastic Frames" - }, - "4": { - "GXT": "CLO_BUSF_G1_4", - "Localized": "Latte Plastic Frames" - }, - "5": { - "GXT": "CLO_BUSF_G1_5", - "Localized": "Vixen Plastic Frames" - }, - "6": { - "GXT": "CLO_BUSF_G1_6", - "Localized": "Sunshine Plastic Frames" - }, - "7": { - "GXT": "CLO_BUSF_G1_7", - "Localized": "Eccentric Plastic Frames" - } - }, - "24": { - "0": { - "GXT": "CLO_L2F_G_0_0", - "Localized": "Black Casuals" - }, - "1": { - "GXT": "CLO_L2F_G_0_1", - "Localized": "Zap Casuals" - }, - "2": { - "GXT": "CLO_L2F_G_0_2", - "Localized": "Tortoiseshell Casuals" - }, - "3": { - "GXT": "CLO_L2F_G_0_3", - "Localized": "Red Casuals" - }, - "4": { - "GXT": "CLO_L2F_G_0_4", - "Localized": "White Casuals" - }, - "5": { - "GXT": "CLO_L2F_G_0_5", - "Localized": "Camo Collection Casuals" - }, - "6": { - "GXT": "CLO_L2F_G_0_6", - "Localized": "Lemon Casuals" - }, - "7": { - "GXT": "CLO_L2F_G_0_7", - "Localized": "Blood Casuals" - } - }, - "25": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir vertes" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir oranges" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir violettes" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir roses" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir rouges sombre" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir bleues" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir gris" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir cendres" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir blanches" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Lunettes de tir noires" - } - }, - "30": { - "0": { - "GXT": "CLO_VWF_PEY_0_0", - "Localized": "Dot Fade Aviators" - }, - "1": { - "GXT": "CLO_VWF_PEY_0_1", - "Localized": "Orange Fade Tint Aviators" - }, - "2": { - "GXT": "CLO_VWF_PEY_0_2", - "Localized": "Walnut Aviators" - }, - "3": { - "GXT": "CLO_VWF_PEY_0_3", - "Localized": "Horizon Aviators" - }, - "4": { - "GXT": "CLO_VWF_PEY_0_4", - "Localized": "Purple Vine Aviators" - }, - "5": { - "GXT": "CLO_VWF_PEY_0_5", - "Localized": "Herringbone Aviators" - }, - "6": { - "GXT": "CLO_VWF_PEY_0_6", - "Localized": "Gold Tint Aviators" - }, - "7": { - "GXT": "CLO_VWF_PEY_0_7", - "Localized": "Magenta Tint Aviators" - }, - "8": { - "GXT": "CLO_VWF_PEY_0_8", - "Localized": "Electric Blue Tint Aviators" - }, - "9": { - "GXT": "CLO_VWF_PEY_0_9", - "Localized": "Blue Argyle Aviators" - }, - "10": { - "GXT": "CLO_VWF_PEY_010", - "Localized": "Black Rim Tint Aviators" - }, - "11": { - "GXT": "CLO_VWF_PEY_011", - "Localized": "White Rim Tint Aviators" - } - }, - "31": { - "0": { - "GXT": "CLO_VWF_PEY_1_0", - "Localized": "Black Deep Shades" - }, - "1": { - "GXT": "CLO_VWF_PEY_1_1", - "Localized": "Two Tone Deep Shades" - }, - "2": { - "GXT": "CLO_VWF_PEY_1_2", - "Localized": "White Deep Shades" - }, - "3": { - "GXT": "CLO_VWF_PEY_1_3", - "Localized": "Red Deep Shades" - }, - "4": { - "GXT": "CLO_VWF_PEY_1_4", - "Localized": "Aqua Deep Shades" - }, - "5": { - "GXT": "CLO_VWF_PEY_1_5", - "Localized": "Green Deep Shades" - }, - "6": { - "GXT": "CLO_VWF_PEY_1_6", - "Localized": "Green Urban Deep Shades" - }, - "7": { - "GXT": "CLO_VWF_PEY_1_7", - "Localized": "Pink Urban Deep Shades" - }, - "8": { - "GXT": "CLO_VWF_PEY_1_8", - "Localized": "Digital Deep Shades" - }, - "9": { - "GXT": "CLO_VWF_PEY_1_9", - "Localized": "Splinter Deep Shades" - }, - "10": { - "GXT": "CLO_VWF_PEY_110", - "Localized": "Zebra Deep Shades" - }, - "11": { - "GXT": "CLO_VWF_PEY_111", - "Localized": "Houndstooth Deep Shades" - }, - "12": { - "GXT": "CLO_VWF_PEY_112", - "Localized": "Mute Deep Shades" - }, - "13": { - "GXT": "CLO_VWF_PEY_113", - "Localized": "Sunrise Deep Shades" - }, - "14": { - "GXT": "CLO_VWF_PEY_114", - "Localized": "Striped Deep Shades" - }, - "15": { - "GXT": "CLO_VWF_PEY_115", - "Localized": "Mono Deep Shades" - }, - "16": { - "GXT": "CLO_VWF_PEY_116", - "Localized": "Black Fame or Shame Shades" - }, - "17": { - "GXT": "CLO_VWF_PEY_117", - "Localized": "Red Fame or Shame Shades" - }, - "18": { - "GXT": "CLO_VWF_PEY_118", - "Localized": "Blue Fame or Shame Shades" - }, - "19": { - "GXT": "CLO_VWF_PEY_119", - "Localized": "White Fame or Shame Shades" - } - }, - "33": { - "0": { - "GXT": "CLO_H4F_PEY_1_0", - "Localized": "Midnight Tint Oversize Shades" - }, - "1": { - "GXT": "CLO_H4F_PEY_1_1", - "Localized": "Sunset Tint Oversize Shades" - }, - "2": { - "GXT": "CLO_H4F_PEY_1_2", - "Localized": "Black Tint Oversize Shades" - }, - "3": { - "GXT": "CLO_H4F_PEY_1_3", - "Localized": "Blue Tint Oversize Shades" - }, - "4": { - "GXT": "CLO_H4F_PEY_1_4", - "Localized": "Gold Tint Oversize Shades" - }, - "5": { - "GXT": "CLO_H4F_PEY_1_5", - "Localized": "Green Tint Oversize Shades" - }, - "6": { - "GXT": "CLO_H4F_PEY_1_6", - "Localized": "Orange Tint Oversize Shades" - }, - "7": { - "GXT": "CLO_H4F_PEY_1_7", - "Localized": "Red Tint Oversize Shades" - }, - "8": { - "GXT": "CLO_H4F_PEY_1_8", - "Localized": "Pink Tint Oversize Shades" - }, - "9": { - "GXT": "CLO_H4F_PEY_1_9", - "Localized": "Yellow Tint Oversize Shades" - }, - "10": { - "GXT": "CLO_H4F_PEY_110", - "Localized": "Lemon Tint Oversize Shades" - }, - "11": { - "GXT": "CLO_H4F_PEY_111", - "Localized": "Gold Rimmed Oversize Shades" - } - }, - "34": { - "6": { - "GXT": "CLO_H4F_PEY_2_6", - "Localized": "Pink Tinted Round Shades" - }, - "7": { - "GXT": "CLO_H4F_PEY_2_7", - "Localized": "Blue Tinted Round Shades" - }, - "10": { - "GXT": "CLO_H4F_PEY_210", - "Localized": "Orange Checked Round Shades" - }, - "11": { - "GXT": "CLO_H4F_PEY_211", - "Localized": "Green Tinted Round Shades" - } - }, - "35": { - "6": { - "GXT": "CLO_H4F_PEY_3_6", - "Localized": "Pink Tinted Square Shades" - }, - "7": { - "GXT": "CLO_H4F_PEY_3_7", - "Localized": "Blue Tinted Square Shades" - }, - "10": { - "GXT": "CLO_H4F_PEY_310", - "Localized": "All White Square Shades" - }, - "11": { - "GXT": "CLO_H4F_PEY_311", - "Localized": "Mono Square Shades" - } - } - }, - "Lunettes de vue": { - "0": { - "8": { - "GXT": "CLO_EXF_G_0_8", - "Localized": "Shell Sports Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_0_9", - "Localized": "Black Sports Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_0_10", - "Localized": "White Sports Glasses" - } - }, - "1": { - "8": { - "GXT": "CLO_EXF_G_1_8", - "Localized": "Shell Marble Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_1_9", - "Localized": "Black Marble Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_1_10", - "Localized": "White Marble Glasses" - } - }, - "2": { - "8": { - "GXT": "CLO_EXF_G_2_8", - "Localized": "Shell Mademoiselle Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_2_9", - "Localized": "Black Mademoiselle Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_2_10", - "Localized": "White Mademoiselle Glasses" - } - }, - "3": { - "8": { - "GXT": "CLO_EXF_G_3_8", - "Localized": "Shell Shield Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_3_9", - "Localized": "Black Shield Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_3_10", - "Localized": "White Shield Glasses" - } - }, - "4": { - "8": { - "GXT": "CLO_EXF_G_4_8", - "Localized": "Shell Retro Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_4_9", - "Localized": "Black Retro Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_4_10", - "Localized": "White Retro Glasses" - } - }, - "6": { - "8": { - "GXT": "CLO_EXF_G_6_8", - "Localized": "Shell Bug Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_6_9", - "Localized": "Black Bug Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_6_10", - "Localized": "White Bug Glasses" - } - }, - "7": { - "8": { - "GXT": "CLO_EXF_G_7_8", - "Localized": "Shell Figure 8 Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_7_9", - "Localized": "Black Figure 8 Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_7_10", - "Localized": "White Figure 8 Glasses" - } - }, - "8": { - "8": { - "GXT": "CLO_EXF_G_8_8", - "Localized": "Shell Squared Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_8_9", - "Localized": "Black Squared Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_8_10", - "Localized": "White Squared Glasses" - } - }, - "9": { - "8": { - "GXT": "CLO_EXF_G_9_8", - "Localized": "Shell Shooter Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_9_9", - "Localized": "Black Shooter Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_9_10", - "Localized": "White Shooter Glasses" - } - }, - "10": { - "8": { - "GXT": "CLO_EXF_G_10_8", - "Localized": "Shell HS Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_10_9", - "Localized": "Black HS Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_10_10", - "Localized": "White HS Glasses" - } - }, - "14": { - "0": { - "GXT": "G_FMF_14_0", - "Localized": "Black Cat Eyes" - }, - "1": { - "GXT": "G_FMF_14_1", - "Localized": "Brown Marble Cat Eyes" - }, - "2": { - "GXT": "G_FMF_14_2", - "Localized": "Pink Cat Eyes" - }, - "3": { - "GXT": "G_FMF_14_3", - "Localized": "Green Marble Cat Eyes" - }, - "4": { - "GXT": "G_FMF_14_4", - "Localized": "Red Cat Eyes" - }, - "5": { - "GXT": "G_FMF_14_5", - "Localized": "Teal Cat Eyes" - }, - "6": { - "GXT": "G_FMF_14_6", - "Localized": "Purple Cat Eyes" - }, - "7": { - "GXT": "G_FMF_14_7", - "Localized": "Blue Cat Eyes" - }, - "8": { - "GXT": "CLO_EXF_G_14_8", - "Localized": "Shell Cat Eye Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_14_9", - "Localized": "Black Cat Eye Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_14_10", - "Localized": "White Cat Eye Glasses" - } - }, - "16": { - "7": { - "GXT": "NO_LABEL", - "Localized": "DS Ambre" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "DS Noir" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "DS Blanc" - } - }, - "17": { - "7": { - "GXT": "NO_LABEL", - "Localized": "Ambre au carré" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Noir au carré" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Blanc au carré" - } - }, - "19": { - "8": { - "GXT": "CLO_EXF_G_19_8", - "Localized": "Shell Plastic Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_19_9", - "Localized": "Black Plastic Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_19_10", - "Localized": "White Plastic Glasses" - } - }, - "20": { - "0": { - "GXT": "CLO_HP_F_G_0_0", - "Localized": "Black Retro Classics" - }, - "1": { - "GXT": "CLO_HP_F_G_0_1", - "Localized": "Two-Tone Retro Classics" - }, - "2": { - "GXT": "CLO_HP_F_G_0_2", - "Localized": "Red Marble Retro Classics" - }, - "3": { - "GXT": "CLO_HP_F_G_0_3", - "Localized": "Multicolored Retro Classics" - }, - "4": { - "GXT": "CLO_HP_F_G_0_4", - "Localized": "Peach Retro Classics" - }, - "5": { - "GXT": "CLO_HP_F_G_0_5", - "Localized": "Baby Blue Retro Classics" - }, - "6": { - "GXT": "CLO_HP_F_G_0_6", - "Localized": "Red Retro Classics" - }, - "7": { - "GXT": "CLO_HP_F_G_0_7", - "Localized": "Lime Retro Classics" - } - }, - "21": { - "0": { - "GXT": "CLO_HP_F_G_1_0", - "Localized": "Black Hipsters" - }, - "1": { - "GXT": "CLO_HP_F_G_1_1", - "Localized": "Blue Hipsters" - }, - "2": { - "GXT": "CLO_HP_F_G_1_2", - "Localized": "Marble Hipsters" - }, - "3": { - "GXT": "CLO_HP_F_G_1_3", - "Localized": "Dipped Hipsters" - }, - "4": { - "GXT": "CLO_HP_F_G_1_4", - "Localized": "Red Hipsters" - }, - "5": { - "GXT": "CLO_HP_F_G_1_5", - "Localized": "Orange Hipsters" - }, - "6": { - "GXT": "CLO_HP_F_G_1_6", - "Localized": "Hot Pink Hipsters" - }, - "7": { - "GXT": "CLO_HP_F_G_1_7", - "Localized": "Brown Hipsters" - } - }, - "24": { - "8": { - "GXT": "CLO_EXF_G_24_8", - "Localized": "Shell Casual Glasses" - }, - "9": { - "GXT": "CLO_EXF_G_24_9", - "Localized": "Black Casual Glasses" - }, - "10": { - "GXT": "CLO_EXF_G_24_10", - "Localized": "White Casual Glasses" - } - }, - "34": { - "0": { - "GXT": "CLO_H4F_PEY_2_0", - "Localized": "White Checked Round Shades" - }, - "1": { - "GXT": "CLO_H4F_PEY_2_1", - "Localized": "Pink Checked Round Shades" - }, - "2": { - "GXT": "CLO_H4F_PEY_2_2", - "Localized": "Yellow Checked Round Shades" - }, - "3": { - "GXT": "CLO_H4F_PEY_2_3", - "Localized": "Red Checked Round Shades" - }, - "4": { - "GXT": "CLO_H4F_PEY_2_4", - "Localized": "White Round Shades" - }, - "5": { - "GXT": "CLO_H4F_PEY_2_5", - "Localized": "Black Round Shades" - }, - "8": { - "GXT": "CLO_H4F_PEY_2_8", - "Localized": "Green Checked Round Shades" - }, - "9": { - "GXT": "CLO_H4F_PEY_2_9", - "Localized": "Blue Checked Round Shades" - } - }, - "35": { - "0": { - "GXT": "CLO_H4F_PEY_3_0", - "Localized": "Brown Square Shades" - }, - "1": { - "GXT": "CLO_H4F_PEY_3_1", - "Localized": "Yellow Square Shades" - }, - "2": { - "GXT": "CLO_H4F_PEY_3_2", - "Localized": "Black Square Shades" - }, - "3": { - "GXT": "CLO_H4F_PEY_3_3", - "Localized": "Tortoiseshell Square Shades" - }, - "4": { - "GXT": "CLO_H4F_PEY_3_4", - "Localized": "Green Square Shades" - }, - "5": { - "GXT": "CLO_H4F_PEY_3_5", - "Localized": "Red Square Shades" - }, - "8": { - "GXT": "CLO_H4F_PEY_3_8", - "Localized": "White Square Shades" - }, - "9": { - "GXT": "CLO_H4F_PEY_3_9", - "Localized": "Pink Square Shades" - } - }, - "36": { - "0": { - "GXT": "CLO_FXF_PE_0_0", - "Localized": "Black Round" - }, - "1": { - "GXT": "CLO_FXF_PE_0_1", - "Localized": "Silver Round" - }, - "2": { - "GXT": "CLO_FXF_PE_0_2", - "Localized": "Gold Round" - }, - "3": { - "GXT": "CLO_FXF_PE_0_3", - "Localized": "Rose Round" - }, - "4": { - "GXT": "CLO_FXF_PE_0_4", - "Localized": "Tortoiseshell Round" - }, - "5": { - "GXT": "CLO_FXF_PE_0_5", - "Localized": "Gold Framed Round" - }, - "6": { - "GXT": "CLO_FXF_PE_0_6", - "Localized": "Blue Framed Round" - }, - "7": { - "GXT": "CLO_FXF_PE_0_7", - "Localized": "Tortoiseshell & Silver Round" - }, - "8": { - "GXT": "CLO_FXF_PE_0_8", - "Localized": "Tortoiseshell & Gold Round" - }, - "9": { - "GXT": "CLO_FXF_PE_0_9", - "Localized": "Gray Tortoiseshell Round" - }, - "10": { - "GXT": "CLO_FXF_PE_0_10", - "Localized": "Gold Swirl Round" - }, - "11": { - "GXT": "CLO_FXF_PE_0_11", - "Localized": "Gold Fade Round" - } - }, - "37": { - "0": { - "GXT": "CLO_FXF_PE_1_0", - "Localized": "Black Square" - }, - "1": { - "GXT": "CLO_FXF_PE_1_1", - "Localized": "Silver Square" - }, - "2": { - "GXT": "CLO_FXF_PE_1_2", - "Localized": "Gold Square" - }, - "3": { - "GXT": "CLO_FXF_PE_1_3", - "Localized": "Rose Square" - }, - "4": { - "GXT": "CLO_FXF_PE_1_4", - "Localized": "Black & Red Square" - }, - "5": { - "GXT": "CLO_FXF_PE_1_5", - "Localized": "Black & Brown Square" - }, - "6": { - "GXT": "CLO_FXF_PE_1_6", - "Localized": "Black & Blue Square" - }, - "7": { - "GXT": "CLO_FXF_PE_1_7", - "Localized": "Tortoiseshell & Brown Square" - }, - "8": { - "GXT": "CLO_FXF_PE_1_8", - "Localized": "Gold & Tortoiseshell Square" - }, - "9": { - "GXT": "CLO_FXF_PE_1_9", - "Localized": "Gray Tortoiseshell Square" - }, - "10": { - "GXT": "CLO_FXF_PE_1_10", - "Localized": "Tortoiseshell Square" - }, - "11": { - "GXT": "CLO_FXF_PE_1_11", - "Localized": "Pink & Black Square" - } - }, - "38": { - "0": { - "GXT": "CLO_FXF_PE_2_0", - "Localized": "Black Cat Eye" - }, - "1": { - "GXT": "CLO_FXF_PE_2_1", - "Localized": "Silver Cat Eye" - }, - "2": { - "GXT": "CLO_FXF_PE_2_2", - "Localized": "Gold Cat Eye" - }, - "3": { - "GXT": "CLO_FXF_PE_2_3", - "Localized": "Tortoiseshell Cat Eye" - }, - "4": { - "GXT": "CLO_FXF_PE_2_4", - "Localized": "Black & Green Cat Eye" - }, - "5": { - "GXT": "CLO_FXF_PE_2_5", - "Localized": "Dark Tortoiseshell Cat Eye" - }, - "6": { - "GXT": "CLO_FXF_PE_2_6", - "Localized": "Black & Teal Cat Eye" - }, - "7": { - "GXT": "CLO_FXF_PE_2_7", - "Localized": "Black & Red Cat Eye" - }, - "8": { - "GXT": "CLO_FXF_PE_2_8", - "Localized": "Gold & Black Cat Eye" - }, - "9": { - "GXT": "CLO_FXF_PE_2_9", - "Localized": "Navy Cat Eye" - }, - "10": { - "GXT": "CLO_FXF_PE_2_10", - "Localized": "Pink & Black Cat Eye" - }, - "11": { - "GXT": "CLO_FXF_PE_2_11", - "Localized": "Gold Tortoiseshell Cat Eye" - } - }, - "39": { - "0": { - "GXT": "CLO_FXF_PE_3_0", - "Localized": "Black Rectangular" - }, - "1": { - "GXT": "CLO_FXF_PE_3_1", - "Localized": "Silver Rectangular" - }, - "2": { - "GXT": "CLO_FXF_PE_3_2", - "Localized": "Gold Rectangular" - }, - "3": { - "GXT": "CLO_FXF_PE_3_3", - "Localized": "Light Tortoiseshell Rectangular" - }, - "4": { - "GXT": "CLO_FXF_PE_3_4", - "Localized": "Claret Tortoiseshell Rectangular" - }, - "5": { - "GXT": "CLO_FXF_PE_3_5", - "Localized": "Blue Rectangular" - }, - "6": { - "GXT": "CLO_FXF_PE_3_6", - "Localized": "Gray & Red Rectangular" - }, - "7": { - "GXT": "CLO_FXF_PE_3_7", - "Localized": "Teal Fade Rectangular" - }, - "8": { - "GXT": "CLO_FXF_PE_3_8", - "Localized": "Yellow Rectangular" - }, - "9": { - "GXT": "CLO_FXF_PE_3_9", - "Localized": "Green Rectangular" - }, - "10": { - "GXT": "CLO_FXF_PE_3_10", - "Localized": "Red Fade Rectangular" - }, - "11": { - "GXT": "CLO_FXF_PE_3_11", - "Localized": "Dark Tortoiseshell Rectangular" - } - }, - "40": { - "0": { - "GXT": "CLO_FXF_PE_4_0", - "Localized": "Black Ergonomic" - }, - "1": { - "GXT": "CLO_FXF_PE_4_1", - "Localized": "Silver Ergonomic" - }, - "2": { - "GXT": "CLO_FXF_PE_4_2", - "Localized": "Gold Ergonomic" - }, - "3": { - "GXT": "CLO_FXF_PE_4_3", - "Localized": "Tortoiseshell Ergonomic" - }, - "4": { - "GXT": "CLO_FXF_PE_4_4", - "Localized": "Green Ergonomic" - }, - "5": { - "GXT": "CLO_FXF_PE_4_5", - "Localized": "Dark Tortoiseshell Ergonomic" - }, - "6": { - "GXT": "CLO_FXF_PE_4_6", - "Localized": "Teal Ergonomic" - }, - "7": { - "GXT": "CLO_FXF_PE_4_7", - "Localized": "Red Ergonomic" - }, - "8": { - "GXT": "CLO_FXF_PE_4_8", - "Localized": "Gold & Black Ergonomic" - }, - "9": { - "GXT": "CLO_FXF_PE_4_9", - "Localized": "Blue Ergonomic" - }, - "10": { - "GXT": "CLO_FXF_PE_4_10", - "Localized": "Pink Ergonomic" - }, - "11": { - "GXT": "CLO_FXF_PE_4_11", - "Localized": "Tiger Ergonomic" - } - }, - "41": { - "0": { - "GXT": "CLO_FXF_PE_5_0", - "Localized": "Black Retro Round" - }, - "1": { - "GXT": "CLO_FXF_PE_5_1", - "Localized": "Silver Retro Round" - }, - "2": { - "GXT": "CLO_FXF_PE_5_2", - "Localized": "Gold Retro Round" - }, - "3": { - "GXT": "CLO_FXF_PE_5_3", - "Localized": "Rose Retro Round" - }, - "4": { - "GXT": "CLO_FXF_PE_5_4", - "Localized": "Black & Pink Retro Round" - }, - "5": { - "GXT": "CLO_FXF_PE_5_5", - "Localized": "Black & Brown Retro Round" - }, - "6": { - "GXT": "CLO_FXF_PE_5_6", - "Localized": "Black & Navy Retro Round" - }, - "7": { - "GXT": "CLO_FXF_PE_5_7", - "Localized": "Tortoiseshell Rim Retro Round" - }, - "8": { - "GXT": "CLO_FXF_PE_5_8", - "Localized": "Gold & Tortoiseshell Retro Round" - }, - "9": { - "GXT": "CLO_FXF_PE_5_9", - "Localized": "Black Tortoiseshell Retro Round" - }, - "10": { - "GXT": "CLO_FXF_PE_5_10", - "Localized": "Tortoiseshell Retro Round" - }, - "11": { - "GXT": "CLO_FXF_PE_5_11", - "Localized": "Gold & Black Retro Round" - } - } - }, - "Lunettes de fête": { - "22": { - "0": { - "GXT": "CLO_INDF_G_0_0", - "Localized": "Star Frame Shades" - } - }, - "23": { - "0": { - "GXT": "CLO_INDF_G_1_0", - "Localized": "Star Spangled Shades" - } - }, - "26": { - "0": { - "GXT": "CLO_BIF_PE_0_0", - "Localized": "Tan Outlaw Goggles" - }, - "1": { - "GXT": "CLO_BIF_PE_0_1", - "Localized": "Black Outlaw Goggles" - }, - "2": { - "GXT": "CLO_BIF_PE_0_2", - "Localized": "Mono Outlaw Goggles" - }, - "3": { - "GXT": "CLO_BIF_PE_0_3", - "Localized": "Ox Blood Outlaw Goggles" - }, - "4": { - "GXT": "CLO_BIF_PE_0_4", - "Localized": "Blue Outlaw Goggles" - }, - "5": { - "GXT": "CLO_BIF_PE_0_5", - "Localized": "Beige Outlaw Goggles" - } - }, - "27": { - "0": { - "GXT": "CLO_BIF_PE_1_0", - "Localized": "Tropical Urban Ski" - }, - "1": { - "GXT": "CLO_BIF_PE_1_1", - "Localized": "Yellow Urban Ski" - }, - "2": { - "GXT": "CLO_BIF_PE_1_2", - "Localized": "Green Urban Ski" - }, - "3": { - "GXT": "CLO_BIF_PE_1_3", - "Localized": "Dusk Urban Ski" - }, - "4": { - "GXT": "CLO_BIF_PE_1_4", - "Localized": "Grayscale Urban Ski" - }, - "5": { - "GXT": "CLO_BIF_PE_1_5", - "Localized": "Pink Urban Ski" - }, - "6": { - "GXT": "CLO_BIF_PE_1_6", - "Localized": "Orange Urban Ski" - }, - "7": { - "GXT": "CLO_BIF_PE_1_7", - "Localized": "Brown Urban Ski" - } - }, - "32": { - "0": { - "GXT": "CLO_H4F_PEY_0_0", - "Localized": "Blue & Pink Glow Shades" - }, - "1": { - "GXT": "CLO_H4F_PEY_0_1", - "Localized": "Red Glow Shades" - }, - "2": { - "GXT": "CLO_H4F_PEY_0_2", - "Localized": "Orange Glow Shades" - }, - "3": { - "GXT": "CLO_H4F_PEY_0_3", - "Localized": "Yellow Glow Shades" - }, - "4": { - "GXT": "CLO_H4F_PEY_0_4", - "Localized": "Green Glow Shades" - }, - "5": { - "GXT": "CLO_H4F_PEY_0_5", - "Localized": "Blue Glow Shades" - }, - "6": { - "GXT": "CLO_H4F_PEY_0_6", - "Localized": "Pink Glow Shades" - }, - "7": { - "GXT": "CLO_H4F_PEY_0_7", - "Localized": "Blue & Magenta Glow Shades" - }, - "8": { - "GXT": "CLO_H4F_PEY_0_8", - "Localized": "Purple & Yellow Glow Shades" - }, - "9": { - "GXT": "CLO_H4F_PEY_0_9", - "Localized": "Blue & Yellow Glow Shades" - }, - "10": { - "GXT": "CLO_H4F_PEY_010", - "Localized": "Pink & Yellow Glow Shades" - }, - "11": { - "GXT": "CLO_H4F_PEY_011", - "Localized": "Red & Yellow Glow Shades" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_female_hats.json b/resources/[soz]/soz-shops/config/datasource/props_female_hats.json deleted file mode 100644 index 412bfd25b4..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_female_hats.json +++ /dev/null @@ -1,4018 +0,0 @@ -[ - { - "Bandanas": { - "82": { - "0": { - "GXT": "CLO_BIF_PH_0_0", - "Localized": "Black Tied" - }, - "1": { - "GXT": "CLO_BIF_PH_0_1", - "Localized": "Uptown Riders Tied" - }, - "2": { - "GXT": "CLO_BIF_PH_0_2", - "Localized": "Ride Free Tied" - }, - "3": { - "GXT": "CLO_BIF_PH_0_3", - "Localized": "Ace of Spades Tied" - }, - "4": { - "GXT": "CLO_BIF_PH_0_4", - "Localized": "Skull and Snake Tied" - }, - "5": { - "GXT": "CLO_BIF_PH_0_5", - "Localized": "Ox and Hatchets Tied" - }, - "6": { - "GXT": "CLO_BIF_PH_0_6", - "Localized": "Stars and Stripes Tied" - } - } - }, - "Bérets": { - "6": { - "0": { - "GXT": "HT_FMF_6_0", - "Localized": "Black Military Cap" - }, - "1": { - "GXT": "HT_FMF_6_1", - "Localized": "Green Military Cap" - }, - "2": { - "GXT": "HT_FMF_6_2", - "Localized": "Leopard Military Cap" - }, - "3": { - "GXT": "HT_FMF_6_3", - "Localized": "Tan Military Cap" - }, - "4": { - "GXT": "HT_FMF_6_4", - "Localized": "Denim Military Cap" - }, - "5": { - "GXT": "HT_FMF_6_5", - "Localized": "Field Camo Military Cap" - }, - "6": { - "GXT": "HT_FMF_6_6", - "Localized": "Desert Camo Military Cap" - }, - "7": { - "GXT": "HT_FMF_6_7", - "Localized": "Woodland Camo Military Cap" - } - }, - "7": { - "0": { - "GXT": "HT_FMF_7_0", - "Localized": "Navy Flat Cap" - }, - "1": { - "GXT": "HT_FMF_7_1", - "Localized": "White Flat Cap" - }, - "2": { - "GXT": "HT_FMF_7_2", - "Localized": "Gray Plaid Flat Cap" - }, - "3": { - "GXT": "HT_FMF_7_3", - "Localized": "Brown Plaid Flat Cap" - }, - "4": { - "GXT": "HT_FMF_7_4", - "Localized": "Red Flat Cap" - }, - "5": { - "GXT": "HT_FMF_7_5", - "Localized": "Pink Flat Cap" - }, - "6": { - "GXT": "HT_FMF_7_6", - "Localized": "Green Plaid Flat Cap" - }, - "7": { - "GXT": "HT_FMF_7_7", - "Localized": "Fruity Plaid Flat Cap" - } - }, - "14": { - "0": { - "GXT": "HT_FMF_14_0", - "Localized": "Black Beret" - }, - "1": { - "GXT": "HT_FMF_14_1", - "Localized": "Cherry Beret" - }, - "2": { - "GXT": "HT_FMF_14_2", - "Localized": "Purple Beret" - }, - "3": { - "GXT": "HT_FMF_14_3", - "Localized": "White Beret" - }, - "4": { - "GXT": "HT_FMF_14_4", - "Localized": "Gray Beret" - }, - "5": { - "GXT": "HT_FMF_14_5", - "Localized": "Navy Beret" - }, - "6": { - "GXT": "HT_FMF_14_6", - "Localized": "Tan Beret" - }, - "7": { - "GXT": "HT_FMF_14_7", - "Localized": "Magenta Beret" - } - }, - "105": { - "0": { - "GXT": "CLO_GRF_PH_3_0", - "Localized": "Blue Digital Beret" - }, - "1": { - "GXT": "CLO_GRF_PH_3_1", - "Localized": "Brown Digital Beret" - }, - "2": { - "GXT": "CLO_GRF_PH_3_2", - "Localized": "Green Digital Beret" - }, - "3": { - "GXT": "CLO_GRF_PH_3_3", - "Localized": "Gray Digital Beret" - }, - "4": { - "GXT": "CLO_GRF_PH_3_4", - "Localized": "Peach Digital Beret" - }, - "5": { - "GXT": "CLO_GRF_PH_3_5", - "Localized": "Fall Beret" - }, - "6": { - "GXT": "CLO_GRF_PH_3_6", - "Localized": "Dark Woodland Beret" - }, - "7": { - "GXT": "CLO_GRF_PH_3_7", - "Localized": "Crosshatch Beret" - }, - "8": { - "GXT": "CLO_GRF_PH_3_8", - "Localized": "Moss Digital Beret" - }, - "9": { - "GXT": "CLO_GRF_PH_3_9", - "Localized": "Gray Woodland Beret" - }, - "10": { - "GXT": "CLO_GRF_PH_3_10", - "Localized": "Aqua Camo Beret" - }, - "11": { - "GXT": "CLO_GRF_PH_3_11", - "Localized": "Splinter Beret" - }, - "12": { - "GXT": "CLO_GRF_PH_3_12", - "Localized": "Contrast Camo Beret" - }, - "13": { - "GXT": "CLO_GRF_PH_3_13", - "Localized": "Cobble Beret" - }, - "14": { - "GXT": "CLO_GRF_PH_3_14", - "Localized": "Peach Camo Beret" - }, - "15": { - "GXT": "CLO_GRF_PH_3_15", - "Localized": "Brushstroke Beret" - }, - "16": { - "GXT": "CLO_GRF_PH_3_16", - "Localized": "Flecktarn Beret" - }, - "17": { - "GXT": "CLO_GRF_PH_3_17", - "Localized": "Light Woodland Beret" - }, - "18": { - "GXT": "CLO_GRF_PH_3_18", - "Localized": "Moss Beret" - }, - "19": { - "GXT": "CLO_GRF_PH_3_19", - "Localized": "Sand Beret" - }, - "20": { - "GXT": "CLO_GRF_PH_3_20", - "Localized": "Midnight Beret" - }, - "21": { - "GXT": "CLO_GRF_PH_3_21", - "Localized": "Slate Beret" - }, - "22": { - "GXT": "CLO_GRF_PH_3_22", - "Localized": "Ice Beret" - }, - "23": { - "GXT": "CLO_GRF_PH_3_23", - "Localized": "Chocolate Beret" - }, - "24": { - "GXT": "CLO_GRF_PH_3_24", - "Localized": "Olive Beret" - }, - "25": { - "GXT": "CLO_GRF_PH_3_25", - "Localized": "Light Brown Beret" - } - } - }, - "Bobs": { - "3": { - "7": { - "GXT": "HT_FMF_3_7", - "Localized": "Gray Plaid Canvas Hat" - } - }, - "21": { - "0": { - "GXT": "CLO_BBF_P3_0", - "Localized": "CaCa Pink Canvas Hat" - }, - "1": { - "GXT": "CLO_BBF_P3_1", - "Localized": "Crevis Blue Canvas Hat" - }, - "2": { - "GXT": "CLO_BBF_P3_2", - "Localized": "Tan Canvas Hat" - }, - "3": { - "GXT": "CLO_BBF_P3_3", - "Localized": "Red Canvas Hat" - }, - "4": { - "GXT": "CLO_BBF_P3_4", - "Localized": "Hawaiian Snow Yellow Canvas" - }, - "5": { - "GXT": "CLO_BBF_P3_5", - "Localized": "Hawaiian Snow Blue Canvas" - }, - "6": { - "GXT": "CLO_BBF_P3_6", - "Localized": "Hawaiian Snow Spotted Canvas" - } - }, - "93": { - "0": { - "GXT": "CLO_BIF_PH_11_0", - "Localized": "Cream Mod Canvas" - }, - "1": { - "GXT": "CLO_BIF_PH_11_1", - "Localized": "Red Mod Canvas" - }, - "2": { - "GXT": "CLO_BIF_PH_11_2", - "Localized": "Blue Mod Canvas" - }, - "3": { - "GXT": "CLO_BIF_PH_11_3", - "Localized": "Cyan Mod Canvas" - }, - "4": { - "GXT": "CLO_BIF_PH_11_4", - "Localized": "White Mod Canvas" - }, - "5": { - "GXT": "CLO_BIF_PH_11_5", - "Localized": "Ash Mod Canvas" - }, - "6": { - "GXT": "CLO_BIF_PH_11_6", - "Localized": "Navy Mod Canvas" - }, - "7": { - "GXT": "CLO_BIF_PH_11_7", - "Localized": "Dark Red Mod Canvas" - }, - "8": { - "GXT": "CLO_BIF_PH_11_8", - "Localized": "Slate Mod Canvas" - }, - "9": { - "GXT": "CLO_BIF_PH_11_9", - "Localized": "Moss Mod Canvas" - } - }, - "103": { - "0": { - "GXT": "CLO_GRF_PH_1_0", - "Localized": "Blue Digital Boonie Down" - }, - "1": { - "GXT": "CLO_GRF_PH_1_1", - "Localized": "Brown Digital Boonie Down" - }, - "2": { - "GXT": "CLO_GRF_PH_1_2", - "Localized": "Green Digital Boonie Down" - }, - "3": { - "GXT": "CLO_GRF_PH_1_3", - "Localized": "Gray Digital Boonie Down" - }, - "4": { - "GXT": "CLO_GRF_PH_1_4", - "Localized": "Peach Digital Boonie Down" - }, - "5": { - "GXT": "CLO_GRF_PH_1_5", - "Localized": "Fall Boonie Down" - }, - "6": { - "GXT": "CLO_GRF_PH_1_6", - "Localized": "Dark Woodland Boonie Down" - }, - "7": { - "GXT": "CLO_GRF_PH_1_7", - "Localized": "Crosshatch Boonie Down" - }, - "8": { - "GXT": "CLO_GRF_PH_1_8", - "Localized": "Moss Digital Boonie Down" - }, - "9": { - "GXT": "CLO_GRF_PH_1_9", - "Localized": "Gray Woodland Boonie Down" - }, - "10": { - "GXT": "CLO_GRF_PH_1_10", - "Localized": "Aqua Camo Boonie Down" - }, - "11": { - "GXT": "CLO_GRF_PH_1_11", - "Localized": "Splinter Boonie Down" - }, - "12": { - "GXT": "CLO_GRF_PH_1_12", - "Localized": "Contrast Camo Boonie Down" - }, - "13": { - "GXT": "CLO_GRF_PH_1_13", - "Localized": "Cobble Boonie Down" - }, - "14": { - "GXT": "CLO_GRF_PH_1_14", - "Localized": "Peach Camo Boonie Down" - }, - "15": { - "GXT": "CLO_GRF_PH_1_15", - "Localized": "Brushstroke Boonie Down" - }, - "16": { - "GXT": "CLO_GRF_PH_1_16", - "Localized": "Flecktarn Boonie Down" - }, - "17": { - "GXT": "CLO_GRF_PH_1_17", - "Localized": "Light Woodland Boonie Down" - }, - "18": { - "GXT": "CLO_GRF_PH_1_18", - "Localized": "Moss Boonie Down" - }, - "19": { - "GXT": "CLO_GRF_PH_1_19", - "Localized": "Sand Boonie Down" - }, - "20": { - "GXT": "CLO_GRF_PH_1_20", - "Localized": "Black Boonie Down" - }, - "21": { - "GXT": "CLO_GRF_PH_1_21", - "Localized": "Slate Boonie Down" - }, - "22": { - "GXT": "CLO_GRF_PH_1_22", - "Localized": "White Boonie Down" - }, - "23": { - "GXT": "CLO_GRF_PH_1_23", - "Localized": "Chocolate Boonie Down" - }, - "24": { - "GXT": "CLO_GRF_PH_1_24", - "Localized": "Olive Boonie Down" - }, - "25": { - "GXT": "CLO_GRF_PH_1_25", - "Localized": "Light Brown Boonie Down" - } - }, - "104": { - "0": { - "GXT": "CLO_GRF_PH_2_0", - "Localized": "Blue Digital Boonie Up" - }, - "1": { - "GXT": "CLO_GRF_PH_2_1", - "Localized": "Brown Digital Boonie Up" - }, - "2": { - "GXT": "CLO_GRF_PH_2_2", - "Localized": "Green Digital Boonie Up" - }, - "3": { - "GXT": "CLO_GRF_PH_2_3", - "Localized": "Gray Digital Boonie Up" - }, - "4": { - "GXT": "CLO_GRF_PH_2_4", - "Localized": "Peach Digital Boonie Up" - }, - "5": { - "GXT": "CLO_GRF_PH_2_5", - "Localized": "Fall Boonie Up" - }, - "6": { - "GXT": "CLO_GRF_PH_2_6", - "Localized": "Dark Woodland Boonie Up" - }, - "7": { - "GXT": "CLO_GRF_PH_2_7", - "Localized": "Crosshatch Boonie Up" - }, - "8": { - "GXT": "CLO_GRF_PH_2_8", - "Localized": "Moss Digital Boonie Up" - }, - "9": { - "GXT": "CLO_GRF_PH_2_9", - "Localized": "Gray Woodland Boonie Up" - }, - "10": { - "GXT": "CLO_GRF_PH_2_10", - "Localized": "Aqua Camo Boonie Up" - }, - "11": { - "GXT": "CLO_GRF_PH_2_11", - "Localized": "Splinter Boonie Up" - }, - "12": { - "GXT": "CLO_GRF_PH_2_12", - "Localized": "Contrast Camo Boonie Up" - }, - "13": { - "GXT": "CLO_GRF_PH_2_13", - "Localized": "Cobble Boonie Up" - }, - "14": { - "GXT": "CLO_GRF_PH_2_14", - "Localized": "Peach Camo Boonie Up" - }, - "15": { - "GXT": "CLO_GRF_PH_2_15", - "Localized": "Brushstroke Boonie Up" - }, - "16": { - "GXT": "CLO_GRF_PH_2_16", - "Localized": "Flecktarn Boonie Up" - }, - "17": { - "GXT": "CLO_GRF_PH_2_17", - "Localized": "Light Woodland Boonie Up" - }, - "18": { - "GXT": "CLO_GRF_PH_2_18", - "Localized": "Moss Boonie Up" - }, - "19": { - "GXT": "CLO_GRF_PH_2_19", - "Localized": "Sand Boonie Up" - }, - "20": { - "GXT": "CLO_GRF_PH_2_20", - "Localized": "Black Boonie Up" - }, - "21": { - "GXT": "CLO_GRF_PH_2_21", - "Localized": "Slate Boonie Up" - }, - "22": { - "GXT": "CLO_GRF_PH_2_22", - "Localized": "White Boonie Up" - }, - "23": { - "GXT": "CLO_GRF_PH_2_23", - "Localized": "Chocolate Boonie Up" - }, - "24": { - "GXT": "CLO_GRF_PH_2_24", - "Localized": "Olive Boonie Up" - }, - "25": { - "GXT": "CLO_GRF_PH_2_25", - "Localized": "Light Brown Boonie Up" - } - }, - "131": { - "0": { - "GXT": "CLO_AWF_PH_3_0", - "Localized": "Taco Canvas Hat" - }, - "1": { - "GXT": "CLO_AWF_PH_3_1", - "Localized": "Burger Shot Canvas Hat" - }, - "2": { - "GXT": "CLO_AWF_PH_3_2", - "Localized": "Cluckin' Bell Canvas Hat" - }, - "3": { - "GXT": "CLO_AWF_PH_3_3", - "Localized": "Hotdogs Canvas Hat" - } - } - }, - "Bonnets": { - "5": { - "0": { - "GXT": "HT_FMF_5_0", - "Localized": "Rearwall Black Beanie" - }, - "1": { - "GXT": "HT_FMF_5_1", - "Localized": "Crevis Ash Beanie" - }, - "2": { - "GXT": "HT_FMF_5_2", - "Localized": "Crevis Pink Beanie" - }, - "3": { - "GXT": "HT_FMF_5_3", - "Localized": "LS Panic Beanie" - }, - "4": { - "GXT": "HT_FMF_5_4", - "Localized": "SA Beanie" - }, - "5": { - "GXT": "HT_FMF_5_5", - "Localized": "Hawaiian Snow Blue Beanie" - }, - "6": { - "GXT": "HT_FMF_5_6", - "Localized": "Rearwall Lime Beanie" - }, - "7": { - "GXT": "HT_FMF_5_7", - "Localized": "Hawaiian Snow Plaid Beanie" - } - }, - "12": { - "0": { - "GXT": "HT_FMF_12_0", - "Localized": "Black Saggy Beanie" - }, - "6": { - "GXT": "HT_FMF_12_6", - "Localized": "Hawaiian Snow Saggy Beanie" - }, - "7": { - "GXT": "HT_FMF_12_7", - "Localized": "Yeti Saggy Beanie" - } - }, - "29": { - "0": { - "GXT": "CLO_HP_F_H_1_0", - "Localized": "Purple Saggy Beanie" - }, - "1": { - "GXT": "CLO_HP_F_H_1_1", - "Localized": "White Saggy Beanie" - }, - "2": { - "GXT": "CLO_HP_F_H_1_2", - "Localized": "Fuchsia Saggy Beanie" - }, - "3": { - "GXT": "CLO_HP_F_H_1_3", - "Localized": "Red Striped Saggy Beanie" - }, - "4": { - "GXT": "CLO_HP_F_H_1_4", - "Localized": "Gray Striped Saggy Beanie" - } - }, - "33": { - "0": { - "GXT": "CLO_INDF_HT_3_0", - "Localized": "Patriotic Beanie" - } - }, - "119": { - "0": { - "GXT": "CLO_SMF_PH_8_0", - "Localized": "Black Low Beanie" - }, - "1": { - "GXT": "CLO_SMF_PH_8_1", - "Localized": "Charcoal Low Beanie" - }, - "2": { - "GXT": "CLO_SMF_PH_8_2", - "Localized": "Ash Low Beanie" - }, - "3": { - "GXT": "CLO_SMF_PH_8_3", - "Localized": "White Low Beanie" - }, - "4": { - "GXT": "CLO_SMF_PH_8_4", - "Localized": "Red Low Beanie" - }, - "5": { - "GXT": "CLO_SMF_PH_8_5", - "Localized": "Blue Low Beanie" - }, - "6": { - "GXT": "CLO_SMF_PH_8_6", - "Localized": "Light Blue Low Beanie" - }, - "7": { - "GXT": "CLO_SMF_PH_8_7", - "Localized": "Beige Low Beanie" - }, - "8": { - "GXT": "CLO_SMF_PH_8_8", - "Localized": "Light Woodland Low Beanie" - }, - "9": { - "GXT": "CLO_SMF_PH_8_9", - "Localized": "Gray Woodland Low Beanie" - }, - "10": { - "GXT": "CLO_SMF_PH_8_10", - "Localized": "Aqua Camo Low Beanie" - }, - "11": { - "GXT": "CLO_SMF_PH_8_11", - "Localized": "Tiger Low Beanie" - }, - "12": { - "GXT": "CLO_SMF_PH_8_12", - "Localized": "Tricolore Low Beanie" - }, - "13": { - "GXT": "CLO_SMF_PH_8_13", - "Localized": "Blue Striped Low Beanie" - }, - "14": { - "GXT": "CLO_SMF_PH_8_14", - "Localized": "Rasta Trio Low Beanie" - }, - "15": { - "GXT": "CLO_SMF_PH_8_15", - "Localized": "Brown Striped Low Beanie" - }, - "16": { - "GXT": "CLO_SMF_PH_8_16", - "Localized": "Stars & Stripes Low Beanie" - }, - "17": { - "GXT": "CLO_SMF_PH_8_17", - "Localized": "Rasta Stripes Low Beanie" - }, - "18": { - "GXT": "CLO_SMF_PH_8_18", - "Localized": "Black & Yellow Low Beanie" - }, - "19": { - "GXT": "CLO_SMF_PH_8_19", - "Localized": "Blue & Yellow Low Beanie" - }, - "20": { - "GXT": "CLO_SMF_PH_8_20", - "Localized": "Green Houndstooth Low Beanie" - }, - "21": { - "GXT": "CLO_SMF_PH_8_21", - "Localized": "Beige Houndstooth Low Beanie" - } - } - }, - "Casques": { - "0": { - "0": { - "GXT": "HT_FMF_0_0", - "Localized": "Red Ear Defenders" - }, - "1": { - "GXT": "HT_FMF_0_1", - "Localized": "Magenta Ear Defenders" - }, - "2": { - "GXT": "HT_FMF_0_2", - "Localized": "Green Ear Defenders" - }, - "3": { - "GXT": "HT_FMF_0_3", - "Localized": "Yellow Ear Defenders" - }, - "4": { - "GXT": "HT_FMF_0_4", - "Localized": "Desert Camo Ear Defenders" - }, - "5": { - "GXT": "HT_FMF_0_5", - "Localized": "Blue Ear Defenders" - }, - "6": { - "GXT": "HT_FMF_0_6", - "Localized": "Pale Blue Ear Defenders" - }, - "7": { - "GXT": "HT_FMF_0_7", - "Localized": "Orange Ear Defenders" - } - }, - "15": { - "0": { - "GXT": "HT_FMF_15_0", - "Localized": "Beat Off White Headphones" - }, - "1": { - "GXT": "HT_FMF_15_1", - "Localized": "Beat Off Black Headphones" - }, - "2": { - "GXT": "HT_FMF_15_2", - "Localized": "Beat Off Red Headphones" - }, - "3": { - "GXT": "HT_FMF_15_3", - "Localized": "Beat Off Gray Headphones" - }, - "4": { - "GXT": "HT_FMF_15_4", - "Localized": "Beat Off Navy Headphones" - }, - "5": { - "GXT": "HT_FMF_15_5", - "Localized": "Beat Off Purple Headphones" - }, - "6": { - "GXT": "HT_FMF_15_6", - "Localized": "Beat Off Pink Headphones" - }, - "7": { - "GXT": "HT_FMF_15_7", - "Localized": "Beat Off Orange Headphones" - } - } - }, - "Casquettes": { - "4": { - "0": { - "GXT": "HT_FMF_4_0", - "Localized": "Black LS Fitted Cap" - }, - "1": { - "GXT": "HT_FMF_4_1", - "Localized": "Fruntalot Fitted Cap" - }, - "2": { - "GXT": "HT_FMF_4_2", - "Localized": "Broker Fitted Cap" - }, - "3": { - "GXT": "HT_FMF_4_3", - "Localized": "SA Fitted Cap" - }, - "4": { - "GXT": "HT_FMF_4_4", - "Localized": "SA Boars Fitted Cap" - }, - "5": { - "GXT": "HT_FMF_4_5", - "Localized": "Stank Fitted Cap" - }, - "6": { - "GXT": "HT_FMF_4_6", - "Localized": "Red Mist XI Fitted Cap" - }, - "7": { - "GXT": "HT_FMF_4_7", - "Localized": "LS Corkers Fitted Cap" - } - }, - "9": { - "0": { - "GXT": "HT_FMF_9_0", - "Localized": "Fruit Cap" - }, - "1": { - "GXT": "HT_FMF_9_1", - "Localized": "247 Cap" - }, - "2": { - "GXT": "HT_FMF_9_2", - "Localized": "Fred's Cap" - }, - "3": { - "GXT": "HT_FMF_9_3", - "Localized": "US Post LS Cap" - }, - "4": { - "GXT": "HT_FMF_9_4", - "Localized": "Swallow Cap" - }, - "5": { - "GXT": "HT_FMF_9_5", - "Localized": "CNT Cap" - }, - "6": { - "GXT": "HT_FMF_9_6", - "Localized": "Peachy Chics Snakeskin Cap" - }, - "7": { - "GXT": "HT_FMF_9_7", - "Localized": "Peachy Chics Leopard Cap" - } - }, - "10": { - "7": { - "GXT": "HT_FMF_10_7", - "Localized": "Tan Patterned Cap" - } - }, - "43": { - "0": { - "GXT": "CLO_X2F_HT_4_0", - "Localized": "Naughty Cap" - }, - "1": { - "GXT": "CLO_X2F_HT_4_1", - "Localized": "Black Ho Ho Ho Cap" - }, - "2": { - "GXT": "CLO_X2F_HT_4_2", - "Localized": "Blue Snowflake Cap" - }, - "3": { - "GXT": "CLO_X2F_HT_4_3", - "Localized": "Nice Cap" - }, - "4": { - "GXT": "CLO_X2F_HT_4_4", - "Localized": "Green Ho Ho Ho Cap" - }, - "5": { - "GXT": "CLO_X2F_HT_4_5", - "Localized": "Red Snowflake Cap" - }, - "6": { - "GXT": "CLO_X2F_HT_4_6", - "Localized": "Gingerbread Cap" - }, - "7": { - "GXT": "CLO_X2F_HT_4_7", - "Localized": "Bah Humbug Cap" - } - }, - "53": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casquette Families" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casquette Ballas" - } - }, - "55": { - "0": { - "GXT": "CLO_S1F_PH_0_0", - "Localized": "Red Broker Snapback" - }, - "1": { - "GXT": "CLO_S1F_PH_0_1", - "Localized": "Charcoal Broker Snapback" - }, - "2": { - "GXT": "CLO_S1F_PH_0_2", - "Localized": "Cream Trickster Snapback" - }, - "3": { - "GXT": "CLO_S1F_PH_0_3", - "Localized": "Navy Trickster Snapback" - }, - "4": { - "GXT": "CLO_S1F_PH_0_4", - "Localized": "Brown Broker Snapback" - }, - "5": { - "GXT": "CLO_S1F_PH_0_5", - "Localized": "Brown Harsh Souls Snapback" - }, - "6": { - "GXT": "CLO_S1F_PH_0_6", - "Localized": "Orange Sweatbox Snapback" - }, - "7": { - "GXT": "CLO_S1F_PH_0_7", - "Localized": "Blue Sweatbox Snapback" - }, - "8": { - "GXT": "CLO_S1F_PH_0_8", - "Localized": "Stripy Yeti Snapback" - }, - "9": { - "GXT": "CLO_S1F_PH_0_9", - "Localized": "Link Trickster Snapback" - }, - "10": { - "GXT": "CLO_S1F_PH_0_10", - "Localized": "Diamond Yeti Snapback" - }, - "11": { - "GXT": "CLO_S1F_PH_0_11", - "Localized": "Cherry Broker Snapback" - }, - "12": { - "GXT": "CLO_S1F_PH_0_12", - "Localized": "Tan Fruntalot Snapback" - }, - "13": { - "GXT": "CLO_S1F_PH_0_13", - "Localized": "Green Sweatbox Snapback" - }, - "14": { - "GXT": "CLO_S1F_PH_0_14", - "Localized": "Jungle Yeti Snapback" - }, - "15": { - "GXT": "CLO_S1F_PH_0_15", - "Localized": "Forest Trickster Snapback" - }, - "16": { - "GXT": "CLO_S1F_PH_0_16", - "Localized": "Coffee Broker Snapback" - }, - "17": { - "GXT": "CLO_S1F_PH_0_17", - "Localized": "Dual Trey Baker Snapback" - }, - "18": { - "GXT": "CLO_S1F_PH_0_18", - "Localized": "Gray Sweatbox Snapback" - }, - "19": { - "GXT": "CLO_S1F_PH_0_19", - "Localized": "Cream Sweatbox Snapback" - }, - "20": { - "GXT": "CLO_S1F_PH_0_20", - "Localized": "Red Yeti Snapback" - }, - "21": { - "GXT": "CLO_S1F_PH_0_21", - "Localized": "White Harsh Souls Snapback" - }, - "22": { - "GXT": "CLO_S1F_PH_0_22", - "Localized": "Navy Fruntalot Snapback" - }, - "23": { - "GXT": "CLO_S1F_PH_0_23", - "Localized": "Yellow Sweatbox Snapback" - }, - "24": { - "GXT": "CLO_S1F_PH_0_24", - "Localized": "All Black Broker Snapback" - }, - "25": { - "GXT": "CLO_S1F_PH_0_25", - "Localized": "Black Broker Snapback" - } - }, - "56": { - "0": { - "GXT": "CLO_S1F_PH_1_0", - "Localized": "Magnetics Script Fitted Cap" - }, - "1": { - "GXT": "CLO_S1F_PH_1_1", - "Localized": "Magnetics Block Fitted Cap" - }, - "2": { - "GXT": "CLO_S1F_PH_1_2", - "Localized": "Low Santos Fitted Cap" - }, - "3": { - "GXT": "CLO_S1F_PH_1_3", - "Localized": "Boars Fitted Cap" - }, - "4": { - "GXT": "CLO_S1F_PH_1_4", - "Localized": "Benny's Fitted Cap" - }, - "5": { - "GXT": "CLO_S1F_PH_1_5", - "Localized": "Westside Fitted Cap" - }, - "6": { - "GXT": "CLO_S1F_PH_1_6", - "Localized": "Eastside Fitted Cap" - }, - "7": { - "GXT": "CLO_S1F_PH_1_7", - "Localized": "Strawberry Fitted Cap" - }, - "8": { - "GXT": "CLO_S1F_PH_1_8", - "Localized": "Black SA Fitted Cap" - }, - "9": { - "GXT": "CLO_S1F_PH_1_9", - "Localized": "Davis Fitted Cap" - } - }, - "58": { - "0": { - "GXT": "CLO_EXF_AH_1_0", - "Localized": "Tan Cap" - }, - "1": { - "GXT": "CLO_EXF_AH_1_1", - "Localized": "Khaki Cap" - }, - "2": { - "GXT": "CLO_EXF_AH_1_2", - "Localized": "Black Cap" - } - }, - "60": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - } - }, - "63": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Noir" - } - }, - "66": { - "0": { - "GXT": "HE_FMF_18_0", - "Localized": "Shatter Pattern Helmet" - }, - "1": { - "GXT": "HE_FMF_18_1", - "Localized": "Stars Helmet" - }, - "2": { - "GXT": "HE_FMF_18_2", - "Localized": "Squared Helmet" - }, - "3": { - "GXT": "HE_FMF_18_3", - "Localized": "Crimson Helmet" - }, - "4": { - "GXT": "HE_FMF_18_4", - "Localized": "Skull Helmet" - }, - "5": { - "GXT": "HE_FMF_18_5", - "Localized": "Ace of Spades Helmet" - }, - "6": { - "GXT": "HE_FMF_18_6", - "Localized": "Flamejob Helmet" - }, - "7": { - "GXT": "HE_FMF_18_7", - "Localized": "White Helmet" - }, - "8": { - "GXT": "CLO_STF_HT15_8", - "Localized": "Downhill Helmet" - }, - "9": { - "GXT": "CLO_STF_HT15_9", - "Localized": "Slalom Helmet" - }, - "10": { - "GXT": "CLO_STF_HT1510", - "Localized": "SA Assault Helmet" - }, - "11": { - "GXT": "CLO_STF_HT1511", - "Localized": "Vibe Helmet" - }, - "12": { - "GXT": "CLO_STF_HT1512", - "Localized": "Burst Helmet" - }, - "13": { - "GXT": "CLO_STF_HT1513", - "Localized": "Tri Helmet" - }, - "14": { - "GXT": "CLO_STF_HT1514", - "Localized": "Sprunk Helmet" - }, - "15": { - "GXT": "CLO_STF_HT1515", - "Localized": "Skeleton Helmet" - }, - "16": { - "GXT": "CLO_STF_HT1516", - "Localized": "Death Helmet" - }, - "17": { - "GXT": "CLO_STF_HT1517", - "Localized": "Cobble Helmet" - }, - "18": { - "GXT": "CLO_STF_HT1518", - "Localized": "Cubist Helmet" - }, - "19": { - "GXT": "CLO_STF_HT1519", - "Localized": "Digital Helmet" - }, - "20": { - "GXT": "CLO_STF_HT1520", - "Localized": "Snakeskin Helmet" - }, - "21": { - "GXT": "CLO_STF_HT1521", - "Localized": "Boost Helmet" - }, - "22": { - "GXT": "CLO_STF_HT1522", - "Localized": "Tropic Helmet" - }, - "23": { - "GXT": "CLO_STF_HT1523", - "Localized": "Atomic Helmet" - } - }, - "75": { - "0": { - "GXT": "CLO_STF_H_9_0", - "Localized": "Atomic Cap" - }, - "1": { - "GXT": "CLO_STF_H_9_1", - "Localized": "Auto Exotic Cap" - }, - "2": { - "GXT": "CLO_STF_H_9_2", - "Localized": "Chepalle Cap" - }, - "3": { - "GXT": "CLO_STF_H_9_3", - "Localized": "Cunning Stunts Cap" - }, - "4": { - "GXT": "CLO_STF_H_9_4", - "Localized": "Flash Cap" - }, - "5": { - "GXT": "CLO_STF_H_9_5", - "Localized": "Fukaru Cap" - }, - "6": { - "GXT": "CLO_STF_H_9_6", - "Localized": "Globe Oil Cap" - }, - "7": { - "GXT": "CLO_STF_H_9_7", - "Localized": "Grotti Cap" - }, - "8": { - "GXT": "CLO_STF_H_9_8", - "Localized": "Imponte Racing Cap" - }, - "9": { - "GXT": "CLO_STF_H_9_9", - "Localized": "Lampadati Racing Cap" - }, - "10": { - "GXT": "CLO_STF_H_9_10", - "Localized": "LTD Cap" - }, - "11": { - "GXT": "CLO_STF_H_9_11", - "Localized": "Nagasaki Racing Cap" - }, - "12": { - "GXT": "CLO_STF_H_9_12", - "Localized": "Nagasaki Moto Cap" - }, - "13": { - "GXT": "CLO_STF_H_9_13", - "Localized": "Patriot Cap" - }, - "14": { - "GXT": "CLO_STF_H_9_14", - "Localized": "Rebel Radio Cap" - }, - "15": { - "GXT": "CLO_STF_H_9_15", - "Localized": "Redwood Cap" - }, - "16": { - "GXT": "CLO_STF_H_9_16", - "Localized": "Scooter Brothers Cap" - }, - "17": { - "GXT": "CLO_STF_H_9_17", - "Localized": "The Mount Cap" - }, - "18": { - "GXT": "CLO_STF_H_9_18", - "Localized": "Total Ride Cap" - }, - "19": { - "GXT": "CLO_STF_H_9_19", - "Localized": "Vapid Cap" - }, - "20": { - "GXT": "CLO_STF_H_9_20", - "Localized": "Xero Gas Cap" - } - }, - "76": { - "0": { - "GXT": "CLO_STF_H_100", - "Localized": "Atomic Cap" - }, - "1": { - "GXT": "CLO_STF_H_101", - "Localized": "Auto Exotic Cap" - }, - "2": { - "GXT": "CLO_STF_H_102", - "Localized": "Chepalle Cap" - }, - "3": { - "GXT": "CLO_STF_H_103", - "Localized": "Cunning Stunts Cap" - }, - "4": { - "GXT": "CLO_STF_H_104", - "Localized": "Flash Cap" - }, - "5": { - "GXT": "CLO_STF_H_105", - "Localized": "Fukaru Cap" - }, - "6": { - "GXT": "CLO_STF_H_106", - "Localized": "Globe Oil Cap" - }, - "7": { - "GXT": "CLO_STF_H_107", - "Localized": "Grotti Cap" - }, - "8": { - "GXT": "CLO_STF_H_108", - "Localized": "Imponte Racing Cap" - }, - "9": { - "GXT": "CLO_STF_H_109", - "Localized": "Lampadati Racing Cap" - }, - "10": { - "GXT": "CLO_STF_H_1010", - "Localized": "LTD Cap" - }, - "11": { - "GXT": "CLO_STF_H_1011", - "Localized": "Nagasaki Racing Cap" - }, - "12": { - "GXT": "CLO_STF_H_1012", - "Localized": "Nagasaki Moto Cap" - }, - "13": { - "GXT": "CLO_STF_H_1013", - "Localized": "Patriot Cap" - }, - "14": { - "GXT": "CLO_STF_H_1014", - "Localized": "Rebel Radio Cap" - }, - "15": { - "GXT": "CLO_STF_H_1015", - "Localized": "Redwood Cap" - }, - "16": { - "GXT": "CLO_STF_H_1016", - "Localized": "Scooter Brothers Cap" - }, - "17": { - "GXT": "CLO_STF_H_1017", - "Localized": "The Mount Cap" - }, - "18": { - "GXT": "CLO_STF_H_1018", - "Localized": "Total Ride Cap" - }, - "19": { - "GXT": "CLO_STF_H_1019", - "Localized": "Vapid Cap" - }, - "20": { - "GXT": "CLO_STF_H_1020", - "Localized": "Xero Gas Cap" - } - }, - "95": { - "0": { - "GXT": "CLO_IEF_PH_0_0", - "Localized": "Black Bigness Cap" - }, - "1": { - "GXT": "CLO_IEF_PH_0_1", - "Localized": "Red Bigness Cap" - }, - "2": { - "GXT": "CLO_IEF_PH_0_2", - "Localized": "Orange Camo Sand Castle Cap" - }, - "3": { - "GXT": "CLO_IEF_PH_0_3", - "Localized": "Purple Güffy Cap" - }, - "4": { - "GXT": "CLO_IEF_PH_0_4", - "Localized": "Off-White Bigness Cap" - }, - "5": { - "GXT": "CLO_IEF_PH_0_5", - "Localized": "Bold Abstract Bigness Cap" - }, - "6": { - "GXT": "CLO_IEF_PH_0_6", - "Localized": "Gray Abstract Bigness Cap" - }, - "7": { - "GXT": "CLO_IEF_PH_0_7", - "Localized": "Pale Abstract Bigness Cap" - }, - "8": { - "GXT": "CLO_IEF_PH_0_8", - "Localized": "Primary Squash Cap" - }, - "9": { - "GXT": "CLO_IEF_PH_0_9", - "Localized": "Spots Squash Cap" - }, - "10": { - "GXT": "CLO_IEF_PH_0_10", - "Localized": "Banana Squash Cap" - }, - "11": { - "GXT": "CLO_IEF_PH_0_11", - "Localized": "Splat Squash Cap" - }, - "12": { - "GXT": "CLO_IEF_PH_0_12", - "Localized": "OJ Squash Cap" - }, - "13": { - "GXT": "CLO_IEF_PH_0_13", - "Localized": "Multicolor Leaves Güffy Cap" - }, - "14": { - "GXT": "CLO_IEF_PH_0_14", - "Localized": "Red Güffy Cap" - }, - "15": { - "GXT": "CLO_IEF_PH_0_15", - "Localized": "White Painted Güffy Cap" - } - }, - "102": { - "0": { - "GXT": "CLO_GRF_PH_0_0", - "Localized": "Blue Digital Cap" - }, - "1": { - "GXT": "CLO_GRF_PH_0_1", - "Localized": "Brown Digital Cap" - }, - "2": { - "GXT": "CLO_GRF_PH_0_2", - "Localized": "Green Digital Cap" - }, - "3": { - "GXT": "CLO_GRF_PH_0_3", - "Localized": "Gray Digital Cap" - }, - "4": { - "GXT": "CLO_GRF_PH_0_4", - "Localized": "Peach Digital Cap" - }, - "5": { - "GXT": "CLO_GRF_PH_0_5", - "Localized": "Fall Cap" - }, - "6": { - "GXT": "CLO_GRF_PH_0_6", - "Localized": "Dark Woodland Cap" - }, - "7": { - "GXT": "CLO_GRF_PH_0_7", - "Localized": "Crosshatch Cap" - }, - "8": { - "GXT": "CLO_GRF_PH_0_8", - "Localized": "Moss Digital Cap" - }, - "9": { - "GXT": "CLO_GRF_PH_0_9", - "Localized": "Gray Woodland Cap" - }, - "10": { - "GXT": "CLO_GRF_PH_0_10", - "Localized": "Aqua Camo Cap" - }, - "11": { - "GXT": "CLO_GRF_PH_0_11", - "Localized": "Splinter Cap" - }, - "12": { - "GXT": "CLO_GRF_PH_0_12", - "Localized": "Contrast Camo Cap" - }, - "13": { - "GXT": "CLO_GRF_PH_0_13", - "Localized": "Cobble Cap" - }, - "14": { - "GXT": "CLO_GRF_PH_0_14", - "Localized": "Peach Camo Cap" - }, - "15": { - "GXT": "CLO_GRF_PH_0_15", - "Localized": "Brushstroke Cap" - }, - "16": { - "GXT": "CLO_GRF_PH_0_16", - "Localized": "Flecktarn Cap" - }, - "17": { - "GXT": "CLO_GRF_PH_0_17", - "Localized": "Light Woodland Cap" - }, - "18": { - "GXT": "CLO_GRF_PH_0_18", - "Localized": "Moss Cap" - }, - "19": { - "GXT": "CLO_GRF_PH_0_19", - "Localized": "Sand Cap" - } - }, - "106": { - "0": { - "GXT": "CLO_GRF_PH_4_0", - "Localized": "Blue Digital Utility Cap" - }, - "1": { - "GXT": "CLO_GRF_PH_4_1", - "Localized": "Brown Digital Utility Cap" - }, - "2": { - "GXT": "CLO_GRF_PH_4_2", - "Localized": "Green Digital Utility Cap" - }, - "3": { - "GXT": "CLO_GRF_PH_4_3", - "Localized": "Gray Digital Utility Cap" - }, - "4": { - "GXT": "CLO_GRF_PH_4_4", - "Localized": "Peach Digital Utility Cap" - }, - "5": { - "GXT": "CLO_GRF_PH_4_5", - "Localized": "Fall Utility Cap" - }, - "6": { - "GXT": "CLO_GRF_PH_4_6", - "Localized": "Dark Woodland Utility Cap" - }, - "7": { - "GXT": "CLO_GRF_PH_4_7", - "Localized": "Crosshatch Utility Cap" - }, - "8": { - "GXT": "CLO_GRF_PH_4_8", - "Localized": "Moss Digital Utility Cap" - }, - "9": { - "GXT": "CLO_GRF_PH_4_9", - "Localized": "Gray Woodland Utility Cap" - }, - "10": { - "GXT": "CLO_GRF_PH_4_10", - "Localized": "Aqua Camo Utility Cap" - }, - "11": { - "GXT": "CLO_GRF_PH_4_11", - "Localized": "Splinter Utility Cap" - }, - "12": { - "GXT": "CLO_GRF_PH_4_12", - "Localized": "Contrast Camo Utility Cap" - }, - "13": { - "GXT": "CLO_GRF_PH_4_13", - "Localized": "Cobble Utility Cap" - }, - "14": { - "GXT": "CLO_GRF_PH_4_14", - "Localized": "Peach Camo Utility Cap" - }, - "15": { - "GXT": "CLO_GRF_PH_4_15", - "Localized": "Brushstroke Utility Cap" - }, - "16": { - "GXT": "CLO_GRF_PH_4_16", - "Localized": "Flecktarn Utility Cap" - }, - "17": { - "GXT": "CLO_GRF_PH_4_17", - "Localized": "Light Woodland Utility Cap" - }, - "18": { - "GXT": "CLO_GRF_PH_4_18", - "Localized": "Moss Utility Cap" - }, - "19": { - "GXT": "CLO_GRF_PH_4_19", - "Localized": "Sand Utility Cap" - }, - "20": { - "GXT": "CLO_GRF_PH_4_20", - "Localized": "Black Utility Cap" - }, - "21": { - "GXT": "CLO_GRF_PH_4_21", - "Localized": "Slate Utility Cap" - }, - "22": { - "GXT": "CLO_GRF_PH_4_22", - "Localized": "White Utility Cap" - }, - "23": { - "GXT": "CLO_GRF_PH_4_23", - "Localized": "Chocolate Utility Cap" - }, - "24": { - "GXT": "CLO_GRF_PH_4_24", - "Localized": "Olive Utility Cap" - }, - "25": { - "GXT": "CLO_GRF_PH_4_25", - "Localized": "Light Brown Utility Cap" - } - }, - "107": { - "0": { - "GXT": "CLO_GRF_PH_5_0", - "Localized": "Blue Digital Beanie Cap" - }, - "1": { - "GXT": "CLO_GRF_PH_5_1", - "Localized": "Brown Digital Beanie Cap" - }, - "2": { - "GXT": "CLO_GRF_PH_5_2", - "Localized": "Green Digital Beanie Cap" - }, - "3": { - "GXT": "CLO_GRF_PH_5_3", - "Localized": "Gray Digital Beanie Cap" - }, - "4": { - "GXT": "CLO_GRF_PH_5_4", - "Localized": "Peach Digital Beanie Cap" - }, - "5": { - "GXT": "CLO_GRF_PH_5_5", - "Localized": "Fall Beanie Cap" - }, - "6": { - "GXT": "CLO_GRF_PH_5_6", - "Localized": "Dark Woodland Beanie Cap" - }, - "7": { - "GXT": "CLO_GRF_PH_5_7", - "Localized": "Crosshatch Beanie Cap" - }, - "8": { - "GXT": "CLO_GRF_PH_5_8", - "Localized": "Moss Digital Beanie Cap" - }, - "9": { - "GXT": "CLO_GRF_PH_5_9", - "Localized": "Gray Woodland Beanie Cap" - }, - "10": { - "GXT": "CLO_GRF_PH_5_10", - "Localized": "Aqua Camo Beanie Cap" - }, - "11": { - "GXT": "CLO_GRF_PH_5_11", - "Localized": "Splinter Beanie Cap" - }, - "12": { - "GXT": "CLO_GRF_PH_5_12", - "Localized": "Contrast Camo Beanie Cap" - }, - "13": { - "GXT": "CLO_GRF_PH_5_13", - "Localized": "Cobble Beanie Cap" - }, - "14": { - "GXT": "CLO_GRF_PH_5_14", - "Localized": "Peach Camo Beanie Cap" - }, - "15": { - "GXT": "CLO_GRF_PH_5_15", - "Localized": "Brushstroke Beanie Cap" - }, - "16": { - "GXT": "CLO_GRF_PH_5_16", - "Localized": "Flecktarn Beanie Cap" - }, - "17": { - "GXT": "CLO_GRF_PH_5_17", - "Localized": "Light Woodland Beanie Cap" - }, - "18": { - "GXT": "CLO_GRF_PH_5_18", - "Localized": "Moss Beanie Cap" - }, - "19": { - "GXT": "CLO_GRF_PH_5_19", - "Localized": "Sand Beanie Cap" - }, - "20": { - "GXT": "CLO_GRF_PH_5_20", - "Localized": "Black Beanie Cap" - }, - "21": { - "GXT": "CLO_GRF_PH_5_21", - "Localized": "Slate Beanie Cap" - }, - "22": { - "GXT": "CLO_GRF_PH_5_22", - "Localized": "White Beanie Cap" - }, - "23": { - "GXT": "CLO_GRF_PH_5_23", - "Localized": "Chocolate Beanie Cap" - }, - "24": { - "GXT": "CLO_GRF_PH_5_24", - "Localized": "Olive Beanie Cap" - }, - "25": { - "GXT": "CLO_GRF_PH_5_25", - "Localized": "Light Brown Beanie Cap" - } - }, - "108": { - "0": { - "GXT": "CLO_GRF_PH_6_0", - "Localized": "Red Hawk & Little Cap" - }, - "1": { - "GXT": "CLO_GRF_PH_6_1", - "Localized": "Black Hawk & Little Cap" - }, - "2": { - "GXT": "CLO_GRF_PH_6_2", - "Localized": "White Shrewsbury Cap" - }, - "3": { - "GXT": "CLO_GRF_PH_6_3", - "Localized": "Black Shrewsbury Cap" - }, - "4": { - "GXT": "CLO_GRF_PH_6_4", - "Localized": "White Vom Feuer Cap" - }, - "5": { - "GXT": "CLO_GRF_PH_6_5", - "Localized": "Black Vom Feuer Cap" - }, - "6": { - "GXT": "CLO_GRF_PH_6_6", - "Localized": "Wine Coil Cap" - }, - "7": { - "GXT": "CLO_GRF_PH_6_7", - "Localized": "Black Coil Cap" - }, - "8": { - "GXT": "CLO_GRF_PH_6_8", - "Localized": "Black Ammu-Nation Cap" - }, - "9": { - "GXT": "CLO_GRF_PH_6_9", - "Localized": "Red Ammu-Nation Cap" - }, - "10": { - "GXT": "CLO_GRF_PH_6_10", - "Localized": "Warstock Cap" - } - }, - "109": { - "0": { - "GXT": "CLO_GRF_PH_6_0", - "Localized": "Red Hawk & Little Cap" - }, - "1": { - "GXT": "CLO_GRF_PH_6_1", - "Localized": "Black Hawk & Little Cap" - }, - "2": { - "GXT": "CLO_GRF_PH_6_2", - "Localized": "White Shrewsbury Cap" - }, - "3": { - "GXT": "CLO_GRF_PH_6_3", - "Localized": "Black Shrewsbury Cap" - }, - "4": { - "GXT": "CLO_GRF_PH_6_4", - "Localized": "White Vom Feuer Cap" - }, - "5": { - "GXT": "CLO_GRF_PH_6_5", - "Localized": "Black Vom Feuer Cap" - }, - "6": { - "GXT": "CLO_GRF_PH_6_6", - "Localized": "Wine Coil Cap" - }, - "7": { - "GXT": "CLO_GRF_PH_6_7", - "Localized": "Black Coil Cap" - }, - "8": { - "GXT": "CLO_GRF_PH_6_8", - "Localized": "Black Ammu-Nation Cap" - }, - "9": { - "GXT": "CLO_GRF_PH_6_9", - "Localized": "Red Ammu-Nation Cap" - }, - "10": { - "GXT": "CLO_GRF_PH_6_10", - "Localized": "Warstock Cap" - } - }, - "129": { - "0": { - "GXT": "CLO_AWF_PH_1_0", - "Localized": "Burger Shot Burgers Cap" - }, - "1": { - "GXT": "CLO_AWF_PH_1_1", - "Localized": "Burger Shot Fries Cap" - }, - "2": { - "GXT": "CLO_AWF_PH_1_2", - "Localized": "Burger Shot Logo Cap" - }, - "3": { - "GXT": "CLO_AWF_PH_1_3", - "Localized": "Burger Shot Bullseye Cap" - }, - "4": { - "GXT": "CLO_AWF_PH_1_4", - "Localized": "Yellow Cluckin' Bell Cap" - }, - "5": { - "GXT": "CLO_AWF_PH_1_5", - "Localized": "Blue Cluckin' Bell Cap" - }, - "6": { - "GXT": "CLO_AWF_PH_1_6", - "Localized": "Cluckin' Bell Logos Cap" - }, - "7": { - "GXT": "CLO_AWF_PH_1_7", - "Localized": "Black Hotdogs Cap" - }, - "8": { - "GXT": "CLO_AWF_PH_1_8", - "Localized": "Taco Bomb Cap" - }, - "9": { - "GXT": "CLO_AWF_PH_1_9", - "Localized": "Purple Hotdogs Cap" - }, - "10": { - "GXT": "CLO_AWF_PH_1_10", - "Localized": "Pink Hotdogs Cap" - }, - "11": { - "GXT": "CLO_AWF_PH_1_11", - "Localized": "White Lucky Plucker Cap" - }, - "12": { - "GXT": "CLO_AWF_PH_1_12", - "Localized": "Red Lucky Plucker Cap" - }, - "13": { - "GXT": "CLO_AWF_PH_1_13", - "Localized": "Lucky Plucker Red Pattern Cap" - }, - "14": { - "GXT": "CLO_AWF_PH_1_14", - "Localized": "Lucky Plucker White Pattern Cap" - }, - "15": { - "GXT": "CLO_AWF_PH_1_15", - "Localized": "White Pisswasser Cap" - }, - "16": { - "GXT": "CLO_AWF_PH_1_16", - "Localized": "Black Pisswasser Cap" - }, - "17": { - "GXT": "CLO_AWF_PH_1_17", - "Localized": "White Taco Bomb Cap" - }, - "18": { - "GXT": "CLO_AWF_PH_1_18", - "Localized": "Green Taco Bomb Cap" - } - }, - "130": { - "0": { - "GXT": "CLO_AWF_PH_2_0", - "Localized": "Burger Shot Burgers Cap" - }, - "1": { - "GXT": "CLO_AWF_PH_2_1", - "Localized": "Burger Shot Fries Cap" - }, - "2": { - "GXT": "CLO_AWF_PH_2_2", - "Localized": "Burger Shot Logo Cap" - }, - "3": { - "GXT": "CLO_AWF_PH_2_3", - "Localized": "Burger Shot Bullseye Cap" - }, - "4": { - "GXT": "CLO_AWF_PH_2_4", - "Localized": "Yellow Cluckin' Bell Cap" - }, - "5": { - "GXT": "CLO_AWF_PH_2_5", - "Localized": "Blue Cluckin' Bell Cap" - }, - "6": { - "GXT": "CLO_AWF_PH_2_6", - "Localized": "Cluckin' Bell Logos Cap" - }, - "7": { - "GXT": "CLO_AWF_PH_2_7", - "Localized": "Black Hotdogs Cap" - }, - "8": { - "GXT": "CLO_AWF_PH_2_8", - "Localized": "Taco Bomb Cap" - }, - "9": { - "GXT": "CLO_AWF_PH_2_9", - "Localized": "Purple Hotdogs Cap" - }, - "10": { - "GXT": "CLO_AWF_PH_2_10", - "Localized": "Pink Hotdogs Cap" - }, - "11": { - "GXT": "CLO_AWF_PH_2_11", - "Localized": "White Lucky Plucker Cap" - }, - "12": { - "GXT": "CLO_AWF_PH_2_12", - "Localized": "Red Lucky Plucker Cap" - }, - "13": { - "GXT": "CLO_AWF_PH_2_13", - "Localized": "Lucky Plucker Red Pattern Cap" - }, - "14": { - "GXT": "CLO_AWF_PH_2_14", - "Localized": "Lucky Plucker White Pattern Cap" - }, - "15": { - "GXT": "CLO_AWF_PH_2_15", - "Localized": "White Pisswasser Cap" - }, - "16": { - "GXT": "CLO_AWF_PH_2_16", - "Localized": "Black Pisswasser Cap" - }, - "17": { - "GXT": "CLO_AWF_PH_2_17", - "Localized": "White Taco Bomb Cap" - }, - "18": { - "GXT": "CLO_AWF_PH_2_18", - "Localized": "Green Taco Bomb Cap" - } - }, - "134": { - "0": { - "GXT": "CLO_VWF_PH_0_0", - "Localized": "White The Diamond Cap" - }, - "1": { - "GXT": "CLO_VWF_PH_0_1", - "Localized": "Black The Diamond Cap" - }, - "2": { - "GXT": "CLO_VWF_PH_0_2", - "Localized": "White LS Diamond Cap" - }, - "3": { - "GXT": "CLO_VWF_PH_0_3", - "Localized": "Black LS Diamond Cap" - }, - "4": { - "GXT": "CLO_VWF_PH_0_4", - "Localized": "Red The Diamond Cap" - }, - "5": { - "GXT": "CLO_VWF_PH_0_5", - "Localized": "Orange The Diamond Cap" - }, - "6": { - "GXT": "CLO_VWF_PH_0_6", - "Localized": "Blue LS Diamond Cap" - }, - "7": { - "GXT": "CLO_VWF_PH_0_7", - "Localized": "Green The Diamond Cap" - }, - "8": { - "GXT": "CLO_VWF_PH_0_8", - "Localized": "Orange LS Diamond Cap" - }, - "9": { - "GXT": "CLO_VWF_PH_0_9", - "Localized": "Purple The Diamond Cap" - }, - "10": { - "GXT": "CLO_VWF_PH_0_10", - "Localized": "Pink LS Diamond Cap" - }, - "11": { - "GXT": "CLO_VWF_PH_0_11", - "Localized": "White Broker Cap" - }, - "12": { - "GXT": "CLO_VWF_PH_0_12", - "Localized": "Black Broker Cap" - }, - "13": { - "GXT": "CLO_VWF_PH_0_13", - "Localized": "Teal Broker Cap" - }, - "14": { - "GXT": "CLO_VWF_PH_0_14", - "Localized": "Red Flying Bravo Cap" - }, - "15": { - "GXT": "CLO_VWF_PH_0_15", - "Localized": "Green Flying Bravo Cap" - }, - "16": { - "GXT": "CLO_VWF_PH_0_16", - "Localized": "Black SC Broker Cap" - }, - "17": { - "GXT": "CLO_VWF_PH_0_17", - "Localized": "Teal SC Broker Cap" - }, - "18": { - "GXT": "CLO_VWF_PH_0_18", - "Localized": "Purple SC Broker Cap" - }, - "19": { - "GXT": "CLO_VWF_PH_0_19", - "Localized": "Red SC Broker Cap" - }, - "20": { - "GXT": "CLO_VWF_PH_0_20", - "Localized": "White SC Broker Cap" - }, - "21": { - "GXT": "CLO_VWF_PH_0_21", - "Localized": "Gray Yeti Cap" - }, - "22": { - "GXT": "CLO_VWF_PH_0_22", - "Localized": "Colors Yeti Cap" - }, - "23": { - "GXT": "CLO_VWF_PH_0_23", - "Localized": "Woodland Yeti Cap" - } - }, - "135": { - "0": { - "GXT": "CLO_VWF_PH_1_0", - "Localized": "White The Diamond Cap" - }, - "1": { - "GXT": "CLO_VWF_PH_1_1", - "Localized": "Black The Diamond Cap" - }, - "2": { - "GXT": "CLO_VWF_PH_1_2", - "Localized": "White LS Diamond Cap" - }, - "3": { - "GXT": "CLO_VWF_PH_1_3", - "Localized": "Black LS Diamond Cap" - }, - "4": { - "GXT": "CLO_VWF_PH_1_4", - "Localized": "Red The Diamond Cap" - }, - "5": { - "GXT": "CLO_VWF_PH_1_5", - "Localized": "Orange The Diamond Cap" - }, - "6": { - "GXT": "CLO_VWF_PH_1_6", - "Localized": "Blue LS Diamond Cap" - }, - "7": { - "GXT": "CLO_VWF_PH_1_7", - "Localized": "Green The Diamond Cap" - }, - "8": { - "GXT": "CLO_VWF_PH_1_8", - "Localized": "Orange LS Diamond Cap" - }, - "9": { - "GXT": "CLO_VWF_PH_1_9", - "Localized": "Purple The Diamond Cap" - }, - "10": { - "GXT": "CLO_VWF_PH_1_10", - "Localized": "Pink LS Diamond Cap" - }, - "11": { - "GXT": "CLO_VWF_PH_1_11", - "Localized": "White Broker Cap" - }, - "12": { - "GXT": "CLO_VWF_PH_1_12", - "Localized": "Black Broker Cap" - }, - "13": { - "GXT": "CLO_VWF_PH_1_13", - "Localized": "Teal Broker Cap" - }, - "14": { - "GXT": "CLO_VWF_PH_1_14", - "Localized": "Red Flying Bravo Cap" - }, - "15": { - "GXT": "CLO_VWF_PH_1_15", - "Localized": "Green Flying Bravo Cap" - }, - "16": { - "GXT": "CLO_VWF_PH_1_16", - "Localized": "Black SC Broker Cap" - }, - "17": { - "GXT": "CLO_VWF_PH_1_17", - "Localized": "Teal SC Broker Cap" - }, - "18": { - "GXT": "CLO_VWF_PH_1_18", - "Localized": "Purple SC Broker Cap" - }, - "19": { - "GXT": "CLO_VWF_PH_1_19", - "Localized": "Red SC Broker Cap" - }, - "20": { - "GXT": "CLO_VWF_PH_1_20", - "Localized": "White SC Broker Cap" - }, - "21": { - "GXT": "CLO_VWF_PH_1_21", - "Localized": "Gray Yeti Cap" - }, - "22": { - "GXT": "CLO_VWF_PH_1_22", - "Localized": "Colors Yeti Cap" - }, - "23": { - "GXT": "CLO_VWF_PH_1_23", - "Localized": "Woodland Yeti Cap" - } - }, - "138": { - "0": { - "GXT": "CLO_H3F_PH_2_0", - "Localized": "Bugstars Forwards Cap" - }, - "1": { - "GXT": "CLO_H3F_PH_2_1", - "Localized": "Prison Authority Forwards Cap" - }, - "2": { - "GXT": "CLO_H3F_PH_2_2", - "Localized": "Yung Ancestor Forwards Cap" - } - }, - "139": { - "0": { - "GXT": "CLO_H3F_PH_3_0", - "Localized": "Bugstars Backwards Cap" - }, - "1": { - "GXT": "CLO_H3F_PH_3_1", - "Localized": "Prison Authority Backwards Cap" - }, - "2": { - "GXT": "CLO_H3F_PH_3_2", - "Localized": "Yung Ancestor Backwards Cap" - } - }, - "141": { - "0": { - "GXT": "CLO_H3F_PH_5_0", - "Localized": "Black Forwards Cap" - }, - "1": { - "GXT": "CLO_H3F_PH_5_1", - "Localized": "Gray Forwards Cap" - }, - "2": { - "GXT": "CLO_H3F_PH_5_2", - "Localized": "Light Gray Forwards Cap" - }, - "3": { - "GXT": "CLO_H3F_PH_5_3", - "Localized": "Red Forwards Cap" - }, - "4": { - "GXT": "CLO_H3F_PH_5_4", - "Localized": "Teal Forwards Cap" - }, - "5": { - "GXT": "CLO_H3F_PH_5_5", - "Localized": "Smiley Forwards Cap" - }, - "6": { - "GXT": "CLO_H3F_PH_5_6", - "Localized": "Gray Digital Forwards Cap" - }, - "7": { - "GXT": "CLO_H3F_PH_5_7", - "Localized": "Blue Digital Forwards Cap" - }, - "8": { - "GXT": "CLO_H3F_PH_5_8", - "Localized": "Blue Wave Forwards Cap" - }, - "9": { - "GXT": "CLO_H3F_PH_5_9", - "Localized": "Stars & Stripes Forwards Cap" - }, - "10": { - "GXT": "CLO_H3F_PH_5_10", - "Localized": "Toothy Grin Forwards Cap" - }, - "11": { - "GXT": "CLO_H3F_PH_5_11", - "Localized": "Wolf Forwards Cap" - }, - "12": { - "GXT": "CLO_H3F_PH_5_12", - "Localized": "Gray Camo Forwards Cap" - }, - "13": { - "GXT": "CLO_H3F_PH_5_13", - "Localized": "Black Skull Forwards Cap" - }, - "14": { - "GXT": "CLO_H3F_PH_5_14", - "Localized": "Blood Cross Forwards Cap" - }, - "15": { - "GXT": "CLO_H3F_PH_5_15", - "Localized": "Brown Skull Forwards Cap" - }, - "16": { - "GXT": "CLO_H3F_PH_5_16", - "Localized": "Green Camo Forwards Cap" - }, - "17": { - "GXT": "CLO_H3F_PH_5_17", - "Localized": "Green Neon Camo Forwards Cap" - }, - "18": { - "GXT": "CLO_H3F_PH_5_18", - "Localized": "Purple Neon Camo Forwards Cap" - }, - "19": { - "GXT": "CLO_H3F_PH_5_19", - "Localized": "Cobble Forwards Cap" - }, - "20": { - "GXT": "CLO_H3F_PH_5_20", - "Localized": "Green Snakeskin Forwards Cap" - } - }, - "142": { - "0": { - "GXT": "CLO_H3F_PH_6_0", - "Localized": "Black Backwards Cap" - }, - "1": { - "GXT": "CLO_H3F_PH_6_1", - "Localized": "Gray Backwards Cap" - }, - "2": { - "GXT": "CLO_H3F_PH_6_2", - "Localized": "Light Gray Backwards Cap" - }, - "3": { - "GXT": "CLO_H3F_PH_6_3", - "Localized": "Red Backwards Cap" - }, - "4": { - "GXT": "CLO_H3F_PH_6_4", - "Localized": "Teal Backwards Cap" - }, - "5": { - "GXT": "CLO_H3F_PH_6_5", - "Localized": "Smiley Backwards Cap" - }, - "6": { - "GXT": "CLO_H3F_PH_6_6", - "Localized": "Gray Digital Backwards Cap" - }, - "7": { - "GXT": "CLO_H3F_PH_6_7", - "Localized": "Blue Digital Backwards Cap" - }, - "8": { - "GXT": "CLO_H3F_PH_6_8", - "Localized": "Blue Wave Backwards Cap" - }, - "9": { - "GXT": "CLO_H3F_PH_6_9", - "Localized": "Stars & Stripes Backwards Cap" - }, - "10": { - "GXT": "CLO_H3F_PH_6_10", - "Localized": "Toothy Grin Backwards Cap" - }, - "11": { - "GXT": "CLO_H3F_PH_6_11", - "Localized": "Wolf Backwards Cap" - }, - "12": { - "GXT": "CLO_H3F_PH_6_12", - "Localized": "Gray Camo Backwards Cap" - }, - "13": { - "GXT": "CLO_H3F_PH_6_13", - "Localized": "Black Skull Backwards Cap" - }, - "14": { - "GXT": "CLO_H3F_PH_6_14", - "Localized": "Blood Cross Backwards Cap" - }, - "15": { - "GXT": "CLO_H3F_PH_6_15", - "Localized": "Brown Skull Backwards Cap" - }, - "16": { - "GXT": "CLO_H3F_PH_6_16", - "Localized": "Green Camo Backwards Cap" - }, - "17": { - "GXT": "CLO_H3F_PH_6_17", - "Localized": "Green Neon Camo Backwards Cap" - }, - "18": { - "GXT": "CLO_H3F_PH_6_18", - "Localized": "Purple Neon Camo Backwards Cap" - }, - "19": { - "GXT": "CLO_H3F_PH_6_19", - "Localized": "Cobble Backwards Cap" - }, - "20": { - "GXT": "CLO_H3F_PH_6_20", - "Localized": "Green Snakeskin Backwards Cap" - }, - "21": { - "GXT": "CLO_H3F_PH_6_21", - "Localized": "Purple Snakeskin Backwards Cap" - } - }, - "150": { - "0": { - "GXT": "CLO_H4F_PH_1_0", - "Localized": "Enus Yeti Forwards Cap" - }, - "1": { - "GXT": "CLO_H4F_PH_1_1", - "Localized": "720 Forwards Cap" - }, - "2": { - "GXT": "CLO_H4F_PH_1_2", - "Localized": "Exsorbeo 720 Forwards Cap" - }, - "3": { - "GXT": "CLO_H4F_PH_1_3", - "Localized": "Güffy Double Logo Forwards Cap" - }, - "4": { - "GXT": "CLO_H4F_PH_1_4", - "Localized": "Rockstar Forwards Cap" - }, - "5": { - "GXT": "CLO_H4F_PH_1_5", - "Localized": "Civilist White Forwards Cap" - }, - "6": { - "GXT": "CLO_H4F_PH_1_6", - "Localized": "Civilist Black Forwards Cap" - }, - "7": { - "GXT": "CLO_H4F_PH_1_7", - "Localized": "Civilist Orange Forwards Cap" - } - }, - "151": { - "0": { - "GXT": "CLO_H4F_PH_2_0", - "Localized": "Enus Yeti Backwards Cap" - }, - "1": { - "GXT": "CLO_H4F_PH_2_1", - "Localized": "720 Backwards Cap" - }, - "2": { - "GXT": "CLO_H4F_PH_2_2", - "Localized": "Exsorbeo 720 Backwards Cap" - }, - "3": { - "GXT": "CLO_H4F_PH_2_3", - "Localized": "Güffy Double Logo Backwards Cap" - }, - "4": { - "GXT": "CLO_H4F_PH_2_4", - "Localized": "Rockstar Backwards Cap" - }, - "5": { - "GXT": "CLO_H4F_PH_2_5", - "Localized": "Civilist White Backwards Cap" - }, - "6": { - "GXT": "CLO_H4F_PH_2_6", - "Localized": "Civilist Black Backwards Cap" - }, - "7": { - "GXT": "CLO_H4F_PH_2_7", - "Localized": "Civilist Orange Backwards Cap" - } - }, - "153": { - "0": { - "GXT": "CLO_TRF_PH_1_0", - "Localized": "Sprunk Forwards Cap" - }, - "1": { - "GXT": "CLO_TRF_PH_1_1", - "Localized": "eCola Forwards Cap" - }, - "2": { - "GXT": "CLO_TRF_PH_1_2", - "Localized": "Broker Forwards Cap" - }, - "3": { - "GXT": "CLO_TRF_PH_1_3", - "Localized": "Light Dinka Forwards Cap" - }, - "4": { - "GXT": "CLO_TRF_PH_1_4", - "Localized": "Dark Dinka Forwards Cap" - }, - "5": { - "GXT": "CLO_TRF_PH_1_5", - "Localized": "White Güffy Forwards Cap" - }, - "6": { - "GXT": "CLO_TRF_PH_1_6", - "Localized": "Black Güffy Forwards Cap" - }, - "7": { - "GXT": "CLO_TRF_PH_1_7", - "Localized": "Annis Forwards Cap" - }, - "8": { - "GXT": "CLO_TRF_PH_1_8", - "Localized": "Hellion Forwards Cap" - }, - "9": { - "GXT": "CLO_TRF_PH_1_9", - "Localized": "Emperor Forwards Cap" - }, - "10": { - "GXT": "CLO_TRF_PH_1_10", - "Localized": "Karin Forwards Cap" - }, - "11": { - "GXT": "CLO_TRF_PH_1_11", - "Localized": "Lampadati Forwards Cap" - }, - "12": { - "GXT": "CLO_TRF_PH_1_12", - "Localized": "Omnis Forwards Cap" - }, - "13": { - "GXT": "CLO_TRF_PH_1_13", - "Localized": "Vapid Forwards Cap" - } - }, - "154": { - "0": { - "GXT": "CLO_TRF_PH_2_0", - "Localized": "Sprunk Backwards Cap" - }, - "1": { - "GXT": "CLO_TRF_PH_2_1", - "Localized": "eCola Backwards Cap" - }, - "2": { - "GXT": "CLO_TRF_PH_2_2", - "Localized": "Broker Backwards Cap" - }, - "3": { - "GXT": "CLO_TRF_PH_2_3", - "Localized": "Light Dinka Backwards Cap" - }, - "4": { - "GXT": "CLO_TRF_PH_2_4", - "Localized": "Dark Dinka Backwards Cap" - }, - "5": { - "GXT": "CLO_TRF_PH_2_5", - "Localized": "White Güffy Backwards Cap" - }, - "6": { - "GXT": "CLO_TRF_PH_2_6", - "Localized": "Black Güffy Backwards Cap" - }, - "7": { - "GXT": "CLO_TRF_PH_2_7", - "Localized": "Annis Backwards Cap" - }, - "8": { - "GXT": "CLO_TRF_PH_2_8", - "Localized": "Hellion Backwards Cap" - }, - "9": { - "GXT": "CLO_TRF_PH_2_9", - "Localized": "Emperor Backwards Cap" - }, - "10": { - "GXT": "CLO_TRF_PH_2_10", - "Localized": "Karin Backwards Cap" - }, - "11": { - "GXT": "CLO_TRF_PH_2_11", - "Localized": "Lampadati Backwards Cap" - }, - "12": { - "GXT": "CLO_TRF_PH_2_12", - "Localized": "Omnis Backwards Cap" - }, - "13": { - "GXT": "CLO_TRF_PH_2_13", - "Localized": "Vapid Backwards Cap" - } - }, - "155": { - "0": { - "GXT": "CLO_FXF_PH_0_0", - "Localized": "Pink Curved Forwards" - }, - "1": { - "GXT": "CLO_FXF_PH_0_1", - "Localized": "Yellow Curved Forwards" - }, - "2": { - "GXT": "CLO_FXF_PH_0_2", - "Localized": "Gray Curved Forwards" - }, - "3": { - "GXT": "CLO_FXF_PH_0_3", - "Localized": "Navy Curved Forwards" - }, - "4": { - "GXT": "CLO_FXF_PH_0_4", - "Localized": "Red Curved Forwards" - }, - "5": { - "GXT": "CLO_FXF_PH_0_5", - "Localized": "Beige Curved Forwards" - }, - "6": { - "GXT": "CLO_FXF_PH_0_6", - "Localized": "Salmon Curved Forwards" - }, - "7": { - "GXT": "CLO_FXF_PH_0_7", - "Localized": "Orange Curved Forwards" - }, - "8": { - "GXT": "CLO_FXF_PH_0_8", - "Localized": "Chocolate Curved Forwards" - }, - "9": { - "GXT": "CLO_FXF_PH_0_9", - "Localized": "Slate Curved Forwards" - }, - "10": { - "GXT": "CLO_FXF_PH_0_10", - "Localized": "Ice Curved Forwards" - }, - "11": { - "GXT": "CLO_FXF_PH_0_11", - "Localized": "Crimson Curved Forwards" - }, - "12": { - "GXT": "CLO_FXF_PH_0_12", - "Localized": "Green Curved Forwards" - }, - "13": { - "GXT": "CLO_FXF_PH_0_13", - "Localized": "Blue Curved Forwards" - }, - "14": { - "GXT": "CLO_FXF_PH_0_14", - "Localized": "Olive Curved Forwards" - }, - "15": { - "GXT": "CLO_FXF_PH_0_15", - "Localized": "Maroon Curved Forwards" - }, - "16": { - "GXT": "CLO_FXF_PH_0_16", - "Localized": "Lemon Curved Forwards" - }, - "17": { - "GXT": "CLO_FXF_PH_0_17", - "Localized": "Hot Pink Curved Forwards" - }, - "18": { - "GXT": "CLO_FXF_PH_0_18", - "Localized": "Black Curved Forwards" - }, - "19": { - "GXT": "CLO_FXF_PH_0_19", - "Localized": "Contrast Camo Curved Forwards" - }, - "20": { - "GXT": "CLO_FXF_PH_0_20", - "Localized": "Aqua Camo Curved Forwards" - }, - "21": { - "GXT": "CLO_FXF_PH_0_21", - "Localized": "Brushstroke Curved Forwards" - }, - "22": { - "GXT": "CLO_FXF_PH_0_22", - "Localized": "Brown Digital Curved Forwards" - }, - "23": { - "GXT": "CLO_FXF_PH_0_23", - "Localized": "Gray Woodland Curved Forwards" - }, - "24": { - "GXT": "CLO_FXF_PH_0_24", - "Localized": "Vibrant Heat Curved Forwards" - }, - "25": { - "GXT": "CLO_FXF_PH_0_25", - "Localized": "Navy Prolaps Curved Forwards" - } - }, - "156": { - "0": { - "GXT": "CLO_FXF_PH_1_0", - "Localized": "Pink Curved Backwards" - }, - "1": { - "GXT": "CLO_FXF_PH_1_1", - "Localized": "Yellow Curved Backwards" - }, - "2": { - "GXT": "CLO_FXF_PH_1_2", - "Localized": "Gray Curved Backwards" - }, - "3": { - "GXT": "CLO_FXF_PH_1_3", - "Localized": "Navy Curved Backwards" - }, - "4": { - "GXT": "CLO_FXF_PH_1_4", - "Localized": "Red Curved Backwards" - }, - "5": { - "GXT": "CLO_FXF_PH_1_5", - "Localized": "Beige Curved Backwards" - }, - "6": { - "GXT": "CLO_FXF_PH_1_6", - "Localized": "Salmon Curved Backwards" - }, - "7": { - "GXT": "CLO_FXF_PH_1_7", - "Localized": "Orange Curved Backwards" - }, - "8": { - "GXT": "CLO_FXF_PH_1_8", - "Localized": "Chocolate Curved Backwards" - }, - "9": { - "GXT": "CLO_FXF_PH_1_9", - "Localized": "Slate Curved Backwards" - }, - "10": { - "GXT": "CLO_FXF_PH_1_10", - "Localized": "Ice Curved Backwards" - }, - "11": { - "GXT": "CLO_FXF_PH_1_11", - "Localized": "Crimson Curved Backwards" - }, - "12": { - "GXT": "CLO_FXF_PH_1_12", - "Localized": "Green Curved Backwards" - }, - "13": { - "GXT": "CLO_FXF_PH_1_13", - "Localized": "Blue Curved Backwards" - }, - "14": { - "GXT": "CLO_FXF_PH_1_14", - "Localized": "Olive Curved Backwards" - }, - "15": { - "GXT": "CLO_FXF_PH_1_15", - "Localized": "Maroon Curved Backwards" - }, - "16": { - "GXT": "CLO_FXF_PH_1_16", - "Localized": "Lemon Curved Backwards" - }, - "17": { - "GXT": "CLO_FXF_PH_1_17", - "Localized": "Hot Pink Curved Backwards" - }, - "18": { - "GXT": "CLO_FXF_PH_1_18", - "Localized": "Black Curved Backwards" - }, - "19": { - "GXT": "CLO_FXF_PH_1_19", - "Localized": "Contrast Camo Curved Backwards" - }, - "20": { - "GXT": "CLO_FXF_PH_1_20", - "Localized": "Aqua Camo Curved Backwards" - }, - "21": { - "GXT": "CLO_FXF_PH_1_21", - "Localized": "Brushstroke Curved Backwards" - }, - "22": { - "GXT": "CLO_FXF_PH_1_22", - "Localized": "Brown Digital Curved Backwards" - }, - "23": { - "GXT": "CLO_FXF_PH_1_23", - "Localized": "Gray Woodland Curved Backwards" - }, - "24": { - "GXT": "CLO_FXF_PH_1_24", - "Localized": "Vibrant Heat Curved Backwards" - }, - "25": { - "GXT": "CLO_FXF_PH_1_25", - "Localized": "Navy Prolaps Curved Backwards" - } - }, - "157": { - "0": { - "GXT": "CLO_FXF_PH_2_0", - "Localized": "Pink Flat Forwards" - }, - "1": { - "GXT": "CLO_FXF_PH_2_1", - "Localized": "Yellow Flat Forwards" - }, - "2": { - "GXT": "CLO_FXF_PH_2_2", - "Localized": "Gray Flat Forwards" - }, - "3": { - "GXT": "CLO_FXF_PH_2_3", - "Localized": "Navy Flat Forwards" - }, - "4": { - "GXT": "CLO_FXF_PH_2_4", - "Localized": "Red Flat Forwards" - }, - "5": { - "GXT": "CLO_FXF_PH_2_5", - "Localized": "Beige Flat Forwards" - }, - "6": { - "GXT": "CLO_FXF_PH_2_6", - "Localized": "Salmon Flat Forwards" - }, - "7": { - "GXT": "CLO_FXF_PH_2_7", - "Localized": "Orange Flat Forwards" - }, - "8": { - "GXT": "CLO_FXF_PH_2_8", - "Localized": "Chocolate Flat Forwards" - }, - "9": { - "GXT": "CLO_FXF_PH_2_9", - "Localized": "Slate Flat Forwards" - }, - "10": { - "GXT": "CLO_FXF_PH_2_10", - "Localized": "Ice Flat Forwards" - }, - "11": { - "GXT": "CLO_FXF_PH_2_11", - "Localized": "Crimson Flat Forwards" - }, - "12": { - "GXT": "CLO_FXF_PH_2_12", - "Localized": "Green Flat Forwards" - }, - "13": { - "GXT": "CLO_FXF_PH_2_13", - "Localized": "Blue Flat Forwards" - }, - "14": { - "GXT": "CLO_FXF_PH_2_14", - "Localized": "Olive Flat Forwards" - }, - "15": { - "GXT": "CLO_FXF_PH_2_15", - "Localized": "Maroon Flat Forwards" - }, - "16": { - "GXT": "CLO_FXF_PH_2_16", - "Localized": "Lemon Flat Forwards" - }, - "17": { - "GXT": "CLO_FXF_PH_2_17", - "Localized": "Hot Pink Flat Forwards" - }, - "18": { - "GXT": "CLO_FXF_PH_2_18", - "Localized": "Black Flat Forwards" - }, - "19": { - "GXT": "CLO_FXF_PH_2_19", - "Localized": "Contrast Camo Flat Forwards" - }, - "20": { - "GXT": "CLO_FXF_PH_2_20", - "Localized": "Aqua Camo Flat Forwards" - }, - "21": { - "GXT": "CLO_FXF_PH_2_21", - "Localized": "Brushstroke Flat Forwards" - }, - "22": { - "GXT": "CLO_FXF_PH_2_22", - "Localized": "Brown Digital Flat Forwards" - }, - "23": { - "GXT": "CLO_FXF_PH_2_23", - "Localized": "Gray Woodland Flat Forwards" - }, - "24": { - "GXT": "CLO_FXF_PH_2_24", - "Localized": "Vibrant Heat Flat Forwards" - }, - "25": { - "GXT": "CLO_FXF_PH_2_25", - "Localized": "White Prolaps Flat Forwards" - } - }, - "158": { - "0": { - "GXT": "CLO_FXF_PH_3_0", - "Localized": "Navy Prolaps Flat Forwards" - }, - "1": { - "GXT": "CLO_FXF_PH_3_1", - "Localized": "Green Prolaps Flat Forwards" - } - }, - "159": { - "0": { - "GXT": "CLO_FXF_PH_4_0", - "Localized": "Pink Flat Backwards" - }, - "1": { - "GXT": "CLO_FXF_PH_4_1", - "Localized": "Yellow Flat Backwards" - }, - "2": { - "GXT": "CLO_FXF_PH_4_2", - "Localized": "Gray Flat Backwards" - }, - "3": { - "GXT": "CLO_FXF_PH_4_3", - "Localized": "Navy Flat Backwards" - }, - "4": { - "GXT": "CLO_FXF_PH_4_4", - "Localized": "Red Flat Backwards" - }, - "5": { - "GXT": "CLO_FXF_PH_4_5", - "Localized": "Beige Flat Backwards" - }, - "6": { - "GXT": "CLO_FXF_PH_4_6", - "Localized": "Salmon Flat Backwards" - }, - "7": { - "GXT": "CLO_FXF_PH_4_7", - "Localized": "Orange Flat Backwards" - }, - "8": { - "GXT": "CLO_FXF_PH_4_8", - "Localized": "Chocolate Flat Backwards" - }, - "9": { - "GXT": "CLO_FXF_PH_4_9", - "Localized": "Slate Flat Backwards" - }, - "10": { - "GXT": "CLO_FXF_PH_4_10", - "Localized": "Ice Flat Backwards" - }, - "11": { - "GXT": "CLO_FXF_PH_4_11", - "Localized": "Crimson Flat Backwards" - }, - "12": { - "GXT": "CLO_FXF_PH_4_12", - "Localized": "Green Flat Backwards" - }, - "13": { - "GXT": "CLO_FXF_PH_4_13", - "Localized": "Blue Flat Backwards" - }, - "14": { - "GXT": "CLO_FXF_PH_4_14", - "Localized": "Olive Flat Backwards" - }, - "15": { - "GXT": "CLO_FXF_PH_4_15", - "Localized": "Maroon Flat Backwards" - }, - "16": { - "GXT": "CLO_FXF_PH_4_16", - "Localized": "Lemon Flat Backwards" - }, - "17": { - "GXT": "CLO_FXF_PH_4_17", - "Localized": "Hot Pink Flat Backwards" - }, - "18": { - "GXT": "CLO_FXF_PH_4_18", - "Localized": "Black Flat Backwards" - }, - "19": { - "GXT": "CLO_FXF_PH_4_19", - "Localized": "Contrast Camo Flat Backwards" - }, - "20": { - "GXT": "CLO_FXF_PH_4_20", - "Localized": "Aqua Camo Flat Backwards" - }, - "21": { - "GXT": "CLO_FXF_PH_4_21", - "Localized": "Brushstroke Flat Backwards" - }, - "22": { - "GXT": "CLO_FXF_PH_4_22", - "Localized": "Brown Digital Flat Backwards" - }, - "23": { - "GXT": "CLO_FXF_PH_4_23", - "Localized": "Gray Woodland Flat Backwards" - }, - "24": { - "GXT": "CLO_FXF_PH_4_24", - "Localized": "Vibrant Heat Flat Backwards" - }, - "25": { - "GXT": "CLO_FXF_PH_4_25", - "Localized": "White Prolaps Flat Backwards" - } - }, - "160": { - "0": { - "GXT": "CLO_FXF_PH_5_0", - "Localized": "Navy Prolaps Flat Backwards" - }, - "1": { - "GXT": "CLO_FXF_PH_5_1", - "Localized": "Green Prolaps Flat Backwards" - } - }, - "161": { - "0": { - "GXT": "CLO_FXF_PH_6_0", - "Localized": "Purple Broker Forwards" - }, - "1": { - "GXT": "CLO_FXF_PH_6_1", - "Localized": "Gray Broker Forwards" - }, - "2": { - "GXT": "CLO_FXF_PH_6_2", - "Localized": "Black Trickster Forwards" - }, - "3": { - "GXT": "CLO_FXF_PH_6_3", - "Localized": "Yellow Trickster Forwards" - }, - "4": { - "GXT": "CLO_FXF_PH_6_4", - "Localized": "Yellow Camo Trickster Forwards" - }, - "5": { - "GXT": "CLO_FXF_PH_6_5", - "Localized": "Black VDG Forwards" - }, - "6": { - "GXT": "CLO_FXF_PH_6_6", - "Localized": "Yellow VDG Forwards" - }, - "7": { - "GXT": "CLO_FXF_PH_6_7", - "Localized": "Black Pounders Forwards" - }, - "8": { - "GXT": "CLO_FXF_PH_6_8", - "Localized": "White Pounders Forwards" - } - }, - "162": { - "0": { - "GXT": "CLO_FXF_PH_7_0", - "Localized": "Purple Broker Backwards" - }, - "1": { - "GXT": "CLO_FXF_PH_7_1", - "Localized": "Gray Broker Backwards" - }, - "2": { - "GXT": "CLO_FXF_PH_7_2", - "Localized": "Black Trickster Backwards" - }, - "3": { - "GXT": "CLO_FXF_PH_7_3", - "Localized": "Yellow Trickster Backwards" - }, - "4": { - "GXT": "CLO_FXF_PH_7_4", - "Localized": "Yellow Camo Trickster Backwards" - }, - "5": { - "GXT": "CLO_FXF_PH_7_5", - "Localized": "Black VDG Backwards" - }, - "6": { - "GXT": "CLO_FXF_PH_7_6", - "Localized": "Yellow VDG Backwards" - }, - "7": { - "GXT": "CLO_FXF_PH_7_7", - "Localized": "Black Pounders Backwards" - }, - "8": { - "GXT": "CLO_FXF_PH_7_8", - "Localized": "White Pounders Backwards" - } - } - }, - "Costume": { - "23": { - "0": { - "GXT": "CLO_XMAS_H_0_0", - "Localized": "Red Santa Hat" - }, - "1": { - "GXT": "CLO_XMAS_H_0_1", - "Localized": "Green Santa Hat" - } - }, - "24": { - "0": { - "GXT": "CLO_XMAS_H_1_0", - "Localized": "Elf Hat" - } - }, - "25": { - "0": { - "GXT": "CLO_XMAS_H_2_0", - "Localized": "Reindeer Antlers" - } - }, - "30": { - "0": { - "GXT": "CLO_INDF_HT_0_0", - "Localized": "USA Bucket Hat" - } - }, - "31": { - "0": { - "GXT": "CLO_INDF_HT_1_0", - "Localized": "USA Top Hat" - } - }, - "32": { - "0": { - "GXT": "CLO_INDF_HT_2_0", - "Localized": "Red Top Foam Hat" - }, - "1": { - "GXT": "CLO_INDF_HT_2_1", - "Localized": "Blue Top Foam Hat" - } - }, - "34": { - "0": { - "GXT": "CLO_INDF_HT_4_0", - "Localized": "USA Crown" - } - }, - "35": { - "0": { - "GXT": "CLO_INDF_HT_5_0", - "Localized": "USA Boppers" - } - }, - "36": { - "0": { - "GXT": "CLO_INDF_HT_6_0", - "Localized": "Pisswasser Beer Hat" - }, - "1": { - "GXT": "CLO_INDF_HT_6_1", - "Localized": "Benedict Beer Hat" - }, - "2": { - "GXT": "CLO_INDF_HT_6_2", - "Localized": "J Lager Beer Hat" - }, - "3": { - "GXT": "CLO_INDF_HT_6_3", - "Localized": "Patriot Beer Hat" - }, - "4": { - "GXT": "CLO_INDF_HT_6_4", - "Localized": "Blarneys Beer Hat" - }, - "5": { - "GXT": "CLO_INDF_HT_6_5", - "Localized": "Supa Wet Beer Hat" - } - }, - "37": { - "0": { - "GXT": "CLO_PIF_HT_0_0", - "Localized": "Flight Helmet" - } - }, - "38": { - "0": { - "GXT": "CLO_LTSFH_0_0", - "Localized": "Black Bulletproof" - }, - "1": { - "GXT": "CLO_LTSFH_0_1", - "Localized": "Gray Bulletproof" - }, - "2": { - "GXT": "CLO_LTSFH_0_2", - "Localized": "Charcoal Bulletproof" - }, - "3": { - "GXT": "CLO_LTSFH_0_3", - "Localized": "Tan Bulletproof" - }, - "4": { - "GXT": "CLO_LTSFH_0_4", - "Localized": "Forest Bulletproof" - } - }, - "39": { - "0": { - "GXT": "CLO_X2F_HT_0_0", - "Localized": "Classic Tree" - }, - "1": { - "GXT": "CLO_X2F_HT_0_1", - "Localized": "Purple Tree" - }, - "2": { - "GXT": "CLO_X2F_HT_0_2", - "Localized": "Holly Tree" - }, - "3": { - "GXT": "CLO_X2F_HT_0_3", - "Localized": "Red Stripy Tree" - }, - "4": { - "GXT": "CLO_X2F_HT_0_4", - "Localized": "Green Stripy Tree" - }, - "5": { - "GXT": "CLO_X2F_HT_0_5", - "Localized": "Star Tree" - }, - "6": { - "GXT": "CLO_X2F_HT_0_6", - "Localized": "Santa Tree" - }, - "7": { - "GXT": "CLO_X2F_HT_0_7", - "Localized": "Elf Tree" - } - }, - "40": { - "0": { - "GXT": "CLO_X2F_HT_1_0", - "Localized": "Pudding Woolly Knit" - } - }, - "41": { - "0": { - "GXT": "CLO_X2F_HT_2_0", - "Localized": "Cheeky Elf Woolly Trail" - }, - "1": { - "GXT": "CLO_X2F_HT_2_1", - "Localized": "Naughty Elf Woolly Trail" - }, - "2": { - "GXT": "CLO_X2F_HT_2_2", - "Localized": "Happy Elf Woolly Trail" - }, - "3": { - "GXT": "CLO_X2F_HT_2_3", - "Localized": "Silly Elf Woolly Trail" - } - }, - "42": { - "0": { - "GXT": "CLO_X2F_HT_3_0", - "Localized": "Clan Tartan Bobble" - }, - "1": { - "GXT": "CLO_X2F_HT_3_1", - "Localized": "Highland Tartan Bobble" - }, - "2": { - "GXT": "CLO_X2F_HT_3_2", - "Localized": "Chieftain Tartan Bobble" - }, - "3": { - "GXT": "CLO_X2F_HT_3_3", - "Localized": "Heritage Tartan Bobble" - } - }, - "44": { - "0": { - "GXT": "CLO_X2F_HT_5_0", - "Localized": "Naughty Flipped Cap" - }, - "1": { - "GXT": "CLO_X2F_HT_5_1", - "Localized": "Black Ho Ho Ho Flipped Cap" - }, - "2": { - "GXT": "CLO_X2F_HT_5_2", - "Localized": "Blue Snowflake Flipped Cap" - }, - "3": { - "GXT": "CLO_X2F_HT_5_3", - "Localized": "Nice Flipped Cap" - }, - "4": { - "GXT": "CLO_X2F_HT_5_4", - "Localized": "Green Ho Ho Ho Flipped Cap" - }, - "5": { - "GXT": "CLO_X2F_HT_5_5", - "Localized": "Red Snowflake Flipped Cap" - }, - "6": { - "GXT": "CLO_X2F_HT_5_6", - "Localized": "Gingerbread Flipped Cap" - }, - "7": { - "GXT": "CLO_X2F_HT_5_7", - "Localized": "Bah Humbug Flipped Cap" - } - }, - "47": { - "0": { - "GXT": "CLO_HSTF_H_2", - "Localized": "Glossy Black Off-road" - } - }, - "48": { - "0": { - "GXT": "CLO_HSTF_H_3", - "Localized": "Matte Black Off-road" - } - }, - "49": { - "0": { - "GXT": "CLO_HSTF_H_4", - "Localized": "Glossy All Black Biker" - } - }, - "50": { - "0": { - "GXT": "CLO_HSTF_H_5", - "Localized": "Glossy Mirrored Biker" - } - }, - "51": { - "0": { - "GXT": "CLO_HSTF_H_6", - "Localized": "Matte All Black Biker" - } - }, - "52": { - "0": { - "GXT": "CLO_HSTF_H_7", - "Localized": "Matte Mirrored Biker" - } - }, - "96": { - "0": { - "GXT": "CLO_X4F_PH_1_0", - "Localized": "Glow Classic Tree" - }, - "1": { - "GXT": "CLO_X4F_PH_1_1", - "Localized": "Glow Purple Tree" - }, - "2": { - "GXT": "CLO_X4F_PH_1_2", - "Localized": "Glow Holly Tree" - }, - "3": { - "GXT": "CLO_X4F_PH_1_3", - "Localized": "Glow Star Tree" - } - }, - "97": { - "0": { - "GXT": "CLO_X4F_PH_2_0", - "Localized": "Glow Pudding Woolly Knit" - } - }, - "98": { - "0": { - "GXT": "CLO_X4F_PH_3_0", - "Localized": "Glow Cheeky Elf Woolly Trail" - } - }, - "99": { - "0": { - "GXT": "CLO_X4F_PH_4_0", - "Localized": "Glow Elf Hat" - } - }, - "100": { - "0": { - "GXT": "CLO_X4F_PH_5_0", - "Localized": "Glow Reindeer Antlers" - } - }, - "112": { - "4": { - "GXT": "CLO_SMF_PH_1_4", - "Localized": "Aqua Camo Peaked Cap" - }, - "10": { - "GXT": "CLO_SMF_PH_1_10", - "Localized": "Light Brown Peaked Cap" - }, - "11": { - "GXT": "CLO_SMF_PH_1_11", - "Localized": "Moss Peaked Cap" - }, - "12": { - "GXT": "CLO_SMF_PH_1_12", - "Localized": "Gray Digital Peaked Cap" - }, - "13": { - "GXT": "CLO_SMF_PH_1_13", - "Localized": "Dark Woodland Peaked Cap" - }, - "14": { - "GXT": "CLO_SMF_PH_1_14", - "Localized": "Red Peaked Cap" - }, - "15": { - "GXT": "CLO_SMF_PH_1_15", - "Localized": "Chocolate Peaked Cap" - }, - "17": { - "GXT": "NO_LABEL", - "Localized": "Képi cérémonie Sand" - }, - "19": { - "GXT": "NO_LABEL", - "Localized": "Képi cérémonie Rose" - } - }, - "113": { - "0": { - "GXT": "CLO_SMF_PH_2_0", - "Localized": "White & Gold Garrison Cap" - }, - "1": { - "GXT": "CLO_SMF_PH_2_1", - "Localized": "White & Blue Garrison Cap" - }, - "2": { - "GXT": "CLO_SMF_PH_2_2", - "Localized": "Gray Leopard Garrison Cap" - }, - "3": { - "GXT": "CLO_SMF_PH_2_3", - "Localized": "Navy Garrison Cap" - }, - "4": { - "GXT": "CLO_SMF_PH_2_4", - "Localized": "Blue Garrison Cap" - }, - "5": { - "GXT": "CLO_SMF_PH_2_5", - "Localized": "Teal Garrison Cap" - }, - "6": { - "GXT": "CLO_SMF_PH_2_6", - "Localized": "Aqua Camo Garrison Cap" - }, - "7": { - "GXT": "CLO_SMF_PH_2_7", - "Localized": "Black Garrison Cap" - }, - "8": { - "GXT": "CLO_SMF_PH_2_8", - "Localized": "Chocolate Garrison Cap" - }, - "9": { - "GXT": "CLO_SMF_PH_2_9", - "Localized": "Red Garrison Cap" - }, - "10": { - "GXT": "CLO_SMF_PH_2_10", - "Localized": "Red & Navy Garrison Cap" - }, - "11": { - "GXT": "CLO_SMF_PH_2_11", - "Localized": "Red Camo Garrison Cap" - }, - "12": { - "GXT": "CLO_SMF_PH_2_12", - "Localized": "Brushstroke Garrison Cap" - }, - "13": { - "GXT": "CLO_SMF_PH_2_13", - "Localized": "Moss Garrison Cap" - }, - "14": { - "GXT": "CLO_SMF_PH_2_14", - "Localized": "Brown Digital Garrison Cap" - }, - "15": { - "GXT": "CLO_SMF_PH_2_15", - "Localized": "Beige Garrison Cap" - }, - "16": { - "GXT": "CLO_SMF_PH_2_16", - "Localized": "White Camo Garrison Cap" - }, - "17": { - "GXT": "CLO_SMF_PH_2_17", - "Localized": "Gray Garrison Cap" - }, - "18": { - "GXT": "CLO_SMF_PH_2_18", - "Localized": "Zebra Garrison Cap" - } - }, - "144": { - "0": { - "GXT": "CLO_H3F_PH_8_0", - "Localized": "Yellow Construction Helmet" - }, - "1": { - "GXT": "CLO_H3F_PH_8_1", - "Localized": "Orange Construction Helmet" - }, - "2": { - "GXT": "CLO_H3F_PH_8_2", - "Localized": "White Construction Helmet" - }, - "3": { - "GXT": "CLO_H3F_PH_8_3", - "Localized": "Blue Construction Helmet" - } - }, - "152": { - "0": { - "GXT": "CLO_TRF_PH_0_0", - "Localized": "Frontier Hat" - } - } - }, - "Luxe": { - "11": { - "1": { - "GXT": "HT_FMF_11_1", - "Localized": "Black Sun Hat" - } - }, - "13": { - "0": { - "GXT": "HT_FMF_13_0", - "Localized": "Tan Straw Hat" - }, - "1": { - "GXT": "HT_FMF_13_1", - "Localized": "Two-Tone Straw Hat" - }, - "2": { - "GXT": "HT_FMF_13_2", - "Localized": "Brown Straw Hat" - }, - "3": { - "GXT": "HT_FMF_13_3", - "Localized": "Safari Straw Hat" - }, - "4": { - "GXT": "HT_FMF_13_4", - "Localized": "Gray Patterned Straw Hat" - }, - "5": { - "GXT": "HT_FMF_13_5", - "Localized": "Brown Striped Straw Hat" - }, - "6": { - "GXT": "HT_FMF_13_6", - "Localized": "Gray Straw Hat" - }, - "7": { - "GXT": "HT_FMF_13_7", - "Localized": "Navy Straw Hat" - } - }, - "22": { - "0": { - "GXT": "CLO_BBF_P4_0", - "Localized": "Beige Sun Hat" - }, - "1": { - "GXT": "CLO_BBF_P4_1", - "Localized": "Cream Sun Hat" - }, - "2": { - "GXT": "CLO_BBF_P4_2", - "Localized": "Navy Sun Hat" - }, - "3": { - "GXT": "CLO_BBF_P4_3", - "Localized": "Two-Tone Sun Hat" - }, - "4": { - "GXT": "CLO_BBF_P4_4", - "Localized": "Dark Brown Sun Hat" - }, - "5": { - "GXT": "CLO_BBF_P4_5", - "Localized": "MyMy Passion Sun Hat" - }, - "6": { - "GXT": "CLO_BBF_P4_6", - "Localized": "MyMy Wild Sun Hat" - } - }, - "26": { - "0": { - "GXT": "CLO_BUS_P_0_0", - "Localized": "Black Bowler Hat" - }, - "1": { - "GXT": "CLO_BUS_P_0_1", - "Localized": "Gray Bowler Hat" - }, - "2": { - "GXT": "CLO_BUS_P_0_2", - "Localized": "Blue Bowler Hat" - }, - "3": { - "GXT": "CLO_BUS_P_0_3", - "Localized": "Light Gray Bowler Hat" - }, - "4": { - "GXT": "CLO_BUS_P_0_4", - "Localized": "Olive Bowler Hat" - }, - "5": { - "GXT": "CLO_BUS_P_0_5", - "Localized": "Purple Bowler Hat" - }, - "6": { - "GXT": "CLO_BUS_P_0_6", - "Localized": "Lobster Bowler Hat" - }, - "7": { - "GXT": "CLO_BUS_P_0_7", - "Localized": "Brown Bowler Hat" - }, - "8": { - "GXT": "CLO_BUS_P_0_8", - "Localized": "Vintage Bowler Hat" - }, - "9": { - "GXT": "CLO_BUS_P_0_9", - "Localized": "Cream Bowler Hat" - }, - "10": { - "GXT": "CLO_BUS_P_0_10", - "Localized": "Ash Bowler Hat" - }, - "11": { - "GXT": "CLO_BUS_P_0_11", - "Localized": "Navy Bowler Hat" - }, - "12": { - "GXT": "CLO_BUS_P_0_12", - "Localized": "Silver Bowler Hat" - }, - "13": { - "GXT": "CLO_BUS_P_0_13", - "Localized": "White Bowler Hat" - } - }, - "27": { - "0": { - "GXT": "CLO_BUS_P_1_0", - "Localized": "Black Top Hat" - }, - "1": { - "GXT": "CLO_BUS_P_1_1", - "Localized": "Gray Top Hat" - }, - "2": { - "GXT": "CLO_BUS_P_1_2", - "Localized": "Blue Top Hat" - }, - "3": { - "GXT": "CLO_BUS_P_1_3", - "Localized": "Light Gray Top Hat" - }, - "4": { - "GXT": "CLO_BUS_P_1_4", - "Localized": "Olive Top Hat" - }, - "5": { - "GXT": "CLO_BUS_P_1_5", - "Localized": "Purple Top Hat" - }, - "6": { - "GXT": "CLO_BUS_P_1_6", - "Localized": "Lobster Top Hat" - }, - "7": { - "GXT": "CLO_BUS_P_1_7", - "Localized": "Brown Top Hat" - }, - "8": { - "GXT": "CLO_BUS_P_1_8", - "Localized": "Vintage Top Hat" - }, - "9": { - "GXT": "CLO_BUS_P_1_9", - "Localized": "Cream Top Hat" - }, - "10": { - "GXT": "CLO_BUS_P_1_10", - "Localized": "Ash Top Hat" - }, - "11": { - "GXT": "CLO_BUS_P_1_11", - "Localized": "Navy Top Hat" - }, - "12": { - "GXT": "CLO_BUS_P_1_12", - "Localized": "Silver Top Hat" - }, - "13": { - "GXT": "CLO_BUS_P_1_13", - "Localized": "White Top Hat" - } - }, - "28": { - "0": { - "GXT": "CLO_HP_F_H_0_0", - "Localized": "Brown Fedora" - }, - "1": { - "GXT": "CLO_HP_F_H_0_1", - "Localized": "Cream Fedora" - }, - "2": { - "GXT": "CLO_HP_F_H_0_2", - "Localized": "White Fedora" - }, - "3": { - "GXT": "CLO_HP_F_H_0_3", - "Localized": "Black Fedora" - }, - "4": { - "GXT": "CLO_HP_F_H_0_4", - "Localized": "Gray Fedora" - }, - "5": { - "GXT": "CLO_HP_F_H_0_5", - "Localized": "Red Plaid Fedora" - }, - "6": { - "GXT": "CLO_HP_F_H_0_6", - "Localized": "Brown Plaid Fedora" - }, - "7": { - "GXT": "CLO_HP_F_H_0_7", - "Localized": "Pink Fedora" - } - }, - "54": { - "0": { - "GXT": "CLO_L2F_H_0_0", - "Localized": "Tan Cashmere Fedora" - }, - "1": { - "GXT": "CLO_L2F_H_0_1", - "Localized": "Light Gray Cashmere Fedora" - }, - "2": { - "GXT": "CLO_L2F_H_0_2", - "Localized": "Brown Cashmere Fedora" - }, - "3": { - "GXT": "CLO_L2F_H_0_3", - "Localized": "Red Cashmere Fedora" - }, - "4": { - "GXT": "CLO_L2F_H_0_4", - "Localized": "Gray Cashmere Fedora" - }, - "5": { - "GXT": "CLO_L2F_H_0_5", - "Localized": "Navy Cashmere Fedora" - }, - "6": { - "GXT": "CLO_L2F_H_0_6", - "Localized": "Green Cashmere Fedora" - }, - "7": { - "GXT": "CLO_L2F_H_0_7", - "Localized": "White Cashmere Fedora" - } - }, - "61": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Noir" - } - }, - "94": { - "0": { - "GXT": "CLO_BIF_PH_12_0", - "Localized": "Cream Mod Pork Pie" - }, - "1": { - "GXT": "CLO_BIF_PH_12_1", - "Localized": "Red Mod Pork Pie" - }, - "2": { - "GXT": "CLO_BIF_PH_12_2", - "Localized": "Blue Mod Pork Pie" - }, - "3": { - "GXT": "CLO_BIF_PH_12_3", - "Localized": "Cyan Mod Pork Pie" - }, - "4": { - "GXT": "CLO_BIF_PH_12_4", - "Localized": "White Mod Pork Pie" - }, - "5": { - "GXT": "CLO_BIF_PH_12_5", - "Localized": "Ash Mod Pork Pie" - }, - "6": { - "GXT": "CLO_BIF_PH_12_6", - "Localized": "Navy Mod Pork Pie" - }, - "7": { - "GXT": "CLO_BIF_PH_12_7", - "Localized": "Dark Red Mod Pork Pie" - }, - "8": { - "GXT": "CLO_BIF_PH_12_8", - "Localized": "Slate Mod Pork Pie" - }, - "9": { - "GXT": "CLO_BIF_PH_12_9", - "Localized": "Moss Mod Pork Pie" - } - }, - "145": { - "0": { - "GXT": "CLO_H3F_PH_9_0", - "Localized": "Black Undertaker Hat" - }, - "1": { - "GXT": "CLO_H3F_PH_9_1", - "Localized": "Dark Gray Undertaker Hat" - }, - "2": { - "GXT": "CLO_H3F_PH_9_2", - "Localized": "Dusty Violet Undertaker Hat" - }, - "3": { - "GXT": "CLO_H3F_PH_9_3", - "Localized": "Light Gray Undertaker Hat" - }, - "4": { - "GXT": "CLO_H3F_PH_9_4", - "Localized": "Sage Green Undertaker Hat" - }, - "5": { - "GXT": "CLO_H3F_PH_9_5", - "Localized": "Dusty Pink Undertaker Hat" - }, - "6": { - "GXT": "CLO_H3F_PH_9_6", - "Localized": "Red Undertaker Hat" - }, - "7": { - "GXT": "CLO_H3F_PH_9_7", - "Localized": "Terracotta Undertaker Hat" - }, - "8": { - "GXT": "CLO_H3F_PH_9_8", - "Localized": "Cream Undertaker Hat" - }, - "9": { - "GXT": "CLO_H3F_PH_9_9", - "Localized": "Ivory Undertaker Hat" - }, - "10": { - "GXT": "CLO_H3F_PH_9_10", - "Localized": "Ash Undertaker Hat" - }, - "11": { - "GXT": "CLO_H3F_PH_9_11", - "Localized": "Dark Violet Undertaker Hat" - }, - "12": { - "GXT": "CLO_H3F_PH_9_12", - "Localized": "Eggshell Undertaker Hat" - }, - "13": { - "GXT": "CLO_H3F_PH_9_13", - "Localized": "White Undertaker Hat" - } - } - }, - "Western": { - "2": { - "1": { - "GXT": "HT_FMF_2_1", - "Localized": "Pink Accent Cowgirl Hat" - } - }, - "20": { - "0": { - "GXT": "CLO_BBF_P2_0", - "Localized": "Tan Cowgirl Hat" - }, - "1": { - "GXT": "CLO_BBF_P2_1", - "Localized": "Two-Tone Cowgirl Hat" - }, - "2": { - "GXT": "CLO_BBF_P2_2", - "Localized": "Farshtunken Black Cowgirl Hat" - }, - "3": { - "GXT": "CLO_BBF_P2_3", - "Localized": "MyMy Pink Cowgirl Hat" - }, - "4": { - "GXT": "CLO_BBF_P2_4", - "Localized": "Red Striped Cowgirl Hat" - }, - "5": { - "GXT": "CLO_BBF_P2_5", - "Localized": "Logger Cowgirl Hat" - }, - "6": { - "GXT": "CLO_BBF_P2_6", - "Localized": "Striped Cowgirl Hat" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_female_helmets.json b/resources/[soz]/soz-shops/config/datasource/props_female_helmets.json deleted file mode 100644 index 29d668b74b..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_female_helmets.json +++ /dev/null @@ -1,878 +0,0 @@ -[{ - "Casques": { - "16": { - "0": { - "GXT": "HE_FMF_16_0", - "Localized": "Western MC Yellow Helmet" - }, - "1": { - "GXT": "HE_FMF_16_1", - "Localized": "Steel Horse Blue Helmet" - }, - "2": { - "GXT": "HE_FMF_16_2", - "Localized": "Steel Horse Orange Helmet" - }, - "3": { - "GXT": "HE_FMF_16_3", - "Localized": "Western MC Green Helmet" - }, - "4": { - "GXT": "HE_FMF_16_4", - "Localized": "Western MC Red Helmet" - }, - "5": { - "GXT": "HE_FMF_16_5", - "Localized": "Steel Horse Black Helmet" - }, - "6": { - "GXT": "HE_FMF_16_6", - "Localized": "Black Helmet" - }, - "7": { - "GXT": "HE_FMF_16_7", - "Localized": "Western MC Lilac Helmet" - } - }, - "17": { - "0": { - "GXT": "HE_FMF_17_0", - "Localized": "Blue Open-Face Helmet" - }, - "1": { - "GXT": "HE_FMF_17_1", - "Localized": "Orange Open-Face Helmet" - }, - "2": { - "GXT": "HE_FMF_17_2", - "Localized": "Pale Blue Open-Face Helmet" - }, - "3": { - "GXT": "HE_FMF_17_3", - "Localized": "Red Open-Face Helmet" - }, - "4": { - "GXT": "HE_FMF_17_4", - "Localized": "Gray Open-Face Helmet" - }, - "5": { - "GXT": "HE_FMF_17_5", - "Localized": "Black Open-Face Helmet" - }, - "6": { - "GXT": "HE_FMF_17_6", - "Localized": "Pink Open-Face Helmet" - }, - "7": { - "GXT": "HE_FMF_17_7", - "Localized": "White Open-Face Helmet" - } - }, - "18": { - "0": { - "GXT": "HE_FMF_18_0", - "Localized": "Shatter Pattern Helmet" - }, - "1": { - "GXT": "HE_FMF_18_1", - "Localized": "Stars Helmet" - }, - "2": { - "GXT": "HE_FMF_18_2", - "Localized": "Squared Helmet" - }, - "3": { - "GXT": "HE_FMF_18_3", - "Localized": "Crimson Helmet" - }, - "4": { - "GXT": "HE_FMF_18_4", - "Localized": "Skull Helmet" - }, - "5": { - "GXT": "HE_FMF_18_5", - "Localized": "Ace of Spades Helmet" - }, - "6": { - "GXT": "HE_FMF_18_6", - "Localized": "Flamejob Helmet" - }, - "7": { - "GXT": "HE_FMF_18_7", - "Localized": "White Helmet" - } - }, - "62": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Noir" - } - }, - "67": { - "0": { - "GXT": "CLO_HSTF_H_4", - "Localized": "Glossy All Black Biker" - } - }, - "68": { - "0": { - "GXT": "CLO_HSTF_H_5", - "Localized": "Glossy Mirrored Biker" - } - }, - "69": { - "0": { - "GXT": "CLO_HSTF_H_6", - "Localized": "Matte All Black Biker" - } - }, - "70": { - "0": { - "GXT": "CLO_HSTF_H_7", - "Localized": "Matte Mirrored Biker" - } - }, - "71": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Vert Ouvert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Orange Ouvert" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Violet Ouvert" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rose Ouvert" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rouge Ouvert" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Bleu Ouvert" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris Foncé Ouvert" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris Ouvert" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Blanc Ouvert" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Noir Ouvert" - } - }, - "72": { - "0": { - "GXT": "CLO_STF_HT6_0", - "Localized": "Cream Retro Bubble" - }, - "1": { - "GXT": "CLO_STF_HT6_1", - "Localized": "Gray Retro Bubble" - }, - "2": { - "GXT": "CLO_STF_HT6_2", - "Localized": "Orange Retro Bubble" - }, - "3": { - "GXT": "CLO_STF_HT6_3", - "Localized": "Pale Blue Retro Bubble" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Vert" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Orange Pale" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Violet" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Rose Noir" - }, - "8": { - "GXT": "CLO_STF_HT6_8", - "Localized": "White Retro Bubble" - }, - "9": { - "GXT": "CLO_STF_HT6_9", - "Localized": "Blue Retro Bubble" - }, - "10": { - "GXT": "CLO_STF_HT6_10", - "Localized": "Red Retro Bubble" - }, - "11": { - "GXT": "CLO_STF_HT6_11", - "Localized": "Black Retro Bubble" - }, - "12": { - "GXT": "CLO_STF_HT6_12", - "Localized": "Pink Retro Bubble" - } - }, - "73": { - "0": { - "GXT": "CLO_STF_HT6_0", - "Localized": "Cream Retro Bubble" - }, - "1": { - "GXT": "CLO_STF_HT6_1", - "Localized": "Gray Retro Bubble" - }, - "2": { - "GXT": "CLO_STF_HT6_2", - "Localized": "Orange Retro Bubble" - }, - "3": { - "GXT": "CLO_STF_HT6_3", - "Localized": "Pale Blue Retro Bubble" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Vert Ouvert" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Orange Pale Ouvert" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Violet Ouvert" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque Retro Rose Noir Ouvert" - }, - "8": { - "GXT": "CLO_STF_HT6_8", - "Localized": "White Retro Bubble" - }, - "9": { - "GXT": "CLO_STF_HT6_9", - "Localized": "Blue Retro Bubble" - }, - "10": { - "GXT": "CLO_STF_HT6_10", - "Localized": "Red Retro Bubble" - }, - "11": { - "GXT": "CLO_STF_HT6_11", - "Localized": "Black Retro Bubble" - }, - "12": { - "GXT": "CLO_STF_HT6_12", - "Localized": "Pink Retro Bubble" - } - }, - "74": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Panthère rose" - }, - "4": { - "GXT": "CLO_STF_HT8_4", - "Localized": "Swirl Mod Helmet" - }, - "5": { - "GXT": "CLO_STF_HT8_5", - "Localized": "Red Mod Helmet" - }, - "6": { - "GXT": "CLO_STF_HT8_6", - "Localized": "Brown Mod Helmet" - }, - "7": { - "GXT": "CLO_STF_HT8_7", - "Localized": "White Flag Mod Helmet" - }, - "8": { - "GXT": "CLO_STF_HT8_8", - "Localized": "Blue Stars Mod Helmet" - }, - "9": { - "GXT": "CLO_STF_HT8_9", - "Localized": "Black Slash Mod Helmet" - }, - "10": { - "GXT": "CLO_STF_HT8_10", - "Localized": "White Stars Mod Helmet" - }, - "11": { - "GXT": "CLO_STF_HT8_11", - "Localized": "Blue Stripes Mod Helmet" - }, - "12": { - "GXT": "CLO_STF_HT8_12", - "Localized": "Red Stripes Mod Helmet" - }, - "13": { - "GXT": "CLO_STF_HT8_13", - "Localized": "Blue Chain Mod Helmet" - }, - "14": { - "GXT": "CLO_STF_HT8_14", - "Localized": "Black Stripes Mod Helmet" - }, - "15": { - "GXT": "CLO_STF_HT8_15", - "Localized": "Black Jag Mod Helmet" - } - }, - "78": { - "0": { - "GXT": "CLO_STF_HT11_0", - "Localized": "White JC Helmet" - }, - "1": { - "GXT": "CLO_STF_HT11_1", - "Localized": "Blue JC Helmet" - }, - "2": { - "GXT": "CLO_STF_HT11_2", - "Localized": "Red JC Helmet" - }, - "3": { - "GXT": "CLO_STF_HT11_3", - "Localized": "Black JC Helmet" - }, - "4": { - "GXT": "CLO_STF_HT11_4", - "Localized": "Pink JC Helmet" - } - }, - "79": { - "0": { - "GXT": "CLO_STF_HT13_0", - "Localized": "Gold JC Helmet" - }, - "1": { - "GXT": "CLO_STF_HT13_1", - "Localized": "Silver JC Helmet" - }, - "2": { - "GXT": "CLO_STF_HT13_2", - "Localized": "Gold Retro Bubble" - }, - "3": { - "GXT": "CLO_STF_HT13_3", - "Localized": "Silver Retro Bubble" - } - }, - "80": { - "0": { - "GXT": "CLO_STF_HT13_0", - "Localized": "Gold JC Helmet" - }, - "1": { - "GXT": "CLO_STF_HT13_1", - "Localized": "Silver JC Helmet" - }, - "2": { - "GXT": "CLO_STF_HT13_2", - "Localized": "Gold Retro Bubble" - }, - "3": { - "GXT": "CLO_STF_HT13_3", - "Localized": "Silver Retro Bubble" - } - }, - "81": { - "0": { - "GXT": "HE_FMF_18_0", - "Localized": "Shatter Pattern Helmet" - }, - "1": { - "GXT": "HE_FMF_18_1", - "Localized": "Stars Helmet" - }, - "2": { - "GXT": "HE_FMF_18_2", - "Localized": "Squared Helmet" - }, - "3": { - "GXT": "HE_FMF_18_3", - "Localized": "Crimson Helmet" - }, - "4": { - "GXT": "HE_FMF_18_4", - "Localized": "Skull Helmet" - }, - "5": { - "GXT": "HE_FMF_18_5", - "Localized": "Ace of Spades Helmet" - }, - "6": { - "GXT": "HE_FMF_18_6", - "Localized": "Flamejob Helmet" - }, - "7": { - "GXT": "HE_FMF_18_7", - "Localized": "White Helmet" - }, - "8": { - "GXT": "CLO_STF_HT15_8", - "Localized": "Downhill Helmet" - }, - "9": { - "GXT": "CLO_STF_HT15_9", - "Localized": "Slalom Helmet" - }, - "10": { - "GXT": "CLO_STF_HT1510", - "Localized": "SA Assault Helmet" - }, - "11": { - "GXT": "CLO_STF_HT1511", - "Localized": "Vibe Helmet" - }, - "12": { - "GXT": "CLO_STF_HT1512", - "Localized": "Burst Helmet" - }, - "13": { - "GXT": "CLO_STF_HT1513", - "Localized": "Tri Helmet" - }, - "14": { - "GXT": "CLO_STF_HT1514", - "Localized": "Sprunk Helmet" - }, - "15": { - "GXT": "CLO_STF_HT1515", - "Localized": "Skeleton Helmet" - }, - "16": { - "GXT": "CLO_STF_HT1516", - "Localized": "Death Helmet" - }, - "17": { - "GXT": "CLO_STF_HT1517", - "Localized": "Cobble Helmet" - }, - "18": { - "GXT": "CLO_STF_HT1518", - "Localized": "Cubist Helmet" - }, - "19": { - "GXT": "CLO_STF_HT1519", - "Localized": "Digital Helmet" - }, - "20": { - "GXT": "CLO_STF_HT1520", - "Localized": "Snakeskin Helmet" - }, - "21": { - "GXT": "CLO_STF_HT1521", - "Localized": "Boost Helmet" - }, - "22": { - "GXT": "CLO_STF_HT1522", - "Localized": "Tropic Helmet" - }, - "23": { - "GXT": "CLO_STF_HT1523", - "Localized": "Atomic Helmet" - } - }, - "83": { - "0": { - "GXT": "CLO_BIF_PH_1_0", - "Localized": "Black Spiked" - }, - "1": { - "GXT": "CLO_BIF_PH_1_1", - "Localized": "Carbon Spiked" - }, - "2": { - "GXT": "CLO_BIF_PH_1_2", - "Localized": "Orange Fiber Spiked" - }, - "3": { - "GXT": "CLO_BIF_PH_1_3", - "Localized": "Star and Stripes Spiked" - }, - "4": { - "GXT": "CLO_BIF_PH_1_4", - "Localized": "Green Spiked" - }, - "5": { - "GXT": "CLO_BIF_PH_1_5", - "Localized": "Feathers Spiked" - }, - "6": { - "GXT": "CLO_BIF_PH_1_6", - "Localized": "Ox and Hatchets Spiked" - }, - "7": { - "GXT": "CLO_BIF_PH_1_7", - "Localized": "Ride Free Spiked" - }, - "8": { - "GXT": "CLO_BIF_PH_1_8", - "Localized": "Ace of Spades Spiked" - }, - "9": { - "GXT": "CLO_BIF_PH_1_9", - "Localized": "Skull and Snake Spiked" - } - }, - "84": { - "0": { - "GXT": "CLO_BIF_PH_2_0", - "Localized": "Skull Cap" - } - }, - "85": { - "0": { - "GXT": "CLO_BIF_PH_3_0", - "Localized": "Visored Skull Cap" - } - }, - "86": { - "0": { - "GXT": "CLO_BIF_PH_4_0", - "Localized": "Finned Skull Cap" - } - }, - "87": { - "0": { - "GXT": "CLO_BIF_PH_5_0", - "Localized": "Spiked Skull Cap" - } - }, - "88": { - "0": { - "GXT": "CLO_BIF_PH_6_0", - "Localized": "Black Dome" - }, - "1": { - "GXT": "CLO_BIF_PH_6_1", - "Localized": "Carbon Dome" - }, - "2": { - "GXT": "CLO_BIF_PH_6_2", - "Localized": "Orange Fiber Dome" - }, - "3": { - "GXT": "CLO_BIF_PH_6_3", - "Localized": "Star and Stripes Dome" - }, - "4": { - "GXT": "CLO_BIF_PH_6_4", - "Localized": "Green Dome" - }, - "5": { - "GXT": "CLO_BIF_PH_6_5", - "Localized": "Feathers Dome" - }, - "6": { - "GXT": "CLO_BIF_PH_6_6", - "Localized": "Ox and Hatchets Dome" - }, - "7": { - "GXT": "CLO_BIF_PH_6_7", - "Localized": "Ride Free Dome" - }, - "8": { - "GXT": "CLO_BIF_PH_6_8", - "Localized": "Ace of Spades Dome" - }, - "9": { - "GXT": "CLO_BIF_PH_6_9", - "Localized": "Skull and Snake Dome" - } - }, - "89": { - "0": { - "GXT": "CLO_BIF_PH_7_0", - "Localized": "Chromed Dome" - } - }, - "90": { - "0": { - "GXT": "CLO_BIF_HT_8_0", - "Localized": "Deadline Yellow" - }, - "1": { - "GXT": "CLO_BIF_HT_8_1", - "Localized": "Deadline Green" - }, - "2": { - "GXT": "CLO_BIF_HT_8_2", - "Localized": "Deadline Orange" - }, - "3": { - "GXT": "CLO_BIF_HT_8_3", - "Localized": "Deadline Purple" - }, - "4": { - "GXT": "CLO_BIF_HT_8_4", - "Localized": "Deadline Pink" - }, - "5": { - "GXT": "CLO_BIF_HT_8_5", - "Localized": "Deadline Red" - }, - "6": { - "GXT": "CLO_BIF_HT_8_6", - "Localized": "Deadline Blue" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque néon Cendre" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casque néon Gris" - }, - "9": { - "GXT": "CLO_BIF_HT_8_9", - "Localized": "Deadline White" - }, - "10": { - "GXT": "NO_LABEL", - "Localized": "Casque néon Bleu Clair" - } - }, - "91": { - "0": { - "GXT": "CLO_BIF_HT_8_0", - "Localized": "Deadline Yellow" - }, - "1": { - "GXT": "CLO_BIF_HT_8_1", - "Localized": "Deadline Green" - }, - "2": { - "GXT": "CLO_BIF_HT_8_2", - "Localized": "Deadline Orange" - }, - "3": { - "GXT": "CLO_BIF_HT_8_3", - "Localized": "Deadline Purple" - }, - "4": { - "GXT": "CLO_BIF_HT_8_4", - "Localized": "Deadline Pink" - }, - "5": { - "GXT": "CLO_BIF_HT_8_5", - "Localized": "Deadline Red" - }, - "6": { - "GXT": "CLO_BIF_HT_8_6", - "Localized": "Deadline Blue" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque néon Cendre Ouvert" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casque néon Gris Ouvert" - }, - "9": { - "GXT": "CLO_BIF_HT_8_9", - "Localized": "Deadline White" - }, - "10": { - "GXT": "NO_LABEL", - "Localized": "Casque néon Bleu Clair Ouvert" - } - }, - "92": { - "0": { - "GXT": "CLO_BIF_PH_10_0", - "Localized": "Roundel Mod" - }, - "1": { - "GXT": "CLO_BIF_PH_10_1", - "Localized": "Faggio Mod" - }, - "2": { - "GXT": "CLO_BIF_PH_10_2", - "Localized": "Green Roundel Mod" - }, - "3": { - "GXT": "CLO_BIF_PH_10_3", - "Localized": "Green Faggio Mod" - } - }, - "111": { - "0": { - "GXT": "CLO_SMF_PH_0_0", - "Localized": "Woodland Combat Helmet" - }, - "1": { - "GXT": "CLO_SMF_PH_0_1", - "Localized": "Dark Combat Helmet" - }, - "2": { - "GXT": "CLO_SMF_PH_0_2", - "Localized": "Light Combat Helmet" - }, - "3": { - "GXT": "CLO_SMF_PH_0_3", - "Localized": "Flecktarn Combat Helmet" - }, - "4": { - "GXT": "CLO_SMF_PH_0_4", - "Localized": "Black Combat Helmet" - }, - "5": { - "GXT": "CLO_SMF_PH_0_5", - "Localized": "Medic Combat Helmet" - }, - "6": { - "GXT": "CLO_SMF_PH_0_6", - "Localized": "Gray Woodland Combat Helmet" - }, - "7": { - "GXT": "CLO_SMF_PH_0_7", - "Localized": "Tan Digital Combat Helmet" - }, - "8": { - "GXT": "CLO_SMF_PH_0_8", - "Localized": "Aqua Camo Combat Helmet" - }, - "9": { - "GXT": "CLO_SMF_PH_0_9", - "Localized": "Splinter Combat Helmet" - }, - "10": { - "GXT": "CLO_SMF_PH_0_10", - "Localized": "Red Star Combat Helmet" - }, - "11": { - "GXT": "CLO_SMF_PH_0_11", - "Localized": "Brown Digital Combat Helmet" - }, - "12": { - "GXT": "CLO_SMF_PH_0_12", - "Localized": "MP Combat Helmet" - }, - "13": { - "GXT": "CLO_SMF_PH_0_13", - "Localized": "Zebra Combat Helmet" - }, - "14": { - "GXT": "CLO_SMF_PH_0_14", - "Localized": "Leopard Combat Helmet" - }, - "15": { - "GXT": "CLO_SMF_PH_0_15", - "Localized": "Tiger Combat Helmet" - }, - "16": { - "GXT": "CLO_SMF_PH_0_16", - "Localized": "Police Combat Helmet" - }, - "17": { - "GXT": "CLO_SMF_PH_0_17", - "Localized": "Flames Combat Helmet" - }, - "18": { - "GXT": "CLO_SMF_PH_0_18", - "Localized": "Stars & Stripes Combat Helmet" - }, - "19": { - "GXT": "CLO_SMF_PH_0_19", - "Localized": "Patriot Combat Helmet" - }, - "20": { - "GXT": "CLO_SMF_PH_0_20", - "Localized": "Green Stars Combat Helmet" - }, - "21": { - "GXT": "CLO_SMF_PH_0_21", - "Localized": "Peace Combat Helmet" - } - }, - "126": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral cyan ouvert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral jaune ouvert" - } - }, - "127": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral cyan" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral jaune" - } - } - } -}] diff --git a/resources/[soz]/soz-shops/config/datasource/props_female_watches.json b/resources/[soz]/soz-shops/config/datasource/props_female_watches.json deleted file mode 100644 index 843f49377f..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_female_watches.json +++ /dev/null @@ -1,506 +0,0 @@ -[ - { - "Montres": { - "0": { - "4": { - "GXT": "W_FMF_0_4", - "Localized": "Pewter Watch" - } - }, - "2": { - "0": { - "GXT": "CLO_BUSF_W0_0", - "Localized": "Gold Fashion" - }, - "1": { - "GXT": "CLO_BUSF_W0_1", - "Localized": "Silver Fashion" - }, - "2": { - "GXT": "CLO_BUSF_W0_2", - "Localized": "Copper Fashion" - }, - "3": { - "GXT": "CLO_BUSF_W0_3", - "Localized": "Black Fashion" - } - }, - "3": { - "0": { - "GXT": "CLO_LXF_LW_0_0", - "Localized": "Gold CaCa Di Lusso" - }, - "1": { - "GXT": "CLO_LXF_LW_0_1", - "Localized": "Silver CaCa Di Lusso" - }, - "2": { - "GXT": "CLO_LXF_LW_0_2", - "Localized": "Pink Gold CaCa Di Lusso" - } - }, - "4": { - "0": { - "GXT": "CLO_LXF_LW_1_0", - "Localized": "Silver Didier Sachs Mignon" - }, - "1": { - "GXT": "CLO_LXF_LW_1_1", - "Localized": "Pink Gold Didier Sachs Mignon" - }, - "2": { - "GXT": "CLO_LXF_LW_1_2", - "Localized": "Gold Didier Sachs Mignon" - } - }, - "5": { - "0": { - "GXT": "CLO_LXF_LW_5_0", - "Localized": "Gold iFruit Link" - }, - "1": { - "GXT": "CLO_LXF_LW_5_1", - "Localized": "Silver iFruit Link" - }, - "2": { - "GXT": "CLO_LXF_LW_5_2", - "Localized": "Pink Gold iFruit Link" - } - }, - "6": { - "0": { - "GXT": "CLO_LXF_LW_6_0", - "Localized": "White iFruit Tech" - }, - "1": { - "GXT": "CLO_LXF_LW_6_1", - "Localized": "Pink iFruit Tech" - }, - "2": { - "GXT": "CLO_LXF_LW_6_2", - "Localized": "PRB iFruit Tech" - } - }, - "7": { - "0": { - "GXT": "CLO_L2F_LW_2_0", - "Localized": "Gold Le Chien Marquise" - }, - "1": { - "GXT": "CLO_L2F_LW_2_1", - "Localized": "Silver Le Chien Marquise" - }, - "2": { - "GXT": "CLO_L2F_LW_2_2", - "Localized": "Pink Gold Le Chien Marquise" - } - }, - "8": { - "0": { - "GXT": "CLO_L2F_LW_3_0", - "Localized": "Gray Fufu Jeunesse" - }, - "1": { - "GXT": "CLO_L2F_LW_3_1", - "Localized": "Black Fufu Jeunesse" - }, - "2": { - "GXT": "CLO_L2F_LW_3_2", - "Localized": "Blue Fufu Jeunesse" - } - }, - "9": { - "0": { - "GXT": "CLO_L2F_LW_4_0", - "Localized": "Silver Anna Rex Prestige" - }, - "1": { - "GXT": "CLO_L2F_LW_4_1", - "Localized": "Gold Anna Rex Prestige" - }, - "2": { - "GXT": "CLO_L2F_LW_4_2", - "Localized": "Carbon Anna Rex Prestige" - } - }, - "10": { - "0": { - "GXT": "CLO_L2F_LW_7_0", - "Localized": "Lime iFruit Snap" - }, - "1": { - "GXT": "CLO_L2F_LW_7_1", - "Localized": "White iFruit Snap" - }, - "2": { - "GXT": "CLO_L2F_LW_7_2", - "Localized": "Neon iFruit Snap" - } - }, - "19": { - "0": { - "GXT": "CLO_VWF_PW_0_0", - "Localized": "Gold Enduring Watch" - }, - "1": { - "GXT": "CLO_VWF_PW_0_1", - "Localized": "Silver Enduring Watch" - }, - "2": { - "GXT": "CLO_VWF_PW_0_2", - "Localized": "Black Enduring Watch" - }, - "3": { - "GXT": "CLO_VWF_PW_0_3", - "Localized": "Deck Enduring Watch" - }, - "4": { - "GXT": "CLO_VWF_PW_0_4", - "Localized": "Royal Enduring Watch" - }, - "5": { - "GXT": "CLO_VWF_PW_0_5", - "Localized": "Roulette Enduring Watch" - } - }, - "20": { - "0": { - "GXT": "CLO_VWF_PW_1_0", - "Localized": "Gold Kronos Tempo" - }, - "1": { - "GXT": "CLO_VWF_PW_1_1", - "Localized": "Silver Kronos Tempo" - }, - "2": { - "GXT": "CLO_VWF_PW_1_2", - "Localized": "Black Kronos Tempo" - }, - "3": { - "GXT": "CLO_VWF_PW_1_3", - "Localized": "Gold Fifty Kronos Tempo" - }, - "4": { - "GXT": "CLO_VWF_PW_1_4", - "Localized": "Gold Roulette Kronos Tempo" - }, - "5": { - "GXT": "CLO_VWF_PW_1_5", - "Localized": "Baroque Kronos Tempo" - } - }, - "21": { - "0": { - "GXT": "CLO_VWF_PW_2_0", - "Localized": "Gold Kronos Pulse" - }, - "1": { - "GXT": "CLO_VWF_PW_2_1", - "Localized": "Silver Kronos Pulse" - }, - "2": { - "GXT": "CLO_VWF_PW_2_2", - "Localized": "Black Kronos Pulse" - }, - "3": { - "GXT": "CLO_VWF_PW_2_3", - "Localized": "Silver Fifty Kronos Pulse" - }, - "4": { - "GXT": "CLO_VWF_PW_2_4", - "Localized": "Silver Roulette Kronos Pulse" - }, - "5": { - "GXT": "CLO_VWF_PW_2_5", - "Localized": "Spade Kronos Pulse" - }, - "6": { - "GXT": "CLO_VWF_PW_2_6", - "Localized": "Red Fame or Shame Kronos" - }, - "7": { - "GXT": "CLO_VWF_PW_2_7", - "Localized": "Green Fame or Shame Kronos" - }, - "8": { - "GXT": "CLO_VWF_PW_2_8", - "Localized": "Blue Fame or Shame Kronos" - }, - "9": { - "GXT": "CLO_VWF_PW_2_9", - "Localized": "Black Fame or Shame Kronos" - } - }, - "22": { - "0": { - "GXT": "CLO_VWF_PW_3_0", - "Localized": "Gold Kronos Ära" - }, - "1": { - "GXT": "CLO_VWF_PW_3_1", - "Localized": "Silver Kronos Ära" - }, - "2": { - "GXT": "CLO_VWF_PW_3_2", - "Localized": "Black Kronos Ära" - }, - "3": { - "GXT": "CLO_VWF_PW_3_3", - "Localized": "Gold Fifty Kronos Ära" - }, - "4": { - "GXT": "CLO_VWF_PW_3_4", - "Localized": "Tan Spade Kronos Ära" - }, - "5": { - "GXT": "CLO_VWF_PW_3_5", - "Localized": "Brown Spade Kronos Ära" - } - }, - "23": { - "0": { - "GXT": "CLO_VWF_PW_4_0", - "Localized": "Gold Ceaseless" - }, - "1": { - "GXT": "CLO_VWF_PW_4_1", - "Localized": "Silver Ceaseless" - }, - "2": { - "GXT": "CLO_VWF_PW_4_2", - "Localized": "Black Ceaseless" - }, - "3": { - "GXT": "CLO_VWF_PW_4_3", - "Localized": "Spade Ceaseless" - }, - "4": { - "GXT": "CLO_VWF_PW_4_4", - "Localized": "Mixed Metals Ceaseless" - }, - "5": { - "GXT": "CLO_VWF_PW_4_5", - "Localized": "Roulette Ceaseless" - } - }, - "24": { - "0": { - "GXT": "CLO_VWF_PW_5_0", - "Localized": "Silver Crowex Époque" - }, - "1": { - "GXT": "CLO_VWF_PW_5_1", - "Localized": "Gold Crowex Époque" - }, - "2": { - "GXT": "CLO_VWF_PW_5_2", - "Localized": "Black Crowex Époque" - }, - "3": { - "GXT": "CLO_VWF_PW_5_3", - "Localized": "Wheel Crowex Époque" - }, - "4": { - "GXT": "CLO_VWF_PW_5_4", - "Localized": "Suits Crowex Époque" - }, - "5": { - "GXT": "CLO_VWF_PW_5_5", - "Localized": "Roulette Crowex Époque" - } - }, - "25": { - "0": { - "GXT": "CLO_VWF_PW_6_0", - "Localized": "Gold Kronos Quad" - }, - "1": { - "GXT": "CLO_VWF_PW_6_1", - "Localized": "Silver Kronos Quad" - }, - "2": { - "GXT": "CLO_VWF_PW_6_2", - "Localized": "Black Kronos Quad" - }, - "3": { - "GXT": "CLO_VWF_PW_6_3", - "Localized": "Roulette Kronos Quad" - }, - "4": { - "GXT": "CLO_VWF_PW_6_4", - "Localized": "Fifty Kronos Quad" - }, - "5": { - "GXT": "CLO_VWF_PW_6_5", - "Localized": "Suits Kronos Quad" - } - }, - "26": { - "0": { - "GXT": "CLO_VWF_PW_7_0", - "Localized": "Silver Crowex Rond" - }, - "1": { - "GXT": "CLO_VWF_PW_7_1", - "Localized": "Gold Crowex Rond" - }, - "2": { - "GXT": "CLO_VWF_PW_7_2", - "Localized": "Black Crowex Rond" - }, - "3": { - "GXT": "CLO_VWF_PW_7_3", - "Localized": "Spade Crowex Rond" - }, - "4": { - "GXT": "CLO_VWF_PW_7_4", - "Localized": "Royalty Crowex Rond" - }, - "5": { - "GXT": "CLO_VWF_PW_7_5", - "Localized": "Dice Crowex Rond" - } - } - }, - "Bracelets": { - "11": { - "0": { - "GXT": "CLO_BIF_PW_0_0", - "Localized": "Light Wrist Chain (L)" - } - }, - "12": { - "0": { - "GXT": "CLO_BIF_PW_1_0", - "Localized": "Chunky Wrist Chain (L)" - } - }, - "13": { - "0": { - "GXT": "CLO_BIF_PW_2_0", - "Localized": "Square Wrist Chain (L)" - } - }, - "14": { - "0": { - "GXT": "CLO_BIF_PW_3_0", - "Localized": "Skull Wrist Chain (L)" - } - }, - "15": { - "0": { - "GXT": "CLO_BIF_PW_4_0", - "Localized": "Tread Wrist Chain (L)" - } - }, - "16": { - "0": { - "GXT": "CLO_BIF_PW_5_0", - "Localized": "Gear Wrist Chains (L)" - } - }, - "17": { - "0": { - "GXT": "CLO_BIF_PW_6_0", - "Localized": "Spiked Gauntlet (L)" - } - }, - "18": { - "0": { - "GXT": "CLO_BIF_PW_7_0", - "Localized": "Black Gauntlet (L)" - }, - "1": { - "GXT": "CLO_BIF_PW_7_1", - "Localized": "Chocolate Gauntlet (L)" - }, - "2": { - "GXT": "CLO_BIF_PW_7_2", - "Localized": "Tan Gauntlet (L)" - }, - "3": { - "GXT": "CLO_BIF_PW_7_3", - "Localized": "Ox Blood Gauntlet (L)" - } - }, - "27": { - "0": { - "GXT": "CLO_VWF_PW_8_0", - "Localized": "Silver SASS Wrist Piece" - }, - "1": { - "GXT": "CLO_VWF_PW_8_1", - "Localized": "Gold SASS Wrist Piece" - }, - "2": { - "GXT": "CLO_VWF_PW_8_2", - "Localized": "Black SASS Wrist Piece" - } - }, - "28": { - "0": { - "GXT": "CLO_VWF_PW_9_0", - "Localized": "Silver SASS Bracelet" - }, - "1": { - "GXT": "CLO_VWF_PW_9_1", - "Localized": "Gold SASS Bracelet" - }, - "2": { - "GXT": "CLO_VWF_PW_9_2", - "Localized": "Black SASS Bracelet" - } - }, - "29": { - "0": { - "GXT": "CLO_H4F_PLW_0_0", - "Localized": "Blue Bangles (L)" - }, - "1": { - "GXT": "CLO_H4F_PLW_0_1", - "Localized": "Red Bangles (L)" - }, - "2": { - "GXT": "CLO_H4F_PLW_0_2", - "Localized": "Pink Bangles (L)" - }, - "3": { - "GXT": "CLO_H4F_PLW_0_3", - "Localized": "Yellow Bangles (L)" - }, - "4": { - "GXT": "CLO_H4F_PLW_0_4", - "Localized": "Orange Bangles (L)" - }, - "5": { - "GXT": "CLO_H4F_PLW_0_5", - "Localized": "Green Bangles (L)" - }, - "6": { - "GXT": "CLO_H4F_PLW_0_6", - "Localized": "Red & Blue Bangles (L)" - }, - "7": { - "GXT": "CLO_H4F_PLW_0_7", - "Localized": "Yellow & Orange Bangles (L)" - }, - "8": { - "GXT": "CLO_H4F_PLW_0_8", - "Localized": "Green & Pink Bangles (L)" - }, - "9": { - "GXT": "CLO_H4F_PLW_0_9", - "Localized": "Rainbow Bangles (L)" - }, - "10": { - "GXT": "CLO_H4F_PLW_010", - "Localized": "Sunset Bangles (L)" - }, - "11": { - "GXT": "CLO_H4F_PLW_011", - "Localized": "Tropical Bangles (L)" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_male_bracelets.json b/resources/[soz]/soz-shops/config/datasource/props_male_bracelets.json deleted file mode 100644 index aa00aa02d6..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_male_bracelets.json +++ /dev/null @@ -1,116 +0,0 @@ -[ - { - "Bracelets": { - "0": { - "0": { - "GXT": "CLO_BIM_PRW_0_0", - "Localized": "Light Wrist Chain (R)" - } - }, - "1": { - "0": { - "GXT": "CLO_BIM_PRW_1_0", - "Localized": "Chunky Wrist Chain (R)" - } - }, - "2": { - "0": { - "GXT": "CLO_BIM_PRW_2_0", - "Localized": "Square Wrist Chain (R)" - } - }, - "3": { - "0": { - "GXT": "CLO_BIM_PRW_3_0", - "Localized": "Skull Wrist Chain (R)" - } - }, - "4": { - "0": { - "GXT": "CLO_BIM_PRW_4_0", - "Localized": "Tread Wrist Chain (R)" - } - }, - "5": { - "0": { - "GXT": "CLO_BIM_PRW_5_0", - "Localized": "Gear Wrist Chains (R)" - } - }, - "6": { - "0": { - "GXT": "CLO_BIM_PRW_6_0", - "Localized": "Spiked Gauntlet (R)" - } - }, - "7": { - "0": { - "GXT": "CLO_BIM_PRW_7_0", - "Localized": "Black Gauntlet (R)" - }, - "1": { - "GXT": "CLO_BIM_PRW_7_1", - "Localized": "Chocolate Gauntlet (R)" - }, - "2": { - "GXT": "CLO_BIM_PRW_7_2", - "Localized": "Tan Gauntlet (R)" - }, - "3": { - "GXT": "CLO_BIM_PRW_7_3", - "Localized": "Ox Blood Gauntlet (R)" - } - }, - "8": { - "0": { - "GXT": "CLO_H4M_PRW_0_0", - "Localized": "Blue Bangles (R)" - }, - "1": { - "GXT": "CLO_H4M_PRW_0_1", - "Localized": "Red Bangles (R)" - }, - "2": { - "GXT": "CLO_H4M_PRW_0_2", - "Localized": "Pink Bangles (R)" - }, - "3": { - "GXT": "CLO_H4M_PRW_0_3", - "Localized": "Yellow Bangles (R)" - }, - "4": { - "GXT": "CLO_H4M_PRW_0_4", - "Localized": "Orange Bangles (R)" - }, - "5": { - "GXT": "CLO_H4M_PRW_0_5", - "Localized": "Green Bangles (R)" - }, - "6": { - "GXT": "CLO_H4M_PRW_0_6", - "Localized": "Red & Blue Bangles (R)" - }, - "7": { - "GXT": "CLO_H4M_PRW_0_7", - "Localized": "Yellow & Orange Bangles (R)" - }, - "8": { - "GXT": "CLO_H4M_PRW_0_8", - "Localized": "Green & Pink Bangles (R)" - }, - "9": { - "GXT": "CLO_H4M_PRW_0_9", - "Localized": "Rainbow Bangles (R)" - }, - "10": { - "GXT": "CLO_H4M_PRW_010", - "Localized": "Sunset Bangles (R)" - }, - "11": { - "GXT": "CLO_H4M_PRW_011", - "Localized": "Tropical Bangles (R)" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_male_ears.json b/resources/[soz]/soz-shops/config/datasource/props_male_ears.json deleted file mode 100644 index ce175fa5b9..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_male_ears.json +++ /dev/null @@ -1,538 +0,0 @@ -[ - { - "Oreilles": { - "0": { - "0": { - "GXT": "CLO_HST_E_0_0", - "Localized": "Gray Earpiece" - } - }, - "1": { - "0": { - "GXT": "CLO_HST_E_1_0", - "Localized": "Red Earpiece" - } - }, - "2": { - "0": { - "GXT": "CLO_HST_E_2_0", - "Localized": "LCD Earpiece" - } - }, - "3": { - "0": { - "GXT": "CLO_LXM_E_0_0", - "Localized": "Gold Angled Hoop (L)" - }, - "1": { - "GXT": "CLO_LXM_E_0_1", - "Localized": "Black Angled Hoop (L)" - }, - "2": { - "GXT": "CLO_LXM_E_0_2", - "Localized": "Platinum Angled Hoop (L)" - } - }, - "4": { - "0": { - "GXT": "CLO_LXM_E_1_0", - "Localized": "Gold Angled Hoop (R)" - }, - "1": { - "GXT": "CLO_LXM_E_1_1", - "Localized": "Black Angled Hoop (R)" - }, - "2": { - "GXT": "CLO_LXM_E_1_2", - "Localized": "Platinum Angled Hoop (R)" - } - }, - "5": { - "0": { - "GXT": "CLO_LXM_E_2_0", - "Localized": "Gold Angled Hoops" - }, - "1": { - "GXT": "CLO_LXM_E_2_1", - "Localized": "Black Angled Hoops" - }, - "2": { - "GXT": "CLO_LXM_E_2_2", - "Localized": "Platinum Angled Hoops" - } - }, - "6": { - "0": { - "GXT": "CLO_LXM_E_3_0", - "Localized": "Gold Circle Stud (L)" - }, - "1": { - "GXT": "CLO_LXM_E_3_1", - "Localized": "Platinum Circle Stud (L)" - } - }, - "7": { - "0": { - "GXT": "CLO_LXM_E_4_0", - "Localized": "Gold Circle Stud (R)" - }, - "1": { - "GXT": "CLO_LXM_E_4_1", - "Localized": "Platinum Circle Stud (R)" - } - }, - "8": { - "0": { - "GXT": "CLO_LXM_E_5_0", - "Localized": "Gold Circle Studs" - }, - "1": { - "GXT": "CLO_LXM_E_5_1", - "Localized": "Platinum Circle Studs" - } - }, - "9": { - "0": { - "GXT": "CLO_LXM_E_6_0", - "Localized": "Gold Diamond Stud (L)" - }, - "1": { - "GXT": "CLO_LXM_E_6_1", - "Localized": "Black Diamond Stud (L)" - }, - "2": { - "GXT": "CLO_LXM_E_6_2", - "Localized": "Platinum Diamond Stud (L)" - } - }, - "10": { - "0": { - "GXT": "CLO_LXM_E_7_0", - "Localized": "Gold Diamond Stud (R)" - }, - "1": { - "GXT": "CLO_LXM_E_7_1", - "Localized": "Black Diamond Stud (R)" - }, - "2": { - "GXT": "CLO_LXM_E_7_2", - "Localized": "Platinum Diamond Stud (R)" - } - }, - "11": { - "0": { - "GXT": "CLO_LXM_E_8_0", - "Localized": "Gold Diamond Studs" - }, - "1": { - "GXT": "CLO_LXM_E_8_1", - "Localized": "Black Diamond Studs" - }, - "2": { - "GXT": "CLO_LXM_E_8_2", - "Localized": "Platinum Diamond Studs" - } - }, - "12": { - "0": { - "GXT": "CLO_LXM_E_9_0", - "Localized": "Gold Pillow Stud (L)" - }, - "1": { - "GXT": "CLO_LXM_E_9_1", - "Localized": "Black Pillow Stud (L)" - }, - "2": { - "GXT": "CLO_LXM_E_9_2", - "Localized": "Platinum Pillow Stud (L)" - } - }, - "13": { - "0": { - "GXT": "CLO_LXM_E_10_0", - "Localized": "Gold Pillow Stud (R)" - }, - "1": { - "GXT": "CLO_LXM_E_10_1", - "Localized": "Black Pillow Stud (R)" - }, - "2": { - "GXT": "CLO_LXM_E_10_2", - "Localized": "Platinum Pillow Stud (R)" - } - }, - "14": { - "0": { - "GXT": "CLO_LXM_E_11_0", - "Localized": "Gold Pillow Studs" - }, - "1": { - "GXT": "CLO_LXM_E_11_1", - "Localized": "Black Pillow Studs" - }, - "2": { - "GXT": "CLO_LXM_E_11_2", - "Localized": "Platinum Pillow Studs" - } - }, - "15": { - "0": { - "GXT": "CLO_LXM_E_12_0", - "Localized": "Gold Gem Stud (L)" - }, - "1": { - "GXT": "CLO_LXM_E_12_1", - "Localized": "Black Gem Stud (L)" - }, - "2": { - "GXT": "CLO_LXM_E_12_2", - "Localized": "Platinum Gem Stud (L)" - } - }, - "16": { - "0": { - "GXT": "CLO_LXM_E_13_0", - "Localized": "Gold Gem Stud (R)" - }, - "1": { - "GXT": "CLO_LXM_E_13_1", - "Localized": "Black Gem Stud (R)" - }, - "2": { - "GXT": "CLO_LXM_E_13_2", - "Localized": "Platinum Gem Stud (R)" - } - }, - "17": { - "0": { - "GXT": "CLO_LXM_E_14_0", - "Localized": "Gold Gem Studs" - }, - "1": { - "GXT": "CLO_LXM_E_14_1", - "Localized": "Black Gem Studs" - }, - "2": { - "GXT": "CLO_LXM_E_14_2", - "Localized": "Platinum Gem Studs" - } - }, - "18": { - "0": { - "GXT": "CLO_LXM_E_24_0", - "Localized": "Gold Illusion Square Stud (L)" - }, - "1": { - "GXT": "CLO_LXM_E_24_1", - "Localized": "Gold Grid Square Stud (L)" - }, - "2": { - "GXT": "CLO_LXM_E_24_2", - "Localized": "Gold Noir Square Stud (L)" - }, - "3": { - "GXT": "CLO_LXM_E_24_3", - "Localized": "Platinum Grid Square Stud (L)" - }, - "4": { - "GXT": "CLO_LXM_E_24_4", - "Localized": "Platinum Noir Square Stud (L)" - } - }, - "19": { - "0": { - "GXT": "CLO_LXM_E_25_0", - "Localized": "Gold Illusion Square Stud (R)" - }, - "1": { - "GXT": "CLO_LXM_E_25_1", - "Localized": "Gold Grid Square Stud (R)" - }, - "2": { - "GXT": "CLO_LXM_E_25_2", - "Localized": "Gold Noir Square Stud (R)" - }, - "3": { - "GXT": "CLO_LXM_E_25_3", - "Localized": "Platinum Grid Square Stud (R)" - }, - "4": { - "GXT": "CLO_LXM_E_25_4", - "Localized": "Platinum Noir Square Stud (R)" - } - }, - "20": { - "0": { - "GXT": "CLO_LXM_E_26_0", - "Localized": "Gold Illusion Square Studs" - }, - "1": { - "GXT": "CLO_LXM_E_26_1", - "Localized": "Gold Grid Square Studs" - }, - "2": { - "GXT": "CLO_LXM_E_26_2", - "Localized": "Gold Noir Square Studs" - }, - "3": { - "GXT": "CLO_LXM_E_26_3", - "Localized": "Platinum Grid Square Studs" - }, - "4": { - "GXT": "CLO_LXM_E_26_4", - "Localized": "Platinum Noir Square Studs" - } - }, - "21": { - "0": { - "GXT": "CLO_L2M_E_15_0", - "Localized": "Gold SN Stud (L)" - }, - "1": { - "GXT": "CLO_L2M_E_15_1", - "Localized": "Platinum SN Stud (L)" - } - }, - "22": { - "0": { - "GXT": "CLO_L2M_E_16_0", - "Localized": "Gold SN Stud (R)" - }, - "1": { - "GXT": "CLO_L2M_E_16_1", - "Localized": "Platinum SN Stud (R)" - } - }, - "23": { - "0": { - "GXT": "CLO_L2M_E_17_0", - "Localized": "Gold SN Studs" - }, - "1": { - "GXT": "CLO_L2M_E_17_1", - "Localized": "Platinum SN Studs" - } - }, - "24": { - "0": { - "GXT": "CLO_L2M_E_18_0", - "Localized": "Silver Skull Stud (L)" - }, - "1": { - "GXT": "CLO_L2M_E_18_1", - "Localized": "Gold Skull Stud (L)" - }, - "2": { - "GXT": "CLO_L2M_E_18_2", - "Localized": "Black Skull Stud (L)" - }, - "3": { - "GXT": "CLO_L2M_E_18_3", - "Localized": "Platinum Skull Stud (L)" - } - }, - "25": { - "0": { - "GXT": "CLO_L2M_E_19_0", - "Localized": "Silver Skull Stud (R)" - }, - "1": { - "GXT": "CLO_L2M_E_19_1", - "Localized": "Gold Skull Stud (R)" - }, - "2": { - "GXT": "CLO_L2M_E_19_2", - "Localized": "Black Skull Stud (R)" - }, - "3": { - "GXT": "CLO_L2M_E_19_3", - "Localized": "Platinum Skull Stud (R)" - } - }, - "26": { - "0": { - "GXT": "CLO_L2M_E_20_0", - "Localized": "Silver Skull Studs" - }, - "1": { - "GXT": "CLO_L2M_E_20_1", - "Localized": "Gold Skull Studs" - }, - "2": { - "GXT": "CLO_L2M_E_20_2", - "Localized": "Black Skull Studs" - }, - "3": { - "GXT": "CLO_L2M_E_20_3", - "Localized": "Platinum Skull Studs" - } - }, - "27": { - "0": { - "GXT": "CLO_L2M_E_21_0", - "Localized": "Platinum Spike Stud (L)" - }, - "1": { - "GXT": "CLO_L2M_E_21_1", - "Localized": "Gold Spike Stud (L)" - } - }, - "28": { - "0": { - "GXT": "CLO_L2M_E_22_0", - "Localized": "Platinum Spike Stud (R)" - }, - "1": { - "GXT": "CLO_L2M_E_22_1", - "Localized": "Gold Spike Stud (R)" - } - }, - "29": { - "0": { - "GXT": "CLO_L2M_E_23_0", - "Localized": "Platinum Spike Studs" - }, - "1": { - "GXT": "CLO_L2M_E_23_1", - "Localized": "Gold Spike Studs" - } - }, - "30": { - "0": { - "GXT": "CLO_L2M_E_27_0", - "Localized": "Gold Onyx Stud (L)" - }, - "1": { - "GXT": "CLO_L2M_E_27_1", - "Localized": "Black Onyx Stud (L)" - }, - "2": { - "GXT": "CLO_L2M_E_27_2", - "Localized": "Platinum Onyx Stud (L)" - } - }, - "31": { - "0": { - "GXT": "CLO_L2M_E_28_0", - "Localized": "Gold Onyx Stud (R)" - }, - "1": { - "GXT": "CLO_L2M_E_28_1", - "Localized": "Black Onyx Stud (R)" - }, - "2": { - "GXT": "CLO_L2M_E_28_2", - "Localized": "Platinum Onyx Stud (R)" - } - }, - "32": { - "0": { - "GXT": "CLO_L2M_E_29_0", - "Localized": "Gold Onyx Studs" - }, - "1": { - "GXT": "CLO_L2M_E_29_1", - "Localized": "Black Onyx Studs" - }, - "2": { - "GXT": "CLO_L2M_E_29_2", - "Localized": "Platinum Onyx Studs" - } - }, - "34": { - "0": { - "GXT": "CLO_L2M_E_30_0", - "Localized": "Platinum SN Bullion Stud (L)" - }, - "1": { - "GXT": "CLO_L2M_E_30_1", - "Localized": "Gold SN Bullion Stud (L)" - } - }, - "35": { - "0": { - "GXT": "CLO_L2M_E_31_0", - "Localized": "Platinum SN Bullion Stud (R)" - }, - "1": { - "GXT": "CLO_L2M_E_31_1", - "Localized": "Gold SN Bullion Stud (R)" - } - }, - "36": { - "0": { - "GXT": "CLO_L2M_E_32_0", - "Localized": "Platinum SN Bullion Studs" - }, - "1": { - "GXT": "CLO_L2M_E_32_1", - "Localized": "Gold SN Bullion Studs" - } - }, - "37": { - "0": { - "GXT": "CLO_VWM_PE_0_0", - "Localized": "Gold Fame or Shame Mics" - }, - "1": { - "GXT": "CLO_VWM_PE_0_1", - "Localized": "Silver Fame or Shame Mics" - } - }, - "38": { - "0": { - "GXT": "CLO_VWM_PE_1_0", - "Localized": "Clubs Earrings" - }, - "1": { - "GXT": "CLO_VWM_PE_1_1", - "Localized": "Diamonds Earrings" - }, - "2": { - "GXT": "CLO_VWM_PE_1_2", - "Localized": "Hearts Earrings" - }, - "3": { - "GXT": "CLO_VWM_PE_1_3", - "Localized": "Spades Earrings" - } - }, - "39": { - "0": { - "GXT": "CLO_VWM_PE_2_0", - "Localized": "White Dice Earrings" - }, - "1": { - "GXT": "CLO_VWM_PE_2_1", - "Localized": "Red Dice Earrings" - }, - "2": { - "GXT": "CLO_VWM_PE_2_2", - "Localized": "Tan Dice Earrings" - }, - "3": { - "GXT": "CLO_VWM_PE_2_3", - "Localized": "Gray Dice Earrings" - } - }, - "40": { - "0": { - "GXT": "CLO_VWM_PE_3_0", - "Localized": "Black Chips Earrings" - }, - "1": { - "GXT": "CLO_VWM_PE_3_1", - "Localized": "Yellow Chips Earrings" - }, - "2": { - "GXT": "CLO_VWM_PE_3_2", - "Localized": "Red Chips Earrings" - }, - "3": { - "GXT": "CLO_VWM_PE_3_3", - "Localized": "Pink Chips Earrings" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_male_glasses.json b/resources/[soz]/soz-shops/config/datasource/props_male_glasses.json deleted file mode 100644 index 983781c4d4..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_male_glasses.json +++ /dev/null @@ -1,1532 +0,0 @@ -[ - { - "Lunettes de Soleil": { - "1": { - "1": { - "GXT": "G_FMM_1_1", - "Localized": "Black Wraparounds" - } - }, - "2": { - "0": { - "GXT": "G_FMM_2_0", - "Localized": "Black Winter Shades" - }, - "1": { - "GXT": "G_FMM_2_1", - "Localized": "White Silver Shades" - }, - "2": { - "GXT": "G_FMM_2_2", - "Localized": "Crimson Polarized Shades" - }, - "3": { - "GXT": "G_FMM_2_3", - "Localized": "Black Summer Shades" - }, - "4": { - "GXT": "G_FMM_2_4", - "Localized": "Black Autumn Shades" - }, - "5": { - "GXT": "G_FMM_2_5", - "Localized": "White Rust Shades" - }, - "6": { - "GXT": "G_FMM_2_6", - "Localized": "White Steel Shades" - }, - "7": { - "GXT": "G_FMM_2_7", - "Localized": "Green Polarized Shades" - } - }, - "3": { - "0": { - "GXT": "G_FMM_3_0", - "Localized": "Slate Janitor Frames" - }, - "1": { - "GXT": "G_FMM_3_1", - "Localized": "Black Janitor Frames" - }, - "2": { - "GXT": "G_FMM_3_2", - "Localized": "Gray Janitor Frames" - }, - "3": { - "GXT": "G_FMM_3_3", - "Localized": "Ash Janitor Frames" - }, - "4": { - "GXT": "G_FMM_3_4", - "Localized": "Tan Janitor Frames" - }, - "5": { - "GXT": "G_FMM_3_5", - "Localized": "Smoke Janitor Frames" - }, - "6": { - "GXT": "G_FMM_3_6", - "Localized": "Charcoal Janitor Frames" - }, - "7": { - "GXT": "G_FMM_3_7", - "Localized": "White Janitor Frames" - } - }, - "4": { - "0": { - "GXT": "G_FMM_4_0", - "Localized": "Enema Brown Glasses" - }, - "1": { - "GXT": "G_FMM_4_1", - "Localized": "Enema Gray Glasses" - }, - "2": { - "GXT": "G_FMM_4_2", - "Localized": "Enema Black Glasses" - }, - "3": { - "GXT": "G_FMM_4_3", - "Localized": "Enema Tortoiseshell Glasses" - }, - "4": { - "GXT": "G_FMM_4_4", - "Localized": "Enema Walnut Glasses" - }, - "5": { - "GXT": "G_FMM_4_5", - "Localized": "Enema Marble Glasses" - }, - "6": { - "GXT": "G_FMM_4_6", - "Localized": "Enema Smoke Glasses" - }, - "7": { - "GXT": "G_FMM_4_7", - "Localized": "Enema Smoke Shades" - } - }, - "5": { - "0": { - "GXT": "G_FMM_5_0", - "Localized": "Gold Aviators" - }, - "1": { - "GXT": "G_FMM_5_1", - "Localized": "Steel Aviators" - }, - "2": { - "GXT": "G_FMM_5_2", - "Localized": "Silver Aviators, Brown Tint" - }, - "3": { - "GXT": "G_FMM_5_3", - "Localized": "Gray Aviators, Green Tint" - }, - "4": { - "GXT": "G_FMM_5_4", - "Localized": "Silver Aviators, Blue Tint" - }, - "5": { - "GXT": "G_FMM_5_5", - "Localized": "Tan Aviators, Dark Tint" - }, - "6": { - "GXT": "G_FMM_5_6", - "Localized": "Steel Aviators, Blue Tint" - }, - "7": { - "GXT": "G_FMM_5_7", - "Localized": "Silver Aviators, Copper Tint" - } - }, - "7": { - "0": { - "GXT": "G_FMM_7_0", - "Localized": "Black Casuals" - }, - "1": { - "GXT": "G_FMM_7_1", - "Localized": "Zap Casuals" - }, - "2": { - "GXT": "G_FMM_7_2", - "Localized": "Tortoiseshell Casuals" - }, - "3": { - "GXT": "G_FMM_7_3", - "Localized": "Red Casuals" - }, - "4": { - "GXT": "G_FMM_7_4", - "Localized": "White Casuals" - }, - "5": { - "GXT": "G_FMM_7_5", - "Localized": "Camo Collection Casuals" - }, - "6": { - "GXT": "G_FMM_7_6", - "Localized": "Lemon Casuals" - }, - "7": { - "GXT": "G_FMM_7_7", - "Localized": "Blood Casuals" - } - }, - "8": { - "0": { - "GXT": "G_FMM_8_0", - "Localized": "Brown Eyewear" - }, - "1": { - "GXT": "G_FMM_8_1", - "Localized": "Silver Eyewear" - }, - "2": { - "GXT": "G_FMM_8_2", - "Localized": "Gray Eyewear" - }, - "3": { - "GXT": "G_FMM_8_3", - "Localized": "Smoke Cop Frames" - }, - "4": { - "GXT": "G_FMM_8_4", - "Localized": "Coffee Cop Frames" - }, - "5": { - "GXT": "G_FMM_8_5", - "Localized": "Black Cop Frames" - }, - "6": { - "GXT": "G_FMM_8_6", - "Localized": "Slate Cop Frames" - }, - "7": { - "GXT": "G_FMM_8_7", - "Localized": "Charcoal Cop Frames" - } - }, - "9": { - "0": { - "GXT": "G_FMM_9_0", - "Localized": "Hawaiian Snow Black" - }, - "1": { - "GXT": "G_FMM_9_1", - "Localized": "Hawaiian Snow Gray" - }, - "2": { - "GXT": "G_FMM_9_2", - "Localized": "Hawaiian Snow White" - }, - "3": { - "GXT": "G_FMM_9_3", - "Localized": "Hawaiian Snow Ash" - }, - "4": { - "GXT": "G_FMM_9_4", - "Localized": "Hawaiian Snow Copper" - }, - "5": { - "GXT": "G_FMM_9_5", - "Localized": "Hawaiian Snow Tortoiseshell" - }, - "6": { - "GXT": "G_FMM_9_6", - "Localized": "Hawaiian Snow Marble" - }, - "7": { - "GXT": "G_FMM_9_7", - "Localized": "Hawaiian Snow Walnut" - } - }, - "10": { - "0": { - "GXT": "G_FMM_10_0", - "Localized": "Gold Bull Emic" - }, - "1": { - "GXT": "G_FMM_10_1", - "Localized": "Gray Bull Emic" - }, - "2": { - "GXT": "G_FMM_10_2", - "Localized": "Silver Bull Emic" - }, - "3": { - "GXT": "G_FMM_10_3", - "Localized": "Black Bull Emic" - }, - "4": { - "GXT": "G_FMM_10_4", - "Localized": "Brown Bull Emic" - }, - "5": { - "GXT": "G_FMM_10_5", - "Localized": "Slate Bull Emic" - }, - "6": { - "GXT": "G_FMM_10_6", - "Localized": "White Bull Emic" - }, - "7": { - "GXT": "G_FMM_10_7", - "Localized": "Purple Tint Bull Emic" - } - }, - "12": { - "0": { - "GXT": "G_FMM_12_0", - "Localized": "Orange Elvis" - }, - "1": { - "GXT": "G_FMM_12_1", - "Localized": "Gray Elvis" - }, - "2": { - "GXT": "G_FMM_12_2", - "Localized": "Slate Elvis" - }, - "3": { - "GXT": "G_FMM_12_3", - "Localized": "Black Elvis" - }, - "4": { - "GXT": "G_FMM_12_4", - "Localized": "White Elvis" - }, - "5": { - "GXT": "G_FMM_12_5", - "Localized": "Blue Tint Elvis" - }, - "6": { - "GXT": "G_FMM_12_6", - "Localized": "Pink Tint Elvis" - }, - "7": { - "GXT": "G_FMM_12_7", - "Localized": "Copper Elvis" - } - }, - "13": { - "0": { - "GXT": "G_FMM_13_0", - "Localized": "Broker Black Hipsters" - }, - "1": { - "GXT": "G_FMM_13_1", - "Localized": "White Polarized Hipsters" - }, - "2": { - "GXT": "G_FMM_13_2", - "Localized": "Choco Polarized Hipsters" - }, - "3": { - "GXT": "G_FMM_13_3", - "Localized": "Slate Hipsters" - }, - "4": { - "GXT": "G_FMM_13_4", - "Localized": "Charcoal Hipsters" - }, - "5": { - "GXT": "G_FMM_13_5", - "Localized": "Olive Polarized Hipsters" - }, - "6": { - "GXT": "G_FMM_13_6", - "Localized": "Gold Polarized Hipsters" - }, - "7": { - "GXT": "G_FMM_13_7", - "Localized": "Candy Polarized Hipsters" - } - }, - "15": { - "0": { - "GXT": "G_FMM_15_0", - "Localized": "Yellow Guns" - }, - "1": { - "GXT": "G_FMM_15_1", - "Localized": "White Guns" - }, - "2": { - "GXT": "G_FMM_15_2", - "Localized": "Gray Guns" - }, - "3": { - "GXT": "G_FMM_15_3", - "Localized": "Red Guns" - }, - "4": { - "GXT": "G_FMM_15_4", - "Localized": "Blue Guns" - }, - "5": { - "GXT": "G_FMM_15_5", - "Localized": "Hornet Guns" - }, - "6": { - "GXT": "G_FMM_15_6", - "Localized": "Orange Guns" - }, - "7": { - "GXT": "G_FMM_15_7", - "Localized": "Pink Guns" - } - }, - "16": { - "0": { - "GXT": "CLO_BBM_E_0_0", - "Localized": "Broker Pink Wraparounds" - }, - "1": { - "GXT": "CLO_BBM_E_0_1", - "Localized": "Broker Purple Wraparounds" - }, - "2": { - "GXT": "CLO_BBM_E_0_2", - "Localized": "Broker Orange Wraparounds" - }, - "3": { - "GXT": "CLO_BBM_E_0_3", - "Localized": "Broker Red Wraparounds" - }, - "4": { - "GXT": "CLO_BBM_E_0_4", - "Localized": "Broker Crimson Wraparounds" - }, - "5": { - "GXT": "CLO_BBM_E_0_5", - "Localized": "Broker Lime Wraparounds" - }, - "6": { - "GXT": "CLO_BBM_E_0_6", - "Localized": "Broker Yellow Wraparounds" - } - }, - "17": { - "0": { - "GXT": "CLO_BUSM_G0_0", - "Localized": "Silver Refined" - }, - "1": { - "GXT": "CLO_BUSM_G0_1", - "Localized": "Gold Refined" - }, - "2": { - "GXT": "CLO_BUSM_G0_2", - "Localized": "Brown Refined" - }, - "3": { - "GXT": "CLO_BUSM_G0_3", - "Localized": "Steel Refined, Warm Tint" - }, - "4": { - "GXT": "CLO_BUSM_G0_4", - "Localized": "Steel Refined, Cool Tint" - }, - "5": { - "GXT": "CLO_BUSM_G0_5", - "Localized": "Hornet Refined" - }, - "6": { - "GXT": "CLO_BUSM_G0_6", - "Localized": "Charcoal Refined" - }, - "7": { - "GXT": "CLO_BUSM_G0_7", - "Localized": "Black Refined" - } - }, - "18": { - "0": { - "GXT": "CLO_BUSM_G1_0", - "Localized": "Gold Superior" - }, - "1": { - "GXT": "CLO_BUSM_G1_1", - "Localized": "Steel Superior" - }, - "2": { - "GXT": "CLO_BUSM_G1_2", - "Localized": "Black Superior" - }, - "3": { - "GXT": "CLO_BUSM_G1_3", - "Localized": "Silver Superior" - }, - "4": { - "GXT": "CLO_BUSM_G1_4", - "Localized": "Blue Superior" - }, - "5": { - "GXT": "CLO_BUSM_G1_5", - "Localized": "Bronze Superior, Warm Tint" - }, - "6": { - "GXT": "CLO_BUSM_G1_6", - "Localized": "White Superior, Cool Tint" - }, - "7": { - "GXT": "CLO_BUSM_G1_7", - "Localized": "Silver Superior, Hot Tint" - } - }, - "19": { - "0": { - "GXT": "CLO_HP_G_0_0", - "Localized": "Black & Gold Trends" - }, - "1": { - "GXT": "CLO_HP_G_0_1", - "Localized": "Black & Silver Trends" - }, - "2": { - "GXT": "CLO_HP_G_0_2", - "Localized": "Silver Dipped Trends" - }, - "4": { - "GXT": "CLO_HP_G_0_4", - "Localized": "Crimson Trends" - }, - "5": { - "GXT": "CLO_HP_G_0_5", - "Localized": "Orange Dipped Trends" - }, - "6": { - "GXT": "CLO_HP_G_0_6", - "Localized": "Gray Trends" - }, - "7": { - "GXT": "CLO_HP_G_0_7", - "Localized": "White & Gold Trends" - } - }, - "20": { - "0": { - "GXT": "CLO_HP_G_1_0", - "Localized": "Sunset Docks" - }, - "1": { - "GXT": "CLO_HP_G_1_1", - "Localized": "Brown Docks" - }, - "2": { - "GXT": "CLO_HP_G_1_2", - "Localized": "Black Docks" - }, - "3": { - "GXT": "CLO_HP_G_1_3", - "Localized": "Checked Docks" - }, - "4": { - "GXT": "CLO_HP_G_1_4", - "Localized": "White Docks" - }, - "5": { - "GXT": "CLO_HP_G_1_5", - "Localized": "Red Docks" - }, - "6": { - "GXT": "CLO_HP_G_1_6", - "Localized": "Crimson Docks" - }, - "7": { - "GXT": "CLO_HP_G_1_7", - "Localized": "Yellow Docks" - }, - "8": { - "GXT": "CLO_EXM_G_20_8", - "Localized": "Shell Dock Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_20_9", - "Localized": "Black Dock Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_20_10", - "Localized": "White Dock Glasses" - } - }, - "23": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Tactique verte" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Tactique orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Tactique violette" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Tactique rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Tactique marron" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Tactique bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Tactique gris" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Tactique marron clair" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Tactique blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Tactique noir" - } - }, - "28": { - "0": { - "GXT": "CLO_VWM_PEY_0_0", - "Localized": "Dot Fade Aviators" - }, - "10": { - "GXT": "CLO_VWM_PEY_010", - "Localized": "Black Rim Tint Aviators" - }, - "11": { - "GXT": "CLO_VWM_PEY_011", - "Localized": "White Rim Tint Aviators" - } - }, - "29": { - "0": { - "GXT": "CLO_VWM_PEY_1_0", - "Localized": "Black Deep Shades" - }, - "1": { - "GXT": "CLO_VWM_PEY_1_1", - "Localized": "Two Tone Deep Shades" - }, - "2": { - "GXT": "CLO_VWM_PEY_1_2", - "Localized": "White Deep Shades" - }, - "5": { - "GXT": "CLO_VWM_PEY_1_5", - "Localized": "Green Deep Shades" - }, - "15": { - "GXT": "CLO_VWM_PEY_115", - "Localized": "Mono Deep Shades" - }, - "19": { - "GXT": "CLO_VWM_PEY_119", - "Localized": "White Fame or Shame Shades" - } - }, - "31": { - "0": { - "GXT": "CLO_H4M_PEY_1_0", - "Localized": "Midnight Tint Oversize Shades" - }, - "1": { - "GXT": "CLO_H4M_PEY_1_1", - "Localized": "Sunset Tint Oversize Shades" - }, - "2": { - "GXT": "CLO_H4M_PEY_1_2", - "Localized": "Black Tint Oversize Shades" - }, - "3": { - "GXT": "CLO_H4M_PEY_1_3", - "Localized": "Blue Tint Oversize Shades" - }, - "4": { - "GXT": "CLO_H4M_PEY_1_4", - "Localized": "Gold Tint Oversize Shades" - }, - "5": { - "GXT": "CLO_H4M_PEY_1_5", - "Localized": "Green Tint Oversize Shades" - }, - "6": { - "GXT": "CLO_H4M_PEY_1_6", - "Localized": "Orange Tint Oversize Shades" - }, - "7": { - "GXT": "CLO_H4M_PEY_1_7", - "Localized": "Red Tint Oversize Shades" - }, - "8": { - "GXT": "CLO_H4M_PEY_1_8", - "Localized": "Pink Tint Oversize Shades" - }, - "9": { - "GXT": "CLO_H4M_PEY_1_9", - "Localized": "Yellow Tint Oversize Shades" - }, - "10": { - "GXT": "CLO_H4M_PEY_110", - "Localized": "Lemon Tint Oversize Shades" - }, - "11": { - "GXT": "CLO_H4M_PEY_111", - "Localized": "Gold Rimmed Oversize Shades" - } - }, - "33": { - "1": { - "GXT": "CLO_H4M_PEY_3_1", - "Localized": "Yellow Square Shades" - }, - "3": { - "GXT": "CLO_H4M_PEY_3_3", - "Localized": "Tortoiseshell Square Shades" - }, - "4": { - "GXT": "CLO_H4M_PEY_3_4", - "Localized": "Green Square Shades" - }, - "6": { - "GXT": "CLO_H4M_PEY_3_6", - "Localized": "Pink Tinted Square Shades" - }, - "7": { - "GXT": "CLO_H4M_PEY_3_7", - "Localized": "Blue Tinted Square Shades" - }, - "9": { - "GXT": "CLO_H4M_PEY_3_9", - "Localized": "Pink Square Shades" - } - } - }, - "Lunettes de vue": { - "2": { - "8": { - "GXT": "CLO_EXM_G_2_8", - "Localized": "Shell Stank Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_2_9", - "Localized": "Black Stank Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_2_10", - "Localized": "White Stank Glasses" - } - }, - "3": { - "8": { - "GXT": "CLO_EXM_G_3_8", - "Localized": "Shell Janitor Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_3_9", - "Localized": "Black Janitor Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_3_10", - "Localized": "White Janitor Glasses" - } - }, - "4": { - "8": { - "GXT": "CLO_EXM_G_4_8", - "Localized": "Shell Enema Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_4_9", - "Localized": "Black Enema Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_4_10", - "Localized": "White Enema Glasses" - } - }, - "5": { - "8": { - "GXT": "CLO_EXM_G_5_8", - "Localized": "Shell Aviator Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_5_9", - "Localized": "Black Aviator Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_5_10", - "Localized": "White Aviator Glasses" - } - }, - "7": { - "8": { - "GXT": "CLO_EXM_G_7_8", - "Localized": "Shell Casual Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_7_9", - "Localized": "Black Casual Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_7_10", - "Localized": "White Casual Glasses" - } - }, - "8": { - "8": { - "GXT": "CLO_EXM_G_8_8", - "Localized": "Shell Cop Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_8_9", - "Localized": "Black Cop Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_8_10", - "Localized": "White Cop Glasses" - } - }, - "9": { - "8": { - "GXT": "CLO_EXM_G_9_8", - "Localized": "Shell HS Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_9_9", - "Localized": "Black HS Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_9_10", - "Localized": "White HS Glasses" - } - }, - "10": { - "8": { - "GXT": "CLO_EXM_G_10_8", - "Localized": "Shell Bull Emic Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_10_9", - "Localized": "Black Bull Emic Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_10_10", - "Localized": "White Bull Emic Glasses" - } - }, - "12": { - "8": { - "GXT": "CLO_EXM_G_12_8", - "Localized": "Shell Elvis Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_12_9", - "Localized": "Black Elvis Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_12_10", - "Localized": "White Elvis Glasses" - } - }, - "13": { - "8": { - "GXT": "CLO_EXM_G_13_8", - "Localized": "Shell Hipster Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_13_9", - "Localized": "Black Hipster Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_13_10", - "Localized": "White Hipster Glasses" - } - }, - "15": { - "8": { - "GXT": "CLO_EXM_G_15_8", - "Localized": "Shell Gun Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_15_9", - "Localized": "Black Gun Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_15_10", - "Localized": "White Gun Glasses" - } - }, - "16": { - "7": { - "GXT": "CLO_EXM_G_16_7", - "Localized": "Shell Wraparound Glasses" - }, - "8": { - "GXT": "CLO_EXM_G_16_8", - "Localized": "Black Wraparound Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_16_9", - "Localized": "White Wraparound Glasses" - } - }, - "17": { - "8": { - "GXT": "CLO_EXM_G_17_8", - "Localized": "Shell Refined Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_17_9", - "Localized": "Black Refined Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_17_10", - "Localized": "White Refined Glasses" - } - }, - "18": { - "8": { - "GXT": "CLO_EXM_G_18_8", - "Localized": "Shell Superior Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_18_9", - "Localized": "Black Superior Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_18_10", - "Localized": "White Superior Glasses" - } - }, - "19": { - "8": { - "GXT": "CLO_EXM_G_19_8", - "Localized": "Shell Trend Glasses" - }, - "9": { - "GXT": "CLO_EXM_G_19_9", - "Localized": "Black Trend Glasses" - }, - "10": { - "GXT": "CLO_EXM_G_19_10", - "Localized": "White Trend Glasses" - } - }, - "33": { - "0": { - "GXT": "CLO_H4M_PEY_3_0", - "Localized": "Brown Square Shades" - }, - "2": { - "GXT": "CLO_H4M_PEY_3_2", - "Localized": "Black Square Shades" - }, - "5": { - "GXT": "CLO_H4M_PEY_3_5", - "Localized": "Red Square Shades" - }, - "8": { - "GXT": "CLO_H4M_PEY_3_8", - "Localized": "White Square Shades" - }, - "10": { - "GXT": "CLO_H4M_PEY_310", - "Localized": "All White Square Shades" - }, - "11": { - "GXT": "CLO_H4M_PEY_311", - "Localized": "Mono Square Shades" - } - }, - "34": { - "0": { - "GXT": "CLO_FXM_PE_0_0", - "Localized": "Black Round" - }, - "1": { - "GXT": "CLO_FXM_PE_0_1", - "Localized": "Silver Round" - }, - "2": { - "GXT": "CLO_FXM_PE_0_2", - "Localized": "Gold Round" - }, - "3": { - "GXT": "CLO_FXM_PE_0_3", - "Localized": "Rose Round" - }, - "4": { - "GXT": "CLO_FXM_PE_0_4", - "Localized": "Tortoiseshell Round" - }, - "5": { - "GXT": "CLO_FXM_PE_0_5", - "Localized": "Gold Framed Round" - }, - "6": { - "GXT": "CLO_FXM_PE_0_6", - "Localized": "Blue Framed Round" - }, - "7": { - "GXT": "CLO_FXM_PE_0_7", - "Localized": "Tortoiseshell & Silver Round" - }, - "8": { - "GXT": "CLO_FXM_PE_0_8", - "Localized": "Tortoiseshell & Gold Round" - }, - "9": { - "GXT": "CLO_FXM_PE_0_9", - "Localized": "Gray Tortoiseshell Round" - }, - "10": { - "GXT": "CLO_FXM_PE_0_10", - "Localized": "Gold Swirl Round" - }, - "11": { - "GXT": "CLO_FXM_PE_0_11", - "Localized": "Gold Fade Round" - } - }, - "35": { - "0": { - "GXT": "CLO_FXM_PE_1_0", - "Localized": "Black Square" - }, - "1": { - "GXT": "CLO_FXM_PE_1_1", - "Localized": "Silver Square" - }, - "2": { - "GXT": "CLO_FXM_PE_1_2", - "Localized": "Gold Square" - }, - "3": { - "GXT": "CLO_FXM_PE_1_3", - "Localized": "Rose Square" - }, - "4": { - "GXT": "CLO_FXM_PE_1_4", - "Localized": "Black & Red Square" - }, - "5": { - "GXT": "CLO_FXM_PE_1_5", - "Localized": "Black & Brown Square" - }, - "6": { - "GXT": "CLO_FXM_PE_1_6", - "Localized": "Black & Blue Square" - }, - "7": { - "GXT": "CLO_FXM_PE_1_7", - "Localized": "Tortoiseshell & Brown Square" - }, - "8": { - "GXT": "CLO_FXM_PE_1_8", - "Localized": "Gold & Tortoiseshell Square" - }, - "9": { - "GXT": "CLO_FXM_PE_1_9", - "Localized": "Gray Tortoiseshell Square" - }, - "10": { - "GXT": "CLO_FXM_PE_1_10", - "Localized": "Tortoiseshell Square" - }, - "11": { - "GXT": "CLO_FXM_PE_1_11", - "Localized": "Pink & Black Square" - } - }, - "36": { - "0": { - "GXT": "CLO_FXM_PE_2_0", - "Localized": "Black Cat Eye" - }, - "1": { - "GXT": "CLO_FXM_PE_2_1", - "Localized": "Silver Cat Eye" - }, - "2": { - "GXT": "CLO_FXM_PE_2_2", - "Localized": "Gold Cat Eye" - }, - "3": { - "GXT": "CLO_FXM_PE_2_3", - "Localized": "Tortoiseshell Cat Eye" - }, - "4": { - "GXT": "CLO_FXM_PE_2_4", - "Localized": "Black & Green Cat Eye" - }, - "5": { - "GXT": "CLO_FXM_PE_2_5", - "Localized": "Dark Tortoiseshell Cat Eye" - }, - "6": { - "GXT": "CLO_FXM_PE_2_6", - "Localized": "Black & Teal Cat Eye" - }, - "7": { - "GXT": "CLO_FXM_PE_2_7", - "Localized": "Black & Red Cat Eye" - }, - "8": { - "GXT": "CLO_FXM_PE_2_8", - "Localized": "Gold & Black Cat Eye" - }, - "9": { - "GXT": "CLO_FXM_PE_2_9", - "Localized": "Navy Cat Eye" - }, - "10": { - "GXT": "CLO_FXM_PE_2_10", - "Localized": "Pink & Black Cat Eye" - }, - "11": { - "GXT": "CLO_FXM_PE_2_11", - "Localized": "Gold Tortoiseshell Cat Eye" - } - }, - "37": { - "0": { - "GXT": "CLO_FXM_PE_3_0", - "Localized": "Black Rectangular" - }, - "1": { - "GXT": "CLO_FXM_PE_3_1", - "Localized": "Silver Rectangular" - }, - "2": { - "GXT": "CLO_FXM_PE_3_2", - "Localized": "Gold Rectangular" - }, - "3": { - "GXT": "CLO_FXM_PE_3_3", - "Localized": "Light Tortoiseshell Rectangular" - }, - "4": { - "GXT": "CLO_FXM_PE_3_4", - "Localized": "Claret Tortoiseshell Rectangular" - }, - "5": { - "GXT": "CLO_FXM_PE_3_5", - "Localized": "Blue Rectangular" - }, - "6": { - "GXT": "CLO_FXM_PE_3_6", - "Localized": "Gray & Red Rectangular" - }, - "7": { - "GXT": "CLO_FXM_PE_3_7", - "Localized": "Teal Fade Rectangular" - }, - "8": { - "GXT": "CLO_FXM_PE_3_8", - "Localized": "Yellow Rectangular" - }, - "9": { - "GXT": "CLO_FXM_PE_3_9", - "Localized": "Green Rectangular" - }, - "10": { - "GXT": "CLO_FXM_PE_3_10", - "Localized": "Red Fade Rectangular" - }, - "11": { - "GXT": "CLO_FXM_PE_3_11", - "Localized": "Dark Tortoiseshell Rectangular" - } - }, - "38": { - "0": { - "GXT": "CLO_FXM_PE_4_0", - "Localized": "Black Ergonomic" - }, - "1": { - "GXT": "CLO_FXM_PE_4_1", - "Localized": "Silver Ergonomic" - }, - "2": { - "GXT": "CLO_FXM_PE_4_2", - "Localized": "Gold Ergonomic" - }, - "3": { - "GXT": "CLO_FXM_PE_4_3", - "Localized": "Tortoiseshell Ergonomic" - }, - "4": { - "GXT": "CLO_FXM_PE_4_4", - "Localized": "Green Ergonomic" - }, - "5": { - "GXT": "CLO_FXM_PE_4_5", - "Localized": "Dark Tortoiseshell Ergonomic" - }, - "6": { - "GXT": "CLO_FXM_PE_4_6", - "Localized": "Teal Ergonomic" - }, - "7": { - "GXT": "CLO_FXM_PE_4_7", - "Localized": "Red Ergonomic" - }, - "8": { - "GXT": "CLO_FXM_PE_4_8", - "Localized": "Gold & Black Ergonomic" - }, - "9": { - "GXT": "CLO_FXM_PE_4_9", - "Localized": "Blue Ergonomic" - }, - "10": { - "GXT": "CLO_FXM_PE_4_10", - "Localized": "Pink Ergonomic" - }, - "11": { - "GXT": "CLO_FXM_PE_4_11", - "Localized": "Tiger Ergonomic" - } - }, - "39": { - "0": { - "GXT": "CLO_FXM_PE_5_0", - "Localized": "Black Retro Round" - }, - "1": { - "GXT": "CLO_FXM_PE_5_1", - "Localized": "Silver Retro Round" - }, - "2": { - "GXT": "CLO_FXM_PE_5_2", - "Localized": "Gold Retro Round" - }, - "3": { - "GXT": "CLO_FXM_PE_5_3", - "Localized": "Rose Retro Round" - }, - "4": { - "GXT": "CLO_FXM_PE_5_4", - "Localized": "Black & Pink Retro Round" - }, - "5": { - "GXT": "CLO_FXM_PE_5_5", - "Localized": "Black & Brown Retro Round" - }, - "6": { - "GXT": "CLO_FXM_PE_5_6", - "Localized": "Black & Navy Retro Round" - }, - "7": { - "GXT": "CLO_FXM_PE_5_7", - "Localized": "Tortoiseshell Rim Retro Round" - }, - "8": { - "GXT": "CLO_FXM_PE_5_8", - "Localized": "Gold & Tortoiseshell Retro Round" - }, - "9": { - "GXT": "CLO_FXM_PE_5_9", - "Localized": "Black Tortoiseshell Retro Round" - }, - "10": { - "GXT": "CLO_FXM_PE_5_10", - "Localized": "Tortoiseshell Retro Round" - }, - "11": { - "GXT": "CLO_FXM_PE_5_11", - "Localized": "Gold & Black Retro Round" - } - } - }, - "Lunettes de fête": { - "19": { - "3": { - "GXT": "CLO_HP_G_0_3", - "Localized": "Green Trends" - } - }, - "21": { - "0": { - "GXT": "CLO_INDM_G_0_0", - "Localized": "Star Frame Shades" - } - }, - "22": { - "0": { - "GXT": "CLO_INDM_G_1_0", - "Localized": "Star Spangled Shades" - } - }, - "24": { - "0": { - "GXT": "CLO_BIM_PE_0_0", - "Localized": "Tan Outlaw Goggles" - }, - "1": { - "GXT": "CLO_BIM_PE_0_1", - "Localized": "Black Outlaw Goggles" - }, - "2": { - "GXT": "CLO_BIM_PE_0_2", - "Localized": "Mono Outlaw Goggles" - }, - "3": { - "GXT": "CLO_BIM_PE_0_3", - "Localized": "Ox Blood Outlaw Goggles" - }, - "4": { - "GXT": "CLO_BIM_PE_0_4", - "Localized": "Blue Outlaw Goggles" - }, - "5": { - "GXT": "CLO_BIM_PE_0_5", - "Localized": "Beige Outlaw Goggles" - } - }, - "25": { - "0": { - "GXT": "CLO_BIM_PE_1_0", - "Localized": "Tropical Urban Ski" - }, - "1": { - "GXT": "CLO_BIM_PE_1_1", - "Localized": "Yellow Urban Ski" - }, - "2": { - "GXT": "CLO_BIM_PE_1_2", - "Localized": "Green Urban Ski" - }, - "3": { - "GXT": "CLO_BIM_PE_1_3", - "Localized": "Dusk Urban Ski" - }, - "4": { - "GXT": "CLO_BIM_PE_1_4", - "Localized": "Grayscale Urban Ski" - }, - "5": { - "GXT": "CLO_BIM_PE_1_5", - "Localized": "Pink Urban Ski" - }, - "6": { - "GXT": "CLO_BIM_PE_1_6", - "Localized": "Orange Urban Ski" - }, - "7": { - "GXT": "CLO_BIM_PE_1_7", - "Localized": "Brown Urban Ski" - } - }, - "28": { - "1": { - "GXT": "CLO_VWM_PEY_0_1", - "Localized": "Orange Fade Tint Aviators" - }, - "2": { - "GXT": "CLO_VWM_PEY_0_2", - "Localized": "Walnut Aviators" - }, - "3": { - "GXT": "CLO_VWM_PEY_0_3", - "Localized": "Horizon Aviators" - }, - "4": { - "GXT": "CLO_VWM_PEY_0_4", - "Localized": "Purple Vine Aviators" - }, - "5": { - "GXT": "CLO_VWM_PEY_0_5", - "Localized": "Herringbone Aviators" - }, - "6": { - "GXT": "CLO_VWM_PEY_0_6", - "Localized": "Gold Tint Aviators" - }, - "7": { - "GXT": "CLO_VWM_PEY_0_7", - "Localized": "Magenta Tint Aviators" - }, - "8": { - "GXT": "CLO_VWM_PEY_0_8", - "Localized": "Electric Blue Tint Aviators" - }, - "9": { - "GXT": "CLO_VWM_PEY_0_9", - "Localized": "Blue Argyle Aviators" - } - }, - "29": { - "3": { - "GXT": "CLO_VWM_PEY_1_3", - "Localized": "Red Deep Shades" - }, - "4": { - "GXT": "CLO_VWM_PEY_1_4", - "Localized": "Aqua Deep Shades" - }, - "6": { - "GXT": "CLO_VWM_PEY_1_6", - "Localized": "Green Urban Deep Shades" - }, - "7": { - "GXT": "CLO_VWM_PEY_1_7", - "Localized": "Pink Urban Deep Shades" - }, - "8": { - "GXT": "CLO_VWM_PEY_1_8", - "Localized": "Digital Deep Shades" - }, - "9": { - "GXT": "CLO_VWM_PEY_1_9", - "Localized": "Splinter Deep Shades" - }, - "10": { - "GXT": "CLO_VWM_PEY_110", - "Localized": "Zebra Deep Shades" - }, - "11": { - "GXT": "CLO_VWM_PEY_111", - "Localized": "Houndstooth Deep Shades" - }, - "12": { - "GXT": "CLO_VWM_PEY_112", - "Localized": "Mute Deep Shades" - }, - "13": { - "GXT": "CLO_VWM_PEY_113", - "Localized": "Sunrise Deep Shades" - }, - "14": { - "GXT": "CLO_VWM_PEY_114", - "Localized": "Striped Deep Shades" - }, - "16": { - "GXT": "CLO_VWM_PEY_116", - "Localized": "Black Fame or Shame Shades" - }, - "17": { - "GXT": "CLO_VWM_PEY_117", - "Localized": "Red Fame or Shame Shades" - }, - "18": { - "GXT": "CLO_VWM_PEY_118", - "Localized": "Blue Fame or Shame Shades" - } - }, - "30": { - "0": { - "GXT": "CLO_H4M_PEY_0_0", - "Localized": "Blue & Pink Glow Shades" - }, - "1": { - "GXT": "CLO_H4M_PEY_0_1", - "Localized": "Red Glow Shades" - }, - "2": { - "GXT": "CLO_H4M_PEY_0_2", - "Localized": "Orange Glow Shades" - }, - "3": { - "GXT": "CLO_H4M_PEY_0_3", - "Localized": "Yellow Glow Shades" - }, - "4": { - "GXT": "CLO_H4M_PEY_0_4", - "Localized": "Green Glow Shades" - }, - "5": { - "GXT": "CLO_H4M_PEY_0_5", - "Localized": "Blue Glow Shades" - }, - "6": { - "GXT": "CLO_H4M_PEY_0_6", - "Localized": "Pink Glow Shades" - }, - "7": { - "GXT": "CLO_H4M_PEY_0_7", - "Localized": "Blue & Magenta Glow Shades" - }, - "8": { - "GXT": "CLO_H4M_PEY_0_8", - "Localized": "Purple & Yellow Glow Shades" - }, - "9": { - "GXT": "CLO_H4M_PEY_0_9", - "Localized": "Blue & Yellow Glow Shades" - }, - "10": { - "GXT": "CLO_H4M_PEY_010", - "Localized": "Pink & Yellow Glow Shades" - }, - "11": { - "GXT": "CLO_H4M_PEY_011", - "Localized": "Red & Yellow Glow Shades" - } - }, - "32": { - "0": { - "GXT": "CLO_H4M_PEY_2_0", - "Localized": "White Checked Round Shades" - }, - "1": { - "GXT": "CLO_H4M_PEY_2_1", - "Localized": "Pink Checked Round Shades" - }, - "2": { - "GXT": "CLO_H4M_PEY_2_2", - "Localized": "Yellow Checked Round Shades" - }, - "3": { - "GXT": "CLO_H4M_PEY_2_3", - "Localized": "Red Checked Round Shades" - }, - "4": { - "GXT": "CLO_H4M_PEY_2_4", - "Localized": "White Round Shades" - }, - "5": { - "GXT": "CLO_H4M_PEY_2_5", - "Localized": "Black Round Shades" - }, - "6": { - "GXT": "CLO_H4M_PEY_2_6", - "Localized": "Pink Tinted Round Shades" - }, - "7": { - "GXT": "CLO_H4M_PEY_2_7", - "Localized": "Blue Tinted Round Shades" - }, - "8": { - "GXT": "CLO_H4M_PEY_2_8", - "Localized": "Green Checked Round Shades" - }, - "9": { - "GXT": "CLO_H4M_PEY_2_9", - "Localized": "Blue Checked Round Shades" - }, - "10": { - "GXT": "CLO_H4M_PEY_210", - "Localized": "Orange Checked Round Shades" - }, - "11": { - "GXT": "CLO_H4M_PEY_211", - "Localized": "Green Tinted Round Shades" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_male_hats.json b/resources/[soz]/soz-shops/config/datasource/props_male_hats.json deleted file mode 100644 index 3dec921514..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_male_hats.json +++ /dev/null @@ -1,3534 +0,0 @@ -[ - { - "Bandana": { - "14": { - "0": { - "GXT": "HT_FMM_14_0", - "Localized": "White Paisley Bandana" - }, - "1": { - "GXT": "HT_FMM_14_1", - "Localized": "Black Paisley Bandana" - }, - "2": { - "GXT": "HT_FMM_14_2", - "Localized": "Navy Bandana" - }, - "3": { - "GXT": "HT_FMM_14_3", - "Localized": "Red Bandana" - }, - "4": { - "GXT": "HT_FMM_14_4", - "Localized": "Green Bandana" - }, - "5": { - "GXT": "HT_FMM_14_5", - "Localized": "Purple Bandana" - }, - "6": { - "GXT": "HT_FMM_14_6", - "Localized": "Camo Bandana" - }, - "7": { - "GXT": "HT_FMM_14_7", - "Localized": "Yellow Bandana" - } - }, - "83": { - "0": { - "GXT": "CLO_BIM_PH_0_0", - "Localized": "Black Tied" - }, - "1": { - "GXT": "CLO_BIM_PH_0_1", - "Localized": "Uptown Riders Tied" - }, - "2": { - "GXT": "CLO_BIM_PH_0_2", - "Localized": "Ride Free Tied" - }, - "3": { - "GXT": "CLO_BIM_PH_0_3", - "Localized": "Ace of Spades Tied" - }, - "4": { - "GXT": "CLO_BIM_PH_0_4", - "Localized": "Skull and Snake Tied" - }, - "5": { - "GXT": "CLO_BIM_PH_0_5", - "Localized": "Ox and Hatchets Tied" - }, - "6": { - "GXT": "CLO_BIM_PH_0_6", - "Localized": "Stars and Stripes Tied" - } - } - }, - "Bérets": { - "7": { - "0": { - "GXT": "HT_FMM_7_0", - "Localized": "White Flat Cap" - }, - "1": { - "GXT": "HT_FMM_7_1", - "Localized": "Gray Flat Cap" - }, - "2": { - "GXT": "HT_FMM_7_2", - "Localized": "Black Flat Cap" - }, - "3": { - "GXT": "HT_FMM_7_3", - "Localized": "Navy Flat Cap" - }, - "4": { - "GXT": "HT_FMM_7_4", - "Localized": "Red Flat Cap" - }, - "5": { - "GXT": "HT_FMM_7_5", - "Localized": "Brown Flat Cap" - }, - "6": { - "GXT": "HT_FMM_7_6", - "Localized": "Green Flat Cap" - }, - "7": { - "GXT": "HT_FMM_7_7", - "Localized": "Yellow Flat Cap" - } - }, - "106": { - "0": { - "GXT": "CLO_GRM_PH_3_0", - "Localized": "Blue Digital Beret" - }, - "1": { - "GXT": "CLO_GRM_PH_3_1", - "Localized": "Brown Digital Beret" - }, - "2": { - "GXT": "CLO_GRM_PH_3_2", - "Localized": "Green Digital Beret" - }, - "3": { - "GXT": "CLO_GRM_PH_3_3", - "Localized": "Gray Digital Beret" - }, - "4": { - "GXT": "CLO_GRM_PH_3_4", - "Localized": "Peach Digital Beret" - }, - "5": { - "GXT": "CLO_GRM_PH_3_5", - "Localized": "Fall Beret" - }, - "6": { - "GXT": "CLO_GRM_PH_3_6", - "Localized": "Dark Woodland Beret" - }, - "7": { - "GXT": "CLO_GRM_PH_3_7", - "Localized": "Crosshatch Beret" - }, - "8": { - "GXT": "CLO_GRM_PH_3_8", - "Localized": "Moss Digital Beret" - }, - "9": { - "GXT": "CLO_GRM_PH_3_9", - "Localized": "Gray Woodland Beret" - }, - "10": { - "GXT": "CLO_GRM_PH_3_10", - "Localized": "Aqua Camo Beret" - }, - "11": { - "GXT": "CLO_GRM_PH_3_11", - "Localized": "Splinter Beret" - }, - "12": { - "GXT": "CLO_GRM_PH_3_12", - "Localized": "Contrast Camo Beret" - }, - "13": { - "GXT": "CLO_GRM_PH_3_13", - "Localized": "Cobble Beret" - }, - "14": { - "GXT": "CLO_GRM_PH_3_14", - "Localized": "Peach Camo Beret" - }, - "15": { - "GXT": "CLO_GRM_PH_3_15", - "Localized": "Brushstroke Beret" - }, - "16": { - "GXT": "CLO_GRM_PH_3_16", - "Localized": "Flecktarn Beret" - }, - "17": { - "GXT": "CLO_GRM_PH_3_17", - "Localized": "Light Woodland Beret" - }, - "18": { - "GXT": "CLO_GRM_PH_3_18", - "Localized": "Moss Beret" - }, - "19": { - "GXT": "CLO_GRM_PH_3_19", - "Localized": "Sand Beret" - }, - "20": { - "GXT": "CLO_GRM_PH_3_20", - "Localized": "Midnight Beret" - } - } - }, - "Bobs": { - "3": { - "1": { - "GXT": "HT_FMM_3_1", - "Localized": "Black Canvas Hat" - }, - "2": { - "GXT": "HT_FMM_3_2", - "Localized": "Tan Canvas Hat" - } - }, - "20": { - "0": { - "GXT": "CLO_BBM_H_0_0", - "Localized": "Green Canvas Hat" - }, - "1": { - "GXT": "CLO_BBM_H_0_1", - "Localized": "Gray Canvas Hat" - }, - "2": { - "GXT": "CLO_BBM_H_0_2", - "Localized": "Hinterland Urban Canvas Hat" - }, - "3": { - "GXT": "CLO_BBM_H_0_3", - "Localized": "Red Canvas Hat" - }, - "4": { - "GXT": "CLO_BBM_H_0_4", - "Localized": "Floral Canvas Hat" - }, - "5": { - "GXT": "CLO_BBM_H_0_5", - "Localized": "Woodland Canvas Hat" - } - }, - "94": { - "0": { - "GXT": "CLO_BIM_PH_11_0", - "Localized": "Cream Mod Canvas" - }, - "1": { - "GXT": "CLO_BIM_PH_11_1", - "Localized": "Red Mod Canvas" - }, - "2": { - "GXT": "CLO_BIM_PH_11_2", - "Localized": "Blue Mod Canvas" - }, - "3": { - "GXT": "CLO_BIM_PH_11_3", - "Localized": "Cyan Mod Canvas" - }, - "4": { - "GXT": "CLO_BIM_PH_11_4", - "Localized": "White Mod Canvas" - }, - "5": { - "GXT": "CLO_BIM_PH_11_5", - "Localized": "Ash Mod Canvas" - }, - "6": { - "GXT": "CLO_BIM_PH_11_6", - "Localized": "Navy Mod Canvas" - }, - "7": { - "GXT": "CLO_BIM_PH_11_7", - "Localized": "Dark Red Mod Canvas" - }, - "8": { - "GXT": "CLO_BIM_PH_11_8", - "Localized": "Slate Mod Canvas" - }, - "9": { - "GXT": "CLO_BIM_PH_11_9", - "Localized": "Moss Mod Canvas" - } - }, - "104": { - "0": { - "GXT": "CLO_GRM_PH_1_0", - "Localized": "Blue Digital Boonie Down" - }, - "1": { - "GXT": "CLO_GRM_PH_1_1", - "Localized": "Brown Digital Boonie Down" - }, - "2": { - "GXT": "CLO_GRM_PH_1_2", - "Localized": "Green Digital Boonie Down" - }, - "3": { - "GXT": "CLO_GRM_PH_1_3", - "Localized": "Gray Digital Boonie Down" - }, - "4": { - "GXT": "CLO_GRM_PH_1_4", - "Localized": "Peach Digital Boonie Down" - }, - "5": { - "GXT": "CLO_GRM_PH_1_5", - "Localized": "Fall Boonie Down" - }, - "6": { - "GXT": "CLO_GRM_PH_1_6", - "Localized": "Dark Woodland Boonie Down" - }, - "7": { - "GXT": "CLO_GRM_PH_1_7", - "Localized": "Crosshatch Boonie Down" - }, - "8": { - "GXT": "CLO_GRM_PH_1_8", - "Localized": "Moss Digital Boonie Down" - }, - "9": { - "GXT": "CLO_GRM_PH_1_9", - "Localized": "Gray Woodland Boonie Down" - }, - "10": { - "GXT": "CLO_GRM_PH_1_10", - "Localized": "Aqua Camo Boonie Down" - }, - "11": { - "GXT": "CLO_GRM_PH_1_11", - "Localized": "Splinter Boonie Down" - }, - "12": { - "GXT": "CLO_GRM_PH_1_12", - "Localized": "Contrast Camo Boonie Down" - }, - "13": { - "GXT": "CLO_GRM_PH_1_13", - "Localized": "Cobble Boonie Down" - }, - "14": { - "GXT": "CLO_GRM_PH_1_14", - "Localized": "Peach Camo Boonie Down" - }, - "15": { - "GXT": "CLO_GRM_PH_1_15", - "Localized": "Brushstroke Boonie Down" - }, - "16": { - "GXT": "CLO_GRM_PH_1_16", - "Localized": "Flecktarn Boonie Down" - }, - "17": { - "GXT": "CLO_GRM_PH_1_17", - "Localized": "Light Woodland Boonie Down" - }, - "18": { - "GXT": "CLO_GRM_PH_1_18", - "Localized": "Moss Boonie Down" - }, - "19": { - "GXT": "CLO_GRM_PH_1_19", - "Localized": "Sand Boonie Down" - }, - "20": { - "GXT": "CLO_GRM_PH_1_20", - "Localized": "Black Boonie Down" - } - }, - "105": { - "0": { - "GXT": "CLO_GRM_PH_2_0", - "Localized": "Blue Digital Boonie Up" - }, - "1": { - "GXT": "CLO_GRM_PH_2_1", - "Localized": "Brown Digital Boonie Up" - }, - "2": { - "GXT": "CLO_GRM_PH_2_2", - "Localized": "Green Digital Boonie Up" - }, - "3": { - "GXT": "CLO_GRM_PH_2_3", - "Localized": "Gray Digital Boonie Up" - }, - "4": { - "GXT": "CLO_GRM_PH_2_4", - "Localized": "Peach Digital Boonie Up" - }, - "5": { - "GXT": "CLO_GRM_PH_2_5", - "Localized": "Fall Boonie Up" - }, - "6": { - "GXT": "CLO_GRM_PH_2_6", - "Localized": "Dark Woodland Boonie Up" - }, - "7": { - "GXT": "CLO_GRM_PH_2_7", - "Localized": "Crosshatch Boonie Up" - }, - "8": { - "GXT": "CLO_GRM_PH_2_8", - "Localized": "Moss Digital Boonie Up" - }, - "9": { - "GXT": "CLO_GRM_PH_2_9", - "Localized": "Gray Woodland Boonie Up" - }, - "10": { - "GXT": "CLO_GRM_PH_2_10", - "Localized": "Aqua Camo Boonie Up" - }, - "11": { - "GXT": "CLO_GRM_PH_2_11", - "Localized": "Splinter Boonie Up" - }, - "12": { - "GXT": "CLO_GRM_PH_2_12", - "Localized": "Contrast Camo Boonie Up" - }, - "13": { - "GXT": "CLO_GRM_PH_2_13", - "Localized": "Cobble Boonie Up" - }, - "14": { - "GXT": "CLO_GRM_PH_2_14", - "Localized": "Peach Camo Boonie Up" - }, - "15": { - "GXT": "CLO_GRM_PH_2_15", - "Localized": "Brushstroke Boonie Up" - }, - "16": { - "GXT": "CLO_GRM_PH_2_16", - "Localized": "Flecktarn Boonie Up" - }, - "17": { - "GXT": "CLO_GRM_PH_2_17", - "Localized": "Light Woodland Boonie Up" - }, - "18": { - "GXT": "CLO_GRM_PH_2_18", - "Localized": "Moss Boonie Up" - }, - "19": { - "GXT": "CLO_GRM_PH_2_19", - "Localized": "Sand Boonie Up" - }, - "20": { - "GXT": "CLO_GRM_PH_2_20", - "Localized": "Black Boonie Up" - } - }, - "132": { - "0": { - "GXT": "CLO_AWM_PH_3_0", - "Localized": "Taco Canvas Hat" - }, - "1": { - "GXT": "CLO_AWM_PH_3_1", - "Localized": "Burger Shot Canvas Hat" - }, - "2": { - "GXT": "CLO_AWM_PH_3_2", - "Localized": "Cluckin' Bell Canvas Hat" - }, - "3": { - "GXT": "CLO_AWM_PH_3_3", - "Localized": "Hotdogs Canvas Hat" - } - } - }, - "Bonnets": { - "1": { - "0": { - "GXT": "HT_FMM_1_0", - "Localized": "White Dunce Cap" - } - }, - "2": { - "0": { - "GXT": "HT_FMM_2_0", - "Localized": "Black Winter Hat" - }, - "1": { - "GXT": "HT_FMM_2_1", - "Localized": "Gray Winter Hat" - }, - "2": { - "GXT": "HT_FMM_2_2", - "Localized": "Blue Winter Hat" - }, - "3": { - "GXT": "HT_FMM_2_3", - "Localized": "Rasta Winter Hat" - }, - "4": { - "GXT": "HT_FMM_2_4", - "Localized": "Gray Striped Winter Hat" - }, - "5": { - "GXT": "HT_FMM_2_5", - "Localized": "Trio Knit Winter Hat" - }, - "6": { - "GXT": "HT_FMM_2_6", - "Localized": "White Winter Hat" - }, - "7": { - "GXT": "HT_FMM_2_7", - "Localized": "Maroon Winter Hat" - } - }, - "5": { - "0": { - "GXT": "HT_FMM_5_0", - "Localized": "Black Saggy Beanie" - }, - "1": { - "GXT": "HT_FMM_5_1", - "Localized": "Gray Saggy Beanie" - } - }, - "28": { - "0": { - "GXT": "CLO_HP_H_0_0", - "Localized": "Blue Saggy Beanie" - }, - "1": { - "GXT": "CLO_HP_H_0_1", - "Localized": "White Saggy Beanie" - }, - "2": { - "GXT": "CLO_HP_H_0_2", - "Localized": "Red Saggy Beanie" - }, - "3": { - "GXT": "CLO_HP_H_0_3", - "Localized": "Lime Saggy Beanie" - }, - "4": { - "GXT": "CLO_HP_H_0_4", - "Localized": "Purple Saggy Beanie" - }, - "5": { - "GXT": "CLO_HP_H_0_5", - "Localized": "Yellow Saggy Beanie" - } - }, - "34": { - "0": { - "GXT": "CLO_INDM_HT_3_0", - "Localized": "Patriotic Beanie" - } - }, - "120": { - "0": { - "GXT": "CLO_SMM_PH_8_0", - "Localized": "Black Low Beanie" - }, - "1": { - "GXT": "CLO_SMM_PH_8_1", - "Localized": "Charcoal Low Beanie" - }, - "2": { - "GXT": "CLO_SMM_PH_8_2", - "Localized": "Ash Low Beanie" - }, - "3": { - "GXT": "CLO_SMM_PH_8_3", - "Localized": "White Low Beanie" - }, - "4": { - "GXT": "CLO_SMM_PH_8_4", - "Localized": "Red Low Beanie" - }, - "5": { - "GXT": "CLO_SMM_PH_8_5", - "Localized": "Blue Low Beanie" - }, - "6": { - "GXT": "CLO_SMM_PH_8_6", - "Localized": "Light Blue Low Beanie" - }, - "7": { - "GXT": "CLO_SMM_PH_8_7", - "Localized": "Beige Low Beanie" - }, - "8": { - "GXT": "CLO_SMM_PH_8_8", - "Localized": "Light Woodland Low Beanie" - }, - "9": { - "GXT": "CLO_SMM_PH_8_9", - "Localized": "Gray Woodland Low Beanie" - }, - "10": { - "GXT": "CLO_SMM_PH_8_10", - "Localized": "Aqua Camo Low Beanie" - }, - "11": { - "GXT": "CLO_SMM_PH_8_11", - "Localized": "Tiger Low Beanie" - }, - "12": { - "GXT": "CLO_SMM_PH_8_12", - "Localized": "Tricolore Low Beanie" - }, - "13": { - "GXT": "CLO_SMM_PH_8_13", - "Localized": "Blue Striped Low Beanie" - }, - "14": { - "GXT": "CLO_SMM_PH_8_14", - "Localized": "Rasta Trio Low Beanie" - }, - "15": { - "GXT": "CLO_SMM_PH_8_15", - "Localized": "Brown Striped Low Beanie" - }, - "16": { - "GXT": "CLO_SMM_PH_8_16", - "Localized": "Stars & Stripes Low Beanie" - }, - "17": { - "GXT": "CLO_SMM_PH_8_17", - "Localized": "Rasta Stripes Low Beanie" - }, - "18": { - "GXT": "CLO_SMM_PH_8_18", - "Localized": "Black & Yellow Low Beanie" - }, - "19": { - "GXT": "CLO_SMM_PH_8_19", - "Localized": "Blue & Yellow Low Beanie" - }, - "20": { - "GXT": "CLO_SMM_PH_8_20", - "Localized": "Green Houndstooth Low Beanie" - }, - "21": { - "GXT": "CLO_SMM_PH_8_21", - "Localized": "Beige Houndstooth Low Beanie" - } - } - }, - "Casques": { - "0": { - "0": { - "GXT": "HT_FMM_0_0", - "Localized": "Red Ear Defenders" - }, - "1": { - "GXT": "HT_FMM_0_1", - "Localized": "Blue Ear Defenders" - }, - "2": { - "GXT": "HT_FMM_0_2", - "Localized": "Green Ear Defenders" - }, - "3": { - "GXT": "HT_FMM_0_3", - "Localized": "Yellow Ear Defenders" - }, - "4": { - "GXT": "HT_FMM_0_4", - "Localized": "Desert Camo Ear Defenders" - }, - "5": { - "GXT": "HT_FMM_0_5", - "Localized": "Black Ear Defenders" - }, - "6": { - "GXT": "HT_FMM_0_6", - "Localized": "Gray Ear Defenders" - }, - "7": { - "GXT": "HT_FMM_0_7", - "Localized": "White Ear Defenders" - } - }, - "15": { - "0": { - "GXT": "HT_FMM_15_0", - "Localized": "Beat Off White Headphones" - }, - "1": { - "GXT": "HT_FMM_15_1", - "Localized": "Beat Off Black Headphones" - }, - "2": { - "GXT": "HT_FMM_15_2", - "Localized": "Beat Off Red Headphones" - }, - "3": { - "GXT": "HT_FMM_15_3", - "Localized": "Beat Off Blue Headphones" - }, - "4": { - "GXT": "HT_FMM_15_4", - "Localized": "Beat Off Yellow Headphones" - }, - "5": { - "GXT": "HT_FMM_15_5", - "Localized": "Beat Off Purple Headphones" - }, - "6": { - "GXT": "HT_FMM_15_6", - "Localized": "Beat Off Gray Headphones" - }, - "7": { - "GXT": "HT_FMM_15_7", - "Localized": "Beat Off Green Headphones" - } - } - }, - "Casquettes": { - "4": { - "0": { - "GXT": "HT_FMM_4_0", - "Localized": "Black LS Fitted Cap" - }, - "1": { - "GXT": "HT_FMM_4_1", - "Localized": "Gray LS Fitted Cap" - } - }, - "6": { - "0": { - "GXT": "HT_FMM_6_0", - "Localized": "Green Army Cap" - }, - "1": { - "GXT": "HT_FMM_6_1", - "Localized": "Black Army Cap" - }, - "2": { - "GXT": "HT_FMM_6_2", - "Localized": "Gray Army Cap" - }, - "3": { - "GXT": "HT_FMM_6_3", - "Localized": "Blue Army Cap" - }, - "4": { - "GXT": "HT_FMM_6_4", - "Localized": "Desert Army Cap" - }, - "5": { - "GXT": "HT_FMM_6_5", - "Localized": "Woodland Army Cap" - }, - "6": { - "GXT": "HT_FMM_6_6", - "Localized": "Ranch Beige Army Cap" - }, - "7": { - "GXT": "HT_FMM_6_7", - "Localized": "Ranch Brown Army Cap" - } - }, - "9": { - "5": { - "GXT": "HT_FMM_9_5", - "Localized": "Fruntalot Green Cap" - }, - "7": { - "GXT": "HT_FMM_9_7", - "Localized": "Stank Purple Cap" - } - }, - "10": { - "5": { - "GXT": "HT_FMM_10_5", - "Localized": "Fruntalot Green Cap" - }, - "7": { - "GXT": "HT_FMM_10_7", - "Localized": "Stank Purple Cap" - } - }, - "44": { - "0": { - "GXT": "CLO_X2M_HT_4_0", - "Localized": "Naughty Cap" - }, - "1": { - "GXT": "CLO_X2M_HT_4_1", - "Localized": "Black Ho Ho Ho Cap" - }, - "2": { - "GXT": "CLO_X2M_HT_4_2", - "Localized": "Blue Snowflake Cap" - }, - "3": { - "GXT": "CLO_X2M_HT_4_3", - "Localized": "Nice Cap" - }, - "4": { - "GXT": "CLO_X2M_HT_4_4", - "Localized": "Green Ho Ho Ho Cap" - }, - "5": { - "GXT": "CLO_X2M_HT_4_5", - "Localized": "Red Snowflake Cap" - }, - "6": { - "GXT": "CLO_X2M_HT_4_6", - "Localized": "Gingerbread Cap" - }, - "7": { - "GXT": "CLO_X2M_HT_4_7", - "Localized": "Bah Humbug Cap" - } - }, - "54": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casquette Families" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casquette Ballas" - } - }, - "55": { - "0": { - "GXT": "CLO_S1M_PH_0_0", - "Localized": "Red Broker Snapback" - }, - "1": { - "GXT": "CLO_S1M_PH_0_1", - "Localized": "Charcoal Broker Snapback" - }, - "2": { - "GXT": "CLO_S1M_PH_0_2", - "Localized": "Cream Trickster Snapback" - }, - "3": { - "GXT": "CLO_S1M_PH_0_3", - "Localized": "Navy Trickster Snapback" - }, - "4": { - "GXT": "CLO_S1M_PH_0_4", - "Localized": "Brown Broker Snapback" - }, - "5": { - "GXT": "CLO_S1M_PH_0_5", - "Localized": "Brown Harsh Souls Snapback" - }, - "6": { - "GXT": "CLO_S1M_PH_0_6", - "Localized": "Orange Sweatbox Snapback" - }, - "7": { - "GXT": "CLO_S1M_PH_0_7", - "Localized": "Blue Sweatbox Snapback" - }, - "8": { - "GXT": "CLO_S1M_PH_0_8", - "Localized": "Stripy Yeti Snapback" - }, - "9": { - "GXT": "CLO_S1M_PH_0_9", - "Localized": "Link Trickster Snapback" - }, - "10": { - "GXT": "CLO_S1M_PH_0_10", - "Localized": "Diamond Yeti Snapback" - }, - "11": { - "GXT": "CLO_S1M_PH_0_11", - "Localized": "Cherry Broker Snapback" - }, - "12": { - "GXT": "CLO_S1M_PH_0_12", - "Localized": "Tan Fruntalot Snapback" - }, - "13": { - "GXT": "CLO_S1M_PH_0_13", - "Localized": "Green Sweatbox Snapback" - }, - "14": { - "GXT": "CLO_S1M_PH_0_14", - "Localized": "Jungle Yeti Snapback" - }, - "15": { - "GXT": "CLO_S1M_PH_0_15", - "Localized": "Forest Trickster Snapback" - }, - "16": { - "GXT": "CLO_S1M_PH_0_16", - "Localized": "Coffee Broker Snapback" - }, - "17": { - "GXT": "CLO_S1M_PH_0_17", - "Localized": "Dual Trey Baker Snapback" - }, - "18": { - "GXT": "CLO_S1M_PH_0_18", - "Localized": "Gray Sweatbox Snapback" - }, - "19": { - "GXT": "CLO_S1M_PH_0_19", - "Localized": "Cream Sweatbox Snapback" - }, - "20": { - "GXT": "CLO_S1M_PH_0_20", - "Localized": "Red Yeti Snapback" - }, - "21": { - "GXT": "CLO_S1M_PH_0_21", - "Localized": "White Harsh Souls Snapback" - }, - "22": { - "GXT": "CLO_S1M_PH_0_22", - "Localized": "Navy Fruntalot Snapback" - }, - "23": { - "GXT": "CLO_S1M_PH_0_23", - "Localized": "Yellow Sweatbox Snapback" - }, - "24": { - "GXT": "CLO_S1M_PH_0_24", - "Localized": "All Black Broker Snapback" - }, - "25": { - "GXT": "CLO_S1M_PH_0_25", - "Localized": "Black Broker Snapback" - } - }, - "56": { - "0": { - "GXT": "CLO_S1M_PH_1_0", - "Localized": "Magnetics Script Fitted Cap" - }, - "1": { - "GXT": "CLO_S1M_PH_1_1", - "Localized": "Magnetics Block Fitted Cap" - }, - "2": { - "GXT": "CLO_S1M_PH_1_2", - "Localized": "Low Santos Fitted Cap" - }, - "3": { - "GXT": "CLO_S1M_PH_1_3", - "Localized": "Boars Fitted Cap" - }, - "4": { - "GXT": "CLO_S1M_PH_1_4", - "Localized": "Benny's Fitted Cap" - }, - "5": { - "GXT": "CLO_S1M_PH_1_5", - "Localized": "Westside Fitted Cap" - }, - "6": { - "GXT": "CLO_S1M_PH_1_6", - "Localized": "Eastside Fitted Cap" - }, - "7": { - "GXT": "CLO_S1M_PH_1_7", - "Localized": "Strawberry Fitted Cap" - }, - "8": { - "GXT": "CLO_S1M_PH_1_8", - "Localized": "Black SA Fitted Cap" - }, - "9": { - "GXT": "CLO_S1M_PH_1_9", - "Localized": "Davis Fitted Cap" - } - }, - "58": { - "0": { - "GXT": "CLO_EXM_AH_1_0", - "Localized": "Tan Cap" - }, - "1": { - "GXT": "CLO_EXM_AH_1_1", - "Localized": "Khaki Cap" - }, - "2": { - "GXT": "CLO_EXM_AH_1_2", - "Localized": "Black Cap" - } - }, - "60": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Verte" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Violette" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casquette Militaire Noir" - } - }, - "63": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casquette neutre Noir" - } - }, - "76": { - "0": { - "GXT": "CLO_STM_H_9_0", - "Localized": "Atomic Cap" - }, - "1": { - "GXT": "CLO_STM_H_9_1", - "Localized": "Auto Exotic Cap" - }, - "2": { - "GXT": "CLO_STM_H_9_2", - "Localized": "Chepalle Cap" - }, - "3": { - "GXT": "CLO_STM_H_9_3", - "Localized": "Cunning Stunts Cap" - }, - "4": { - "GXT": "CLO_STM_H_9_4", - "Localized": "Flash Cap" - }, - "5": { - "GXT": "CLO_STM_H_9_5", - "Localized": "Fukaru Cap" - }, - "6": { - "GXT": "CLO_STM_H_9_6", - "Localized": "Globe Oil Cap" - }, - "7": { - "GXT": "CLO_STM_H_9_7", - "Localized": "Grotti Cap" - }, - "8": { - "GXT": "CLO_STM_H_9_8", - "Localized": "Imponte Racing Cap" - }, - "9": { - "GXT": "CLO_STM_H_9_9", - "Localized": "Lampadati Racing Cap" - }, - "10": { - "GXT": "CLO_STM_H_9_10", - "Localized": "LTD Cap" - }, - "11": { - "GXT": "CLO_STM_H_9_11", - "Localized": "Nagasaki Racing Cap" - }, - "12": { - "GXT": "CLO_STM_H_9_12", - "Localized": "Nagasaki Moto Cap" - }, - "13": { - "GXT": "CLO_STM_H_9_13", - "Localized": "Patriot Cap" - }, - "14": { - "GXT": "CLO_STM_H_9_14", - "Localized": "Rebel Radio Cap" - }, - "15": { - "GXT": "CLO_STM_H_9_15", - "Localized": "Redwood Cap" - }, - "16": { - "GXT": "CLO_STM_H_9_16", - "Localized": "Scooter Brothers Cap" - }, - "17": { - "GXT": "CLO_STM_H_9_17", - "Localized": "The Mount Cap" - }, - "18": { - "GXT": "CLO_STM_H_9_18", - "Localized": "Total Ride Cap" - }, - "19": { - "GXT": "CLO_STM_H_9_19", - "Localized": "Vapid Cap" - }, - "20": { - "GXT": "CLO_STM_H_9_20", - "Localized": "Xero Gas Cap" - } - }, - "77": { - "0": { - "GXT": "CLO_STM_H_100", - "Localized": "Atomic Cap" - }, - "1": { - "GXT": "CLO_STM_H_101", - "Localized": "Auto Exotic Cap" - }, - "2": { - "GXT": "CLO_STM_H_102", - "Localized": "Chepalle Cap" - }, - "3": { - "GXT": "CLO_STM_H_103", - "Localized": "Cunning Stunts Cap" - }, - "4": { - "GXT": "CLO_STM_H_104", - "Localized": "Flash Cap" - }, - "5": { - "GXT": "CLO_STM_H_105", - "Localized": "Fukaru Cap" - }, - "6": { - "GXT": "CLO_STM_H_106", - "Localized": "Globe Oil Cap" - }, - "7": { - "GXT": "CLO_STM_H_107", - "Localized": "Grotti Cap" - }, - "8": { - "GXT": "CLO_STM_H_108", - "Localized": "Imponte Racing Cap" - }, - "9": { - "GXT": "CLO_STM_H_109", - "Localized": "Lampadati Racing Cap" - }, - "10": { - "GXT": "CLO_STM_H_1010", - "Localized": "LTD Cap" - }, - "11": { - "GXT": "CLO_STM_H_1011", - "Localized": "Nagasaki Racing Cap" - }, - "12": { - "GXT": "CLO_STM_H_1012", - "Localized": "Nagasaki Moto Cap" - }, - "13": { - "GXT": "CLO_STM_H_1013", - "Localized": "Patriot Cap" - }, - "14": { - "GXT": "CLO_STM_H_1014", - "Localized": "Rebel Radio Cap" - }, - "15": { - "GXT": "CLO_STM_H_1015", - "Localized": "Redwood Cap" - }, - "16": { - "GXT": "CLO_STM_H_1016", - "Localized": "Scooter Brothers Cap" - }, - "17": { - "GXT": "CLO_STM_H_1017", - "Localized": "The Mount Cap" - }, - "18": { - "GXT": "CLO_STM_H_1018", - "Localized": "Total Ride Cap" - }, - "19": { - "GXT": "CLO_STM_H_1019", - "Localized": "Vapid Cap" - }, - "20": { - "GXT": "CLO_STM_H_1020", - "Localized": "Xero Gas Cap" - } - }, - "96": { - "0": { - "GXT": "CLO_IEM_PH_0_0", - "Localized": "Black Bigness Cap" - }, - "1": { - "GXT": "CLO_IEM_PH_0_1", - "Localized": "Red Bigness Cap" - }, - "2": { - "GXT": "CLO_IEM_PH_0_2", - "Localized": "Orange Camo Sand Castle Cap" - }, - "3": { - "GXT": "CLO_IEM_PH_0_3", - "Localized": "Purple Güffy Cap" - }, - "4": { - "GXT": "CLO_IEM_PH_0_4", - "Localized": "Off-White Bigness Cap" - }, - "5": { - "GXT": "CLO_IEM_PH_0_5", - "Localized": "Bold Abstract Bigness Cap" - }, - "6": { - "GXT": "CLO_IEM_PH_0_6", - "Localized": "Gray Abstract Bigness Cap" - }, - "7": { - "GXT": "CLO_IEM_PH_0_7", - "Localized": "Pale Abstract Bigness Cap" - }, - "8": { - "GXT": "CLO_IEM_PH_0_8", - "Localized": "Primary Squash Cap" - }, - "9": { - "GXT": "CLO_IEM_PH_0_9", - "Localized": "Spots Squash Cap" - }, - "10": { - "GXT": "CLO_IEM_PH_0_10", - "Localized": "Banana Squash Cap" - }, - "11": { - "GXT": "CLO_IEM_PH_0_11", - "Localized": "Splat Squash Cap" - }, - "12": { - "GXT": "CLO_IEM_PH_0_12", - "Localized": "OJ Squash Cap" - }, - "13": { - "GXT": "CLO_IEM_PH_0_13", - "Localized": "Multicolor Leaves Güffy Cap" - }, - "14": { - "GXT": "CLO_IEM_PH_0_14", - "Localized": "Red Güffy Cap" - }, - "15": { - "GXT": "CLO_IEM_PH_0_15", - "Localized": "White Painted Güffy Cap" - } - }, - "103": { - "0": { - "GXT": "CLO_GRM_PH_0_0", - "Localized": "Blue Digital Cap" - }, - "1": { - "GXT": "CLO_GRM_PH_0_1", - "Localized": "Brown Digital Cap" - }, - "2": { - "GXT": "CLO_GRM_PH_0_2", - "Localized": "Green Digital Cap" - }, - "3": { - "GXT": "CLO_GRM_PH_0_3", - "Localized": "Gray Digital Cap" - }, - "4": { - "GXT": "CLO_GRM_PH_0_4", - "Localized": "Peach Digital Cap" - }, - "5": { - "GXT": "CLO_GRM_PH_0_5", - "Localized": "Fall Cap" - }, - "6": { - "GXT": "CLO_GRM_PH_0_6", - "Localized": "Dark Woodland Cap" - }, - "7": { - "GXT": "CLO_GRM_PH_0_7", - "Localized": "Crosshatch Cap" - }, - "8": { - "GXT": "CLO_GRM_PH_0_8", - "Localized": "Moss Digital Cap" - }, - "9": { - "GXT": "CLO_GRM_PH_0_9", - "Localized": "Gray Woodland Cap" - }, - "10": { - "GXT": "CLO_GRM_PH_0_10", - "Localized": "Aqua Camo Cap" - }, - "11": { - "GXT": "CLO_GRM_PH_0_11", - "Localized": "Splinter Cap" - }, - "12": { - "GXT": "CLO_GRM_PH_0_12", - "Localized": "Contrast Camo Cap" - }, - "13": { - "GXT": "CLO_GRM_PH_0_13", - "Localized": "Cobble Cap" - }, - "14": { - "GXT": "CLO_GRM_PH_0_14", - "Localized": "Peach Camo Cap" - }, - "15": { - "GXT": "CLO_GRM_PH_0_15", - "Localized": "Brushstroke Cap" - }, - "16": { - "GXT": "CLO_GRM_PH_0_16", - "Localized": "Flecktarn Cap" - }, - "17": { - "GXT": "CLO_GRM_PH_0_17", - "Localized": "Light Woodland Cap" - }, - "18": { - "GXT": "CLO_GRM_PH_0_18", - "Localized": "Moss Cap" - }, - "19": { - "GXT": "CLO_GRM_PH_0_19", - "Localized": "Sand Cap" - } - }, - "107": { - "0": { - "GXT": "CLO_GRM_PH_4_0", - "Localized": "Blue Digital Utility Cap" - }, - "1": { - "GXT": "CLO_GRM_PH_4_1", - "Localized": "Brown Digital Utility Cap" - }, - "2": { - "GXT": "CLO_GRM_PH_4_2", - "Localized": "Green Digital Utility Cap" - }, - "3": { - "GXT": "CLO_GRM_PH_4_3", - "Localized": "Gray Digital Utility Cap" - }, - "4": { - "GXT": "CLO_GRM_PH_4_4", - "Localized": "Peach Digital Utility Cap" - }, - "5": { - "GXT": "CLO_GRM_PH_4_5", - "Localized": "Fall Utility Cap" - }, - "6": { - "GXT": "CLO_GRM_PH_4_6", - "Localized": "Dark Woodland Utility Cap" - }, - "7": { - "GXT": "CLO_GRM_PH_4_7", - "Localized": "Crosshatch Utility Cap" - }, - "8": { - "GXT": "CLO_GRM_PH_4_8", - "Localized": "Moss Digital Utility Cap" - }, - "9": { - "GXT": "CLO_GRM_PH_4_9", - "Localized": "Gray Woodland Utility Cap" - }, - "10": { - "GXT": "CLO_GRM_PH_4_10", - "Localized": "Aqua Camo Utility Cap" - }, - "11": { - "GXT": "CLO_GRM_PH_4_11", - "Localized": "Splinter Utility Cap" - }, - "12": { - "GXT": "CLO_GRM_PH_4_12", - "Localized": "Contrast Camo Utility Cap" - }, - "13": { - "GXT": "CLO_GRM_PH_4_13", - "Localized": "Cobble Utility Cap" - }, - "14": { - "GXT": "CLO_GRM_PH_4_14", - "Localized": "Peach Camo Utility Cap" - }, - "15": { - "GXT": "CLO_GRM_PH_4_15", - "Localized": "Brushstroke Utility Cap" - }, - "16": { - "GXT": "CLO_GRM_PH_4_16", - "Localized": "Flecktarn Utility Cap" - }, - "17": { - "GXT": "CLO_GRM_PH_4_17", - "Localized": "Light Woodland Utility Cap" - }, - "18": { - "GXT": "CLO_GRM_PH_4_18", - "Localized": "Moss Utility Cap" - }, - "19": { - "GXT": "CLO_GRM_PH_4_19", - "Localized": "Sand Utility Cap" - }, - "20": { - "GXT": "CLO_GRM_PH_4_20", - "Localized": "Black Utility Cap" - } - }, - "108": { - "0": { - "GXT": "CLO_GRM_PH_5_0", - "Localized": "Blue Digital Beanie Cap" - }, - "1": { - "GXT": "CLO_GRM_PH_5_1", - "Localized": "Brown Digital Beanie Cap" - }, - "2": { - "GXT": "CLO_GRM_PH_5_2", - "Localized": "Green Digital Beanie Cap" - }, - "3": { - "GXT": "CLO_GRM_PH_5_3", - "Localized": "Gray Digital Beanie Cap" - }, - "4": { - "GXT": "CLO_GRM_PH_5_4", - "Localized": "Peach Digital Beanie Cap" - }, - "5": { - "GXT": "CLO_GRM_PH_5_5", - "Localized": "Fall Beanie Cap" - }, - "6": { - "GXT": "CLO_GRM_PH_5_6", - "Localized": "Dark Woodland Beanie Cap" - }, - "7": { - "GXT": "CLO_GRM_PH_5_7", - "Localized": "Crosshatch Beanie Cap" - }, - "8": { - "GXT": "CLO_GRM_PH_5_8", - "Localized": "Moss Digital Beanie Cap" - }, - "9": { - "GXT": "CLO_GRM_PH_5_9", - "Localized": "Gray Woodland Beanie Cap" - }, - "10": { - "GXT": "CLO_GRM_PH_5_10", - "Localized": "Aqua Camo Beanie Cap" - }, - "11": { - "GXT": "CLO_GRM_PH_5_11", - "Localized": "Splinter Beanie Cap" - }, - "12": { - "GXT": "CLO_GRM_PH_5_12", - "Localized": "Contrast Camo Beanie Cap" - }, - "13": { - "GXT": "CLO_GRM_PH_5_13", - "Localized": "Cobble Beanie Cap" - }, - "14": { - "GXT": "CLO_GRM_PH_5_14", - "Localized": "Peach Camo Beanie Cap" - }, - "15": { - "GXT": "CLO_GRM_PH_5_15", - "Localized": "Brushstroke Beanie Cap" - }, - "16": { - "GXT": "CLO_GRM_PH_5_16", - "Localized": "Flecktarn Beanie Cap" - }, - "17": { - "GXT": "CLO_GRM_PH_5_17", - "Localized": "Light Woodland Beanie Cap" - }, - "18": { - "GXT": "CLO_GRM_PH_5_18", - "Localized": "Moss Beanie Cap" - }, - "19": { - "GXT": "CLO_GRM_PH_5_19", - "Localized": "Sand Beanie Cap" - }, - "20": { - "GXT": "CLO_GRM_PH_5_20", - "Localized": "Black Beanie Cap" - } - }, - "109": { - "0": { - "GXT": "CLO_GRM_PH_6_0", - "Localized": "Red Hawk & Little Cap" - }, - "1": { - "GXT": "CLO_GRM_PH_6_1", - "Localized": "Black Hawk & Little Cap" - }, - "2": { - "GXT": "CLO_GRM_PH_6_2", - "Localized": "White Shrewsbury Cap" - }, - "3": { - "GXT": "CLO_GRM_PH_6_3", - "Localized": "Black Shrewsbury Cap" - }, - "4": { - "GXT": "CLO_GRM_PH_6_4", - "Localized": "White Vom Feuer Cap" - }, - "5": { - "GXT": "CLO_GRM_PH_6_5", - "Localized": "Black Vom Feuer Cap" - }, - "6": { - "GXT": "CLO_GRM_PH_6_6", - "Localized": "Wine Coil Cap" - }, - "7": { - "GXT": "CLO_GRM_PH_6_7", - "Localized": "Black Coil Cap" - }, - "8": { - "GXT": "CLO_GRM_PH_6_8", - "Localized": "Black Ammu-Nation Cap" - }, - "9": { - "GXT": "CLO_GRM_PH_6_9", - "Localized": "Red Ammu-Nation Cap" - }, - "10": { - "GXT": "CLO_GRM_PH_6_10", - "Localized": "Warstock Cap" - } - }, - "110": { - "0": { - "GXT": "CLO_GRM_PH_6_0", - "Localized": "Red Hawk & Little Cap" - }, - "1": { - "GXT": "CLO_GRM_PH_6_1", - "Localized": "Black Hawk & Little Cap" - }, - "2": { - "GXT": "CLO_GRM_PH_6_2", - "Localized": "White Shrewsbury Cap" - }, - "3": { - "GXT": "CLO_GRM_PH_6_3", - "Localized": "Black Shrewsbury Cap" - }, - "4": { - "GXT": "CLO_GRM_PH_6_4", - "Localized": "White Vom Feuer Cap" - }, - "5": { - "GXT": "CLO_GRM_PH_6_5", - "Localized": "Black Vom Feuer Cap" - }, - "6": { - "GXT": "CLO_GRM_PH_6_6", - "Localized": "Wine Coil Cap" - }, - "7": { - "GXT": "CLO_GRM_PH_6_7", - "Localized": "Black Coil Cap" - }, - "8": { - "GXT": "CLO_GRM_PH_6_8", - "Localized": "Black Ammu-Nation Cap" - }, - "9": { - "GXT": "CLO_GRM_PH_6_9", - "Localized": "Red Ammu-Nation Cap" - }, - "10": { - "GXT": "CLO_GRM_PH_6_10", - "Localized": "Warstock Cap" - } - }, - "130": { - "0": { - "GXT": "CLO_AWM_PH_1_0", - "Localized": "Burger Shot Burgers Cap" - }, - "1": { - "GXT": "CLO_AWM_PH_1_1", - "Localized": "Burger Shot Fries Cap" - }, - "2": { - "GXT": "CLO_AWM_PH_1_2", - "Localized": "Burger Shot Logo Cap" - }, - "3": { - "GXT": "CLO_AWM_PH_1_3", - "Localized": "Burger Shot Bullseye Cap" - }, - "4": { - "GXT": "CLO_AWM_PH_1_4", - "Localized": "Yellow Cluckin' Bell Cap" - }, - "5": { - "GXT": "CLO_AWM_PH_1_5", - "Localized": "Blue Cluckin' Bell Cap" - }, - "6": { - "GXT": "CLO_AWM_PH_1_6", - "Localized": "Cluckin' Bell Logos Cap" - }, - "7": { - "GXT": "CLO_AWM_PH_1_7", - "Localized": "Black Hotdogs Cap" - }, - "8": { - "GXT": "CLO_AWM_PH_1_8", - "Localized": "Taco Bomb Cap" - }, - "9": { - "GXT": "CLO_AWM_PH_1_9", - "Localized": "Purple Hotdogs Cap" - }, - "10": { - "GXT": "CLO_AWM_PH_1_10", - "Localized": "Pink Hotdogs Cap" - }, - "11": { - "GXT": "CLO_AWM_PH_1_11", - "Localized": "White Lucky Plucker Cap" - }, - "12": { - "GXT": "CLO_AWM_PH_1_12", - "Localized": "Red Lucky Plucker Cap" - }, - "13": { - "GXT": "CLO_AWM_PH_1_13", - "Localized": "Lucky Plucker Red Pattern Cap" - }, - "14": { - "GXT": "CLO_AWM_PH_1_14", - "Localized": "Lucky Plucker White Pattern Cap" - }, - "15": { - "GXT": "CLO_AWM_PH_1_15", - "Localized": "White Pisswasser Cap" - }, - "16": { - "GXT": "CLO_AWM_PH_1_16", - "Localized": "Black Pisswasser Cap" - }, - "17": { - "GXT": "CLO_AWM_PH_1_17", - "Localized": "White Taco Bomb Cap" - }, - "18": { - "GXT": "CLO_AWM_PH_1_18", - "Localized": "Green Taco Bomb Cap" - } - }, - "131": { - "0": { - "GXT": "CLO_AWM_PH_2_0", - "Localized": "Burger Shot Burgers Cap" - }, - "1": { - "GXT": "CLO_AWM_PH_2_1", - "Localized": "Burger Shot Fries Cap" - }, - "2": { - "GXT": "CLO_AWM_PH_2_2", - "Localized": "Burger Shot Logo Cap" - }, - "3": { - "GXT": "CLO_AWM_PH_2_3", - "Localized": "Burger Shot Bullseye Cap" - }, - "4": { - "GXT": "CLO_AWM_PH_2_4", - "Localized": "Yellow Cluckin' Bell Cap" - }, - "5": { - "GXT": "CLO_AWM_PH_2_5", - "Localized": "Blue Cluckin' Bell Cap" - }, - "6": { - "GXT": "CLO_AWM_PH_2_6", - "Localized": "Cluckin' Bell Logos Cap" - }, - "7": { - "GXT": "CLO_AWM_PH_2_7", - "Localized": "Black Hotdogs Cap" - }, - "8": { - "GXT": "CLO_AWM_PH_2_8", - "Localized": "Taco Bomb Cap" - }, - "9": { - "GXT": "CLO_AWM_PH_2_9", - "Localized": "Purple Hotdogs Cap" - }, - "10": { - "GXT": "CLO_AWM_PH_2_10", - "Localized": "Pink Hotdogs Cap" - }, - "11": { - "GXT": "CLO_AWM_PH_2_11", - "Localized": "White Lucky Plucker Cap" - }, - "12": { - "GXT": "CLO_AWM_PH_2_12", - "Localized": "Red Lucky Plucker Cap" - }, - "13": { - "GXT": "CLO_AWM_PH_2_13", - "Localized": "Lucky Plucker Red Pattern Cap" - }, - "14": { - "GXT": "CLO_AWM_PH_2_14", - "Localized": "Lucky Plucker White Pattern Cap" - }, - "15": { - "GXT": "CLO_AWM_PH_2_15", - "Localized": "White Pisswasser Cap" - }, - "16": { - "GXT": "CLO_AWM_PH_2_16", - "Localized": "Black Pisswasser Cap" - }, - "17": { - "GXT": "CLO_AWM_PH_2_17", - "Localized": "White Taco Bomb Cap" - }, - "18": { - "GXT": "CLO_AWM_PH_2_18", - "Localized": "Green Taco Bomb Cap" - } - }, - "135": { - "0": { - "GXT": "CLO_VWM_PH_0_0", - "Localized": "White The Diamond Cap" - }, - "1": { - "GXT": "CLO_VWM_PH_0_1", - "Localized": "Black The Diamond Cap" - }, - "2": { - "GXT": "CLO_VWM_PH_0_2", - "Localized": "White LS Diamond Cap" - }, - "3": { - "GXT": "CLO_VWM_PH_0_3", - "Localized": "Black LS Diamond Cap" - }, - "4": { - "GXT": "CLO_VWM_PH_0_4", - "Localized": "Red The Diamond Cap" - }, - "5": { - "GXT": "CLO_VWM_PH_0_5", - "Localized": "Orange The Diamond Cap" - }, - "6": { - "GXT": "CLO_VWM_PH_0_6", - "Localized": "Blue LS Diamond Cap" - }, - "7": { - "GXT": "CLO_VWM_PH_0_7", - "Localized": "Green The Diamond Cap" - }, - "8": { - "GXT": "CLO_VWM_PH_0_8", - "Localized": "Orange LS Diamond Cap" - }, - "9": { - "GXT": "CLO_VWM_PH_0_9", - "Localized": "Purple The Diamond Cap" - }, - "10": { - "GXT": "CLO_VWM_PH_0_10", - "Localized": "Pink LS Diamond Cap" - }, - "11": { - "GXT": "CLO_VWM_PH_0_11", - "Localized": "White Broker Cap" - }, - "12": { - "GXT": "CLO_VWM_PH_0_12", - "Localized": "Black Broker Cap" - }, - "13": { - "GXT": "CLO_VWM_PH_0_13", - "Localized": "Teal Broker Cap" - }, - "14": { - "GXT": "CLO_VWM_PH_0_14", - "Localized": "Red Flying Bravo Cap" - }, - "15": { - "GXT": "CLO_VWM_PH_0_15", - "Localized": "Green Flying Bravo Cap" - }, - "16": { - "GXT": "CLO_VWM_PH_0_16", - "Localized": "Black SC Broker Cap" - }, - "17": { - "GXT": "CLO_VWM_PH_0_17", - "Localized": "Teal SC Broker Cap" - }, - "18": { - "GXT": "CLO_VWM_PH_0_18", - "Localized": "Purple SC Broker Cap" - }, - "19": { - "GXT": "CLO_VWM_PH_0_19", - "Localized": "Red SC Broker Cap" - }, - "20": { - "GXT": "CLO_VWM_PH_0_20", - "Localized": "White SC Broker Cap" - } - }, - "136": { - "0": { - "GXT": "CLO_VWM_PH_1_0", - "Localized": "White The Diamond Cap" - }, - "1": { - "GXT": "CLO_VWM_PH_1_1", - "Localized": "Black The Diamond Cap" - }, - "2": { - "GXT": "CLO_VWM_PH_1_2", - "Localized": "White LS Diamond Cap" - }, - "3": { - "GXT": "CLO_VWM_PH_1_3", - "Localized": "Black LS Diamond Cap" - }, - "4": { - "GXT": "CLO_VWM_PH_1_4", - "Localized": "Red The Diamond Cap" - }, - "5": { - "GXT": "CLO_VWM_PH_1_5", - "Localized": "Orange The Diamond Cap" - }, - "6": { - "GXT": "CLO_VWM_PH_1_6", - "Localized": "Blue LS Diamond Cap" - }, - "7": { - "GXT": "CLO_VWM_PH_1_7", - "Localized": "Green The Diamond Cap" - }, - "8": { - "GXT": "CLO_VWM_PH_1_8", - "Localized": "Orange LS Diamond Cap" - }, - "9": { - "GXT": "CLO_VWM_PH_1_9", - "Localized": "Purple The Diamond Cap" - }, - "10": { - "GXT": "CLO_VWM_PH_1_10", - "Localized": "Pink LS Diamond Cap" - }, - "11": { - "GXT": "CLO_VWM_PH_1_11", - "Localized": "White Broker Cap" - }, - "12": { - "GXT": "CLO_VWM_PH_1_12", - "Localized": "Black Broker Cap" - }, - "13": { - "GXT": "CLO_VWM_PH_1_13", - "Localized": "Teal Broker Cap" - }, - "14": { - "GXT": "CLO_VWM_PH_1_14", - "Localized": "Red Flying Bravo Cap" - }, - "15": { - "GXT": "CLO_VWM_PH_1_15", - "Localized": "Green Flying Bravo Cap" - }, - "16": { - "GXT": "CLO_VWM_PH_1_16", - "Localized": "Black SC Broker Cap" - }, - "17": { - "GXT": "CLO_VWM_PH_1_17", - "Localized": "Teal SC Broker Cap" - }, - "18": { - "GXT": "CLO_VWM_PH_1_18", - "Localized": "Purple SC Broker Cap" - }, - "19": { - "GXT": "CLO_VWM_PH_1_19", - "Localized": "Red SC Broker Cap" - }, - "20": { - "GXT": "CLO_VWM_PH_1_20", - "Localized": "White SC Broker Cap" - } - }, - "139": { - "0": { - "GXT": "CLO_H3M_PH_2_0", - "Localized": "Bugstars Forwards Cap" - }, - "1": { - "GXT": "CLO_H3M_PH_2_1", - "Localized": "Prison Authority Forwards Cap" - }, - "2": { - "GXT": "CLO_H3M_PH_2_2", - "Localized": "Yung Ancestor Forwards Cap" - } - }, - "140": { - "0": { - "GXT": "CLO_H3M_PH_3_0", - "Localized": "Bugstars Backwards Cap" - }, - "1": { - "GXT": "CLO_H3M_PH_3_1", - "Localized": "Prison Authority Backwards Cap" - }, - "2": { - "GXT": "CLO_H3M_PH_3_2", - "Localized": "Yung Ancestor Backwards Cap" - } - }, - "142": { - "0": { - "GXT": "CLO_H3M_PH_5_0", - "Localized": "Black Forwards Cap" - }, - "1": { - "GXT": "CLO_H3M_PH_5_1", - "Localized": "Gray Forwards Cap" - }, - "2": { - "GXT": "CLO_H3M_PH_5_2", - "Localized": "Light Gray Forwards Cap" - }, - "3": { - "GXT": "CLO_H3M_PH_5_3", - "Localized": "Red Forwards Cap" - }, - "4": { - "GXT": "CLO_H3M_PH_5_4", - "Localized": "Teal Forwards Cap" - }, - "5": { - "GXT": "CLO_H3M_PH_5_5", - "Localized": "Smiley Forwards Cap" - }, - "6": { - "GXT": "CLO_H3M_PH_5_6", - "Localized": "Gray Digital Forwards Cap" - }, - "7": { - "GXT": "CLO_H3M_PH_5_7", - "Localized": "Blue Digital Forwards Cap" - }, - "8": { - "GXT": "CLO_H3M_PH_5_8", - "Localized": "Blue Wave Forwards Cap" - }, - "9": { - "GXT": "CLO_H3M_PH_5_9", - "Localized": "Stars & Stripes Forwards Cap" - }, - "10": { - "GXT": "CLO_H3M_PH_5_10", - "Localized": "Toothy Grin Forwards Cap" - }, - "11": { - "GXT": "CLO_H3M_PH_5_11", - "Localized": "Wolf Forwards Cap" - }, - "12": { - "GXT": "CLO_H3M_PH_5_12", - "Localized": "Gray Camo Forwards Cap" - }, - "13": { - "GXT": "CLO_H3M_PH_5_13", - "Localized": "Black Skull Forwards Cap" - }, - "14": { - "GXT": "CLO_H3M_PH_5_14", - "Localized": "Blood Cross Forwards Cap" - }, - "15": { - "GXT": "CLO_H3M_PH_5_15", - "Localized": "Brown Skull Forwards Cap" - }, - "16": { - "GXT": "CLO_H3M_PH_5_16", - "Localized": "Green Camo Forwards Cap" - }, - "17": { - "GXT": "CLO_H3M_PH_5_17", - "Localized": "Green Neon Camo Forwards Cap" - }, - "18": { - "GXT": "CLO_H3M_PH_5_18", - "Localized": "Purple Neon Camo Forwards Cap" - }, - "19": { - "GXT": "CLO_H3M_PH_5_19", - "Localized": "Cobble Forwards Cap" - }, - "20": { - "GXT": "CLO_H3M_PH_5_20", - "Localized": "Green Snakeskin Forwards Cap" - } - }, - "143": { - "0": { - "GXT": "CLO_H3M_PH_6_0", - "Localized": "Black Backwards Cap" - }, - "1": { - "GXT": "CLO_H3M_PH_6_1", - "Localized": "Gray Backwards Cap" - }, - "2": { - "GXT": "CLO_H3M_PH_6_2", - "Localized": "Light Gray Backwards Cap" - }, - "3": { - "GXT": "CLO_H3M_PH_6_3", - "Localized": "Red Backwards Cap" - }, - "4": { - "GXT": "CLO_H3M_PH_6_4", - "Localized": "Teal Backwards Cap" - }, - "5": { - "GXT": "CLO_H3M_PH_6_5", - "Localized": "Smiley Backwards Cap" - }, - "6": { - "GXT": "CLO_H3M_PH_6_6", - "Localized": "Gray Digital Backwards Cap" - }, - "7": { - "GXT": "CLO_H3M_PH_6_7", - "Localized": "Blue Digital Backwards Cap" - }, - "8": { - "GXT": "CLO_H3M_PH_6_8", - "Localized": "Blue Wave Backwards Cap" - }, - "9": { - "GXT": "CLO_H3M_PH_6_9", - "Localized": "Stars & Stripes Backwards Cap" - }, - "10": { - "GXT": "CLO_H3M_PH_6_10", - "Localized": "Toothy Grin Backwards Cap" - }, - "11": { - "GXT": "CLO_H3M_PH_6_11", - "Localized": "Wolf Backwards Cap" - }, - "12": { - "GXT": "CLO_H3M_PH_6_12", - "Localized": "Gray Camo Backwards Cap" - }, - "13": { - "GXT": "CLO_H3M_PH_6_13", - "Localized": "Black Skull Backwards Cap" - }, - "14": { - "GXT": "CLO_H3M_PH_6_14", - "Localized": "Blood Cross Backwards Cap" - }, - "15": { - "GXT": "CLO_H3M_PH_6_15", - "Localized": "Brown Skull Backwards Cap" - }, - "16": { - "GXT": "CLO_H3M_PH_6_16", - "Localized": "Green Camo Backwards Cap" - }, - "17": { - "GXT": "CLO_H3M_PH_6_17", - "Localized": "Green Neon Camo Backwards Cap" - }, - "18": { - "GXT": "CLO_H3M_PH_6_18", - "Localized": "Purple Neon Camo Backwards Cap" - }, - "19": { - "GXT": "CLO_H3M_PH_6_19", - "Localized": "Cobble Backwards Cap" - }, - "20": { - "GXT": "CLO_H3M_PH_6_20", - "Localized": "Green Snakeskin Backwards Cap" - } - }, - "149": { - "0": { - "GXT": "CLO_SUM_PH_0_0", - "Localized": "Captain Peaked Cap" - } - }, - "151": { - "0": { - "GXT": "CLO_H4M_PH_1_0", - "Localized": "Enus Yeti Forwards Cap" - }, - "1": { - "GXT": "CLO_H4M_PH_1_1", - "Localized": "720 Forwards Cap" - }, - "2": { - "GXT": "CLO_H4M_PH_1_2", - "Localized": "Exsorbeo 720 Forwards Cap" - }, - "3": { - "GXT": "CLO_H4M_PH_1_3", - "Localized": "Güffy Double Logo Forwards Cap" - }, - "4": { - "GXT": "CLO_H4M_PH_1_4", - "Localized": "Rockstar Forwards Cap" - }, - "5": { - "GXT": "CLO_H4M_PH_1_5", - "Localized": "Civilist White Forwards Cap" - }, - "6": { - "GXT": "CLO_H4M_PH_1_6", - "Localized": "Civilist Black Forwards Cap" - }, - "7": { - "GXT": "CLO_H4M_PH_1_7", - "Localized": "Civilist Orange Forwards Cap" - } - }, - "152": { - "0": { - "GXT": "CLO_H4M_PH_2_0", - "Localized": "Enus Yeti Backwards Cap" - }, - "1": { - "GXT": "CLO_H4M_PH_2_1", - "Localized": "720 Backwards Cap" - }, - "2": { - "GXT": "CLO_H4M_PH_2_2", - "Localized": "Exsorbeo 720 Backwards Cap" - }, - "3": { - "GXT": "CLO_H4M_PH_2_3", - "Localized": "Güffy Double Logo Backwards Cap" - }, - "4": { - "GXT": "CLO_H4M_PH_2_4", - "Localized": "Rockstar Backwards Cap" - }, - "5": { - "GXT": "CLO_H4M_PH_2_5", - "Localized": "Civilist White Backwards Cap" - }, - "6": { - "GXT": "CLO_H4M_PH_2_6", - "Localized": "Civilist Black Backwards Cap" - }, - "7": { - "GXT": "CLO_H4M_PH_2_7", - "Localized": "Civilist Orange Backwards Cap" - } - }, - "153": { - "0": { - "GXT": "CLO_TRM_PH_0_0", - "Localized": "Frontier Hat" - } - }, - "154": { - "0": { - "GXT": "CLO_TRM_PH_1_0", - "Localized": "Sprunk Forwards Cap" - }, - "1": { - "GXT": "CLO_TRM_PH_1_1", - "Localized": "eCola Forwards Cap" - }, - "2": { - "GXT": "CLO_TRM_PH_1_2", - "Localized": "Broker Forwards Cap" - }, - "3": { - "GXT": "CLO_TRM_PH_1_3", - "Localized": "Light Dinka Forwards Cap" - }, - "4": { - "GXT": "CLO_TRM_PH_1_4", - "Localized": "Dark Dinka Forwards Cap" - }, - "5": { - "GXT": "CLO_TRM_PH_1_5", - "Localized": "White Güffy Forwards Cap" - }, - "6": { - "GXT": "CLO_TRM_PH_1_6", - "Localized": "Black Güffy Forwards Cap" - }, - "7": { - "GXT": "CLO_TRM_PH_1_7", - "Localized": "Annis Forwards Cap" - }, - "8": { - "GXT": "CLO_TRM_PH_1_8", - "Localized": "Hellion Forwards Cap" - }, - "9": { - "GXT": "CLO_TRM_PH_1_9", - "Localized": "Emperor Forwards Cap" - }, - "10": { - "GXT": "CLO_TRM_PH_1_10", - "Localized": "Karin Forwards Cap" - }, - "11": { - "GXT": "CLO_TRM_PH_1_11", - "Localized": "Lampadati Forwards Cap" - }, - "12": { - "GXT": "CLO_TRM_PH_1_12", - "Localized": "Omnis Forwards Cap" - }, - "13": { - "GXT": "CLO_TRM_PH_1_13", - "Localized": "Vapid Forwards Cap" - } - }, - "155": { - "0": { - "GXT": "CLO_TRM_PH_2_0", - "Localized": "Sprunk Backwards Cap" - }, - "1": { - "GXT": "CLO_TRM_PH_2_1", - "Localized": "eCola Backwards Cap" - }, - "2": { - "GXT": "CLO_TRM_PH_2_2", - "Localized": "Broker Backwards Cap" - }, - "3": { - "GXT": "CLO_TRM_PH_2_3", - "Localized": "Light Dinka Backwards Cap" - }, - "4": { - "GXT": "CLO_TRM_PH_2_4", - "Localized": "Dark Dinka Backwards Cap" - }, - "5": { - "GXT": "CLO_TRM_PH_2_5", - "Localized": "White Güffy Backwards Cap" - }, - "6": { - "GXT": "CLO_TRM_PH_2_6", - "Localized": "Black Güffy Backwards Cap" - }, - "7": { - "GXT": "CLO_TRM_PH_2_7", - "Localized": "Annis Backwards Cap" - }, - "8": { - "GXT": "CLO_TRM_PH_2_8", - "Localized": "Hellion Backwards Cap" - }, - "9": { - "GXT": "CLO_TRM_PH_2_9", - "Localized": "Emperor Backwards Cap" - }, - "10": { - "GXT": "CLO_TRM_PH_2_10", - "Localized": "Karin Backwards Cap" - }, - "11": { - "GXT": "CLO_TRM_PH_2_11", - "Localized": "Lampadati Backwards Cap" - }, - "12": { - "GXT": "CLO_TRM_PH_2_12", - "Localized": "Omnis Backwards Cap" - }, - "13": { - "GXT": "CLO_TRM_PH_2_13", - "Localized": "Vapid Backwards Cap" - } - }, - "156": { - "0": { - "GXT": "CLO_FXM_PH_0_0", - "Localized": "Pink Curved Forwards" - }, - "1": { - "GXT": "CLO_FXM_PH_0_1", - "Localized": "Yellow Curved Forwards" - }, - "2": { - "GXT": "CLO_FXM_PH_0_2", - "Localized": "Gray Curved Forwards" - }, - "3": { - "GXT": "CLO_FXM_PH_0_3", - "Localized": "Navy Curved Forwards" - }, - "4": { - "GXT": "CLO_FXM_PH_0_4", - "Localized": "Red Curved Forwards" - }, - "5": { - "GXT": "CLO_FXM_PH_0_5", - "Localized": "Beige Curved Forwards" - }, - "6": { - "GXT": "CLO_FXM_PH_0_6", - "Localized": "Salmon Curved Forwards" - }, - "7": { - "GXT": "CLO_FXM_PH_0_7", - "Localized": "Orange Curved Forwards" - }, - "8": { - "GXT": "CLO_FXM_PH_0_8", - "Localized": "Chocolate Curved Forwards" - }, - "9": { - "GXT": "CLO_FXM_PH_0_9", - "Localized": "Slate Curved Forwards" - }, - "10": { - "GXT": "CLO_FXM_PH_0_10", - "Localized": "Ice Curved Forwards" - }, - "11": { - "GXT": "CLO_FXM_PH_0_11", - "Localized": "Crimson Curved Forwards" - }, - "12": { - "GXT": "CLO_FXM_PH_0_12", - "Localized": "Green Curved Forwards" - }, - "13": { - "GXT": "CLO_FXM_PH_0_13", - "Localized": "Blue Curved Forwards" - }, - "14": { - "GXT": "CLO_FXM_PH_0_14", - "Localized": "Olive Curved Forwards" - }, - "15": { - "GXT": "CLO_FXM_PH_0_15", - "Localized": "Maroon Curved Forwards" - }, - "16": { - "GXT": "CLO_FXM_PH_0_16", - "Localized": "Lemon Curved Forwards" - }, - "17": { - "GXT": "CLO_FXM_PH_0_17", - "Localized": "Hot Pink Curved Forwards" - }, - "18": { - "GXT": "CLO_FXM_PH_0_18", - "Localized": "Black Curved Forwards" - }, - "19": { - "GXT": "CLO_FXM_PH_0_19", - "Localized": "Contrast Camo Curved Forwards" - }, - "20": { - "GXT": "CLO_FXM_PH_0_20", - "Localized": "Aqua Camo Curved Forwards" - }, - "21": { - "GXT": "CLO_FXM_PH_0_21", - "Localized": "Brushstroke Curved Forwards" - }, - "22": { - "GXT": "CLO_FXM_PH_0_22", - "Localized": "Brown Digital Curved Forwards" - } - }, - "157": { - "0": { - "GXT": "CLO_FXM_PH_1_0", - "Localized": "Pink Curved Backwards" - }, - "1": { - "GXT": "CLO_FXM_PH_1_1", - "Localized": "Yellow Curved Backwards" - }, - "2": { - "GXT": "CLO_FXM_PH_1_2", - "Localized": "Gray Curved Backwards" - }, - "3": { - "GXT": "CLO_FXM_PH_1_3", - "Localized": "Navy Curved Backwards" - }, - "4": { - "GXT": "CLO_FXM_PH_1_4", - "Localized": "Red Curved Backwards" - }, - "5": { - "GXT": "CLO_FXM_PH_1_5", - "Localized": "Beige Curved Backwards" - }, - "6": { - "GXT": "CLO_FXM_PH_1_6", - "Localized": "Salmon Curved Backwards" - }, - "7": { - "GXT": "CLO_FXM_PH_1_7", - "Localized": "Orange Curved Backwards" - }, - "8": { - "GXT": "CLO_FXM_PH_1_8", - "Localized": "Chocolate Curved Backwards" - }, - "9": { - "GXT": "CLO_FXM_PH_1_9", - "Localized": "Slate Curved Backwards" - }, - "10": { - "GXT": "CLO_FXM_PH_1_10", - "Localized": "Ice Curved Backwards" - }, - "11": { - "GXT": "CLO_FXM_PH_1_11", - "Localized": "Crimson Curved Backwards" - }, - "12": { - "GXT": "CLO_FXM_PH_1_12", - "Localized": "Green Curved Backwards" - }, - "13": { - "GXT": "CLO_FXM_PH_1_13", - "Localized": "Blue Curved Backwards" - }, - "14": { - "GXT": "CLO_FXM_PH_1_14", - "Localized": "Olive Curved Backwards" - }, - "15": { - "GXT": "CLO_FXM_PH_1_15", - "Localized": "Maroon Curved Backwards" - }, - "16": { - "GXT": "CLO_FXM_PH_1_16", - "Localized": "Lemon Curved Backwards" - }, - "17": { - "GXT": "CLO_FXM_PH_1_17", - "Localized": "Hot Pink Curved Backwards" - }, - "18": { - "GXT": "CLO_FXM_PH_1_18", - "Localized": "Black Curved Backwards" - }, - "19": { - "GXT": "CLO_FXM_PH_1_19", - "Localized": "Contrast Camo Curved Backwards" - }, - "20": { - "GXT": "CLO_FXM_PH_1_20", - "Localized": "Aqua Camo Curved Backwards" - } - }, - "158": { - "0": { - "GXT": "CLO_FXM_PH_2_0", - "Localized": "Pink Flat Forwards" - }, - "1": { - "GXT": "CLO_FXM_PH_2_1", - "Localized": "Yellow Flat Forwards" - }, - "2": { - "GXT": "CLO_FXM_PH_2_2", - "Localized": "Gray Flat Forwards" - }, - "3": { - "GXT": "CLO_FXM_PH_2_3", - "Localized": "Navy Flat Forwards" - }, - "4": { - "GXT": "CLO_FXM_PH_2_4", - "Localized": "Red Flat Forwards" - }, - "5": { - "GXT": "CLO_FXM_PH_2_5", - "Localized": "Beige Flat Forwards" - }, - "6": { - "GXT": "CLO_FXM_PH_2_6", - "Localized": "Salmon Flat Forwards" - }, - "7": { - "GXT": "CLO_FXM_PH_2_7", - "Localized": "Orange Flat Forwards" - }, - "8": { - "GXT": "CLO_FXM_PH_2_8", - "Localized": "Chocolate Flat Forwards" - }, - "9": { - "GXT": "CLO_FXM_PH_2_9", - "Localized": "Slate Flat Forwards" - }, - "10": { - "GXT": "CLO_FXM_PH_2_10", - "Localized": "Ice Flat Forwards" - }, - "11": { - "GXT": "CLO_FXM_PH_2_11", - "Localized": "Crimson Flat Forwards" - }, - "12": { - "GXT": "CLO_FXM_PH_2_12", - "Localized": "Green Flat Forwards" - }, - "13": { - "GXT": "CLO_FXM_PH_2_13", - "Localized": "Blue Flat Forwards" - }, - "14": { - "GXT": "CLO_FXM_PH_2_14", - "Localized": "Olive Flat Forwards" - }, - "15": { - "GXT": "CLO_FXM_PH_2_15", - "Localized": "Maroon Flat Forwards" - }, - "16": { - "GXT": "CLO_FXM_PH_2_16", - "Localized": "Lemon Flat Forwards" - }, - "17": { - "GXT": "CLO_FXM_PH_2_17", - "Localized": "Hot Pink Flat Forwards" - }, - "18": { - "GXT": "CLO_FXM_PH_2_18", - "Localized": "Black Flat Forwards" - }, - "19": { - "GXT": "CLO_FXM_PH_2_19", - "Localized": "Contrast Camo Flat Forwards" - }, - "20": { - "GXT": "CLO_FXM_PH_2_20", - "Localized": "Aqua Camo Flat Forwards" - } - }, - "159": { - "0": { - "GXT": "CLO_FXM_PH_3_0", - "Localized": "Navy Prolaps Flat Forwards" - }, - "1": { - "GXT": "CLO_FXM_PH_3_1", - "Localized": "Green Prolaps Flat Forwards" - } - }, - "160": { - "0": { - "GXT": "CLO_FXM_PH_4_0", - "Localized": "Pink Flat Backwards" - }, - "1": { - "GXT": "CLO_FXM_PH_4_1", - "Localized": "Yellow Flat Backwards" - }, - "2": { - "GXT": "CLO_FXM_PH_4_2", - "Localized": "Gray Flat Backwards" - }, - "3": { - "GXT": "CLO_FXM_PH_4_3", - "Localized": "Navy Flat Backwards" - }, - "4": { - "GXT": "CLO_FXM_PH_4_4", - "Localized": "Red Flat Backwards" - }, - "5": { - "GXT": "CLO_FXM_PH_4_5", - "Localized": "Beige Flat Backwards" - }, - "6": { - "GXT": "CLO_FXM_PH_4_6", - "Localized": "Salmon Flat Backwards" - }, - "7": { - "GXT": "CLO_FXM_PH_4_7", - "Localized": "Orange Flat Backwards" - }, - "8": { - "GXT": "CLO_FXM_PH_4_8", - "Localized": "Chocolate Flat Backwards" - }, - "9": { - "GXT": "CLO_FXM_PH_4_9", - "Localized": "Slate Flat Backwards" - }, - "10": { - "GXT": "CLO_FXM_PH_4_10", - "Localized": "Ice Flat Backwards" - }, - "11": { - "GXT": "CLO_FXM_PH_4_11", - "Localized": "Crimson Flat Backwards" - }, - "12": { - "GXT": "CLO_FXM_PH_4_12", - "Localized": "Green Flat Backwards" - }, - "13": { - "GXT": "CLO_FXM_PH_4_13", - "Localized": "Blue Flat Backwards" - }, - "14": { - "GXT": "CLO_FXM_PH_4_14", - "Localized": "Olive Flat Backwards" - }, - "15": { - "GXT": "CLO_FXM_PH_4_15", - "Localized": "Maroon Flat Backwards" - }, - "16": { - "GXT": "CLO_FXM_PH_4_16", - "Localized": "Lemon Flat Backwards" - }, - "17": { - "GXT": "CLO_FXM_PH_4_17", - "Localized": "Hot Pink Flat Backwards" - }, - "18": { - "GXT": "CLO_FXM_PH_4_18", - "Localized": "Black Flat Backwards" - }, - "19": { - "GXT": "CLO_FXM_PH_4_19", - "Localized": "Contrast Camo Flat Backwards" - }, - "20": { - "GXT": "CLO_FXM_PH_4_20", - "Localized": "Aqua Camo Flat Backwards" - } - }, - "161": { - "0": { - "GXT": "CLO_FXM_PH_5_0", - "Localized": "Navy Prolaps Flat Backwards" - }, - "1": { - "GXT": "CLO_FXM_PH_5_1", - "Localized": "Green Prolaps Flat Backwards" - } - }, - "162": { - "0": { - "GXT": "CLO_FXM_PH_6_0", - "Localized": "Purple Broker Forwards" - }, - "1": { - "GXT": "CLO_FXM_PH_6_1", - "Localized": "Gray Broker Forwards" - }, - "2": { - "GXT": "CLO_FXM_PH_6_2", - "Localized": "Black Trickster Forwards" - }, - "3": { - "GXT": "CLO_FXM_PH_6_3", - "Localized": "Yellow Trickster Forwards" - }, - "4": { - "GXT": "CLO_FXM_PH_6_4", - "Localized": "Yellow Camo Trickster Forwards" - }, - "5": { - "GXT": "CLO_FXM_PH_6_5", - "Localized": "Black VDG Forwards" - }, - "6": { - "GXT": "CLO_FXM_PH_6_6", - "Localized": "Yellow VDG Forwards" - }, - "7": { - "GXT": "CLO_FXM_PH_6_7", - "Localized": "Black Pounders Forwards" - }, - "8": { - "GXT": "CLO_FXM_PH_6_8", - "Localized": "White Pounders Forwards" - } - }, - "163": { - "0": { - "GXT": "CLO_FXM_PH_7_0", - "Localized": "Purple Broker Backwards" - }, - "1": { - "GXT": "CLO_FXM_PH_7_1", - "Localized": "Gray Broker Backwards" - }, - "2": { - "GXT": "CLO_FXM_PH_7_2", - "Localized": "Black Trickster Backwards" - }, - "3": { - "GXT": "CLO_FXM_PH_7_3", - "Localized": "Yellow Trickster Backwards" - }, - "4": { - "GXT": "CLO_FXM_PH_7_4", - "Localized": "Yellow Camo Trickster Backwards" - }, - "5": { - "GXT": "CLO_FXM_PH_7_5", - "Localized": "Black VDG Backwards" - }, - "6": { - "GXT": "CLO_FXM_PH_7_6", - "Localized": "Yellow VDG Backwards" - }, - "7": { - "GXT": "CLO_FXM_PH_7_7", - "Localized": "Black Pounders Backwards" - }, - "8": { - "GXT": "CLO_FXM_PH_7_8", - "Localized": "White Pounders Backwards" - } - } - }, - "Costume": { - "19": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque d'aviateur" - } - }, - "22": { - "0": { - "GXT": "CLO_XMAS_H_0_0", - "Localized": "Red Santa Hat" - }, - "1": { - "GXT": "CLO_XMAS_H_0_1", - "Localized": "Green Santa Hat" - } - }, - "23": { - "0": { - "GXT": "CLO_XMAS_H_1_0", - "Localized": "Elf Hat" - } - }, - "24": { - "0": { - "GXT": "CLO_XMAS_H_2_0", - "Localized": "Reindeer Antlers" - } - }, - "31": { - "0": { - "GXT": "CLO_INDM_HT_0_0", - "Localized": "USA Bucket Hat" - } - }, - "32": { - "0": { - "GXT": "CLO_INDM_HT_1_0", - "Localized": "USA Top Hat" - } - }, - "33": { - "0": { - "GXT": "CLO_INDM_HT_2_0", - "Localized": "Red Top Foam Hat" - } - }, - "35": { - "0": { - "GXT": "CLO_INDM_HT_4_0", - "Localized": "USA Crown" - } - }, - "36": { - "0": { - "GXT": "CLO_INDM_HT_5_0", - "Localized": "USA Boppers" - } - }, - "37": { - "0": { - "GXT": "CLO_INDM_HT_6_0", - "Localized": "Pisswasser Beer Hat" - }, - "1": { - "GXT": "CLO_INDM_HT_6_1", - "Localized": "Benedict Beer Hat" - }, - "2": { - "GXT": "CLO_INDM_HT_6_2", - "Localized": "J Lager Beer Hat" - }, - "3": { - "GXT": "CLO_INDM_HT_6_3", - "Localized": "Patriot Beer Hat" - }, - "4": { - "GXT": "CLO_INDM_HT_6_4", - "Localized": "Blarneys Beer Hat" - }, - "5": { - "GXT": "CLO_INDM_HT_6_5", - "Localized": "Supa Wet Beer Hat" - } - }, - "40": { - "0": { - "GXT": "CLO_X2M_HT_0_0", - "Localized": "Classic Tree" - }, - "1": { - "GXT": "CLO_X2M_HT_0_1", - "Localized": "Purple Tree" - }, - "2": { - "GXT": "CLO_X2M_HT_0_2", - "Localized": "Holly Tree" - }, - "3": { - "GXT": "CLO_X2M_HT_0_3", - "Localized": "Red Stripy Tree" - }, - "4": { - "GXT": "CLO_X2M_HT_0_4", - "Localized": "Green Stripy Tree" - }, - "5": { - "GXT": "CLO_X2M_HT_0_5", - "Localized": "Star Tree" - }, - "6": { - "GXT": "CLO_X2M_HT_0_6", - "Localized": "Santa Tree" - }, - "7": { - "GXT": "CLO_X2M_HT_0_7", - "Localized": "Elf Tree" - } - }, - "41": { - "0": { - "GXT": "CLO_X2M_HT_1_0", - "Localized": "Pudding Woolly Knit" - } - }, - "42": { - "0": { - "GXT": "CLO_X2M_HT_2_0", - "Localized": "Cheeky Elf Woolly Trail" - }, - "1": { - "GXT": "CLO_X2M_HT_2_1", - "Localized": "Naughty Elf Woolly Trail" - }, - "2": { - "GXT": "CLO_X2M_HT_2_2", - "Localized": "Happy Elf Woolly Trail" - }, - "3": { - "GXT": "CLO_X2M_HT_2_3", - "Localized": "Silly Elf Woolly Trail" - } - }, - "43": { - "0": { - "GXT": "CLO_X2M_HT_3_0", - "Localized": "Clan Tartan Bobble" - }, - "1": { - "GXT": "CLO_X2M_HT_3_1", - "Localized": "Highland Tartan Bobble" - }, - "2": { - "GXT": "CLO_X2M_HT_3_2", - "Localized": "Chieftain Tartan Bobble" - }, - "3": { - "GXT": "CLO_X2M_HT_3_3", - "Localized": "Heritage Tartan Bobble" - } - }, - "45": { - "0": { - "GXT": "CLO_X2M_HT_5_0", - "Localized": "Naughty Flipped Cap" - }, - "1": { - "GXT": "CLO_X2M_HT_5_1", - "Localized": "Black Ho Ho Ho Flipped Cap" - }, - "2": { - "GXT": "CLO_X2M_HT_5_2", - "Localized": "Blue Snowflake Flipped Cap" - }, - "3": { - "GXT": "CLO_X2M_HT_5_3", - "Localized": "Nice Flipped Cap" - }, - "4": { - "GXT": "CLO_X2M_HT_5_4", - "Localized": "Green Ho Ho Ho Flipped Cap" - }, - "5": { - "GXT": "CLO_X2M_HT_5_5", - "Localized": "Red Snowflake Flipped Cap" - }, - "6": { - "GXT": "CLO_X2M_HT_5_6", - "Localized": "Gingerbread Flipped Cap" - }, - "7": { - "GXT": "CLO_X2M_HT_5_7", - "Localized": "Bah Humbug Flipped Cap" - } - }, - "97": { - "0": { - "GXT": "CLO_X4M_PH_1_0", - "Localized": "Glow Classic Tree" - }, - "1": { - "GXT": "CLO_X4M_PH_1_1", - "Localized": "Glow Purple Tree" - }, - "2": { - "GXT": "CLO_X4M_PH_1_2", - "Localized": "Glow Holly Tree" - }, - "3": { - "GXT": "CLO_X4M_PH_1_3", - "Localized": "Glow Star Tree" - } - }, - "98": { - "0": { - "GXT": "CLO_X4M_PH_2_0", - "Localized": "Glow Pudding Woolly Knit" - } - }, - "99": { - "0": { - "GXT": "CLO_X4M_PH_3_0", - "Localized": "Glow Cheeky Elf Woolly Trail" - } - }, - "100": { - "0": { - "GXT": "CLO_X4M_PH_4_0", - "Localized": "Glow Elf Hat" - } - }, - "101": { - "0": { - "GXT": "CLO_X4M_PH_5_0", - "Localized": "Glow Reindeer Antlers" - } - }, - "145": { - "0": { - "GXT": "CLO_H3M_PH_8_0", - "Localized": "Yellow Construction Helmet" - }, - "1": { - "GXT": "CLO_H3M_PH_8_1", - "Localized": "Orange Construction Helmet" - }, - "2": { - "GXT": "CLO_H3M_PH_8_2", - "Localized": "White Construction Helmet" - }, - "3": { - "GXT": "CLO_H3M_PH_8_3", - "Localized": "Blue Construction Helmet" - } - } - }, - "Luxe": { - "12": { - "0": { - "GXT": "HT_FMM_12_0", - "Localized": "Black Fedora" - }, - "1": { - "GXT": "HT_FMM_12_1", - "Localized": "White Fedora" - }, - "4": { - "GXT": "HT_FMM_12_4", - "Localized": "Brown Fedora" - }, - "6": { - "GXT": "HT_FMM_12_6", - "Localized": "Green Fedora" - }, - "7": { - "GXT": "HT_FMM_12_7", - "Localized": "Navy Fedora" - } - }, - "21": { - "0": { - "GXT": "CLO_BBM_H_1_0", - "Localized": "Tan Pork Pie" - }, - "1": { - "GXT": "CLO_BBM_H_1_1", - "Localized": "Brown Pork Pie" - }, - "2": { - "GXT": "CLO_BBM_H_1_2", - "Localized": "Zorse Gray Pork Pie" - }, - "3": { - "GXT": "CLO_BBM_H_1_3", - "Localized": "White Pork Pie" - }, - "4": { - "GXT": "CLO_BBM_H_1_4", - "Localized": "Ushero Purple Pork Pie" - }, - "5": { - "GXT": "CLO_BBM_H_1_5", - "Localized": "Black Pork Pie" - }, - "6": { - "GXT": "CLO_BBM_H_1_6", - "Localized": "Green Pork Pie" - }, - "7": { - "GXT": "CLO_BBM_H_1_7", - "Localized": "Blue Pork Pie" - } - }, - "25": { - "0": { - "GXT": "CLO_VALM_H_0_0", - "Localized": "Navy Suit Fedora" - }, - "1": { - "GXT": "CLO_VALM_H_0_1", - "Localized": "Charcoal Suit Fedora" - }, - "2": { - "GXT": "CLO_VALM_H_0_2", - "Localized": "Brown Suit Fedora" - } - }, - "26": { - "0": { - "GXT": "CLO_BUS_P_0_0", - "Localized": "Black Bowler Hat" - }, - "1": { - "GXT": "CLO_BUS_P_0_1", - "Localized": "Gray Bowler Hat" - }, - "2": { - "GXT": "CLO_BUS_P_0_2", - "Localized": "Blue Bowler Hat" - }, - "3": { - "GXT": "CLO_BUS_P_0_3", - "Localized": "Light Gray Bowler Hat" - }, - "4": { - "GXT": "CLO_BUS_P_0_4", - "Localized": "Olive Bowler Hat" - }, - "5": { - "GXT": "CLO_BUS_P_0_5", - "Localized": "Purple Bowler Hat" - }, - "6": { - "GXT": "CLO_BUS_P_0_6", - "Localized": "Lobster Bowler Hat" - }, - "7": { - "GXT": "CLO_BUS_P_0_7", - "Localized": "Brown Bowler Hat" - }, - "8": { - "GXT": "CLO_BUS_P_0_8", - "Localized": "Vintage Bowler Hat" - }, - "9": { - "GXT": "CLO_BUS_P_0_9", - "Localized": "Cream Bowler Hat" - }, - "10": { - "GXT": "CLO_BUS_P_0_10", - "Localized": "Ash Bowler Hat" - }, - "11": { - "GXT": "CLO_BUS_P_0_11", - "Localized": "Navy Bowler Hat" - }, - "12": { - "GXT": "CLO_BUS_P_0_12", - "Localized": "Silver Bowler Hat" - }, - "13": { - "GXT": "CLO_BUS_P_0_13", - "Localized": "White Bowler Hat" - } - }, - "27": { - "0": { - "GXT": "CLO_BUS_P_1_0", - "Localized": "Black Top Hat" - }, - "1": { - "GXT": "CLO_BUS_P_1_1", - "Localized": "Gray Top Hat" - }, - "2": { - "GXT": "CLO_BUS_P_1_2", - "Localized": "Blue Top Hat" - }, - "3": { - "GXT": "CLO_BUS_P_1_3", - "Localized": "Light Gray Top Hat" - }, - "4": { - "GXT": "CLO_BUS_P_1_4", - "Localized": "Olive Top Hat" - }, - "5": { - "GXT": "CLO_BUS_P_1_5", - "Localized": "Purple Top Hat" - }, - "6": { - "GXT": "CLO_BUS_P_1_6", - "Localized": "Lobster Top Hat" - }, - "7": { - "GXT": "CLO_BUS_P_1_7", - "Localized": "Brown Top Hat" - }, - "8": { - "GXT": "CLO_BUS_P_1_8", - "Localized": "Vintage Top Hat" - }, - "9": { - "GXT": "CLO_BUS_P_1_9", - "Localized": "Cream Top Hat" - }, - "10": { - "GXT": "CLO_BUS_P_1_10", - "Localized": "Ash Top Hat" - }, - "11": { - "GXT": "CLO_BUS_P_1_11", - "Localized": "Navy Top Hat" - }, - "12": { - "GXT": "CLO_BUS_P_1_12", - "Localized": "Silver Top Hat" - }, - "13": { - "GXT": "CLO_BUS_P_1_13", - "Localized": "White Top Hat" - } - }, - "29": { - "0": { - "GXT": "CLO_HP_H_1_0", - "Localized": "Gray Trilby" - }, - "1": { - "GXT": "CLO_HP_H_1_1", - "Localized": "Black Trilby" - }, - "2": { - "GXT": "CLO_HP_H_1_2", - "Localized": "White Trilby" - }, - "3": { - "GXT": "CLO_HP_H_1_3", - "Localized": "Cream Trilby" - }, - "4": { - "GXT": "CLO_HP_H_1_4", - "Localized": "Red Trilby" - }, - "5": { - "GXT": "CLO_HP_H_1_5", - "Localized": "Black & Red Trilby" - }, - "6": { - "GXT": "CLO_HP_H_1_6", - "Localized": "Brown Trilby" - }, - "7": { - "GXT": "CLO_HP_H_1_7", - "Localized": "Blue Trilby" - } - }, - "30": { - "0": { - "GXT": "CLO_HP_H_2_0", - "Localized": "Red Fedora" - }, - "1": { - "GXT": "CLO_HP_H_2_1", - "Localized": "Pink Fedora" - } - }, - "61": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Chapeau Borsalino Noir" - } - }, - "64": { - "0": { - "GXT": "CLO_V2M_H_0_0", - "Localized": "Blue Check Suit Fedora" - }, - "1": { - "GXT": "CLO_V2M_H_0_1", - "Localized": "Red Suit Fedora" - }, - "2": { - "GXT": "CLO_V2M_H_0_2", - "Localized": "Dusk Check Suit Fedora" - }, - "3": { - "GXT": "CLO_V2M_H_0_3", - "Localized": "Black Suit Fedora" - }, - "4": { - "GXT": "CLO_V2M_H_0_4", - "Localized": "White Suit Fedora" - }, - "5": { - "GXT": "CLO_V2M_H_0_5", - "Localized": "Sky Check Suit Fedora" - }, - "6": { - "GXT": "CLO_V2M_H_0_6", - "Localized": "Chocolate Suit Fedora" - }, - "7": { - "GXT": "CLO_V2M_H_0_7", - "Localized": "Mustard Suit Fedora" - }, - "8": { - "GXT": "CLO_V2M_H_0_8", - "Localized": "Crimson Suit Fedora" - }, - "9": { - "GXT": "CLO_V2M_H_0_9", - "Localized": "Classic Check Suit Fedora" - }, - "10": { - "GXT": "CLO_V2M_H_0_10", - "Localized": "Beige Check Suit Fedora" - }, - "11": { - "GXT": "CLO_V2M_H_0_11", - "Localized": "Royal Suit Fedora" - } - }, - "95": { - "0": { - "GXT": "CLO_BIM_PH_12_0", - "Localized": "Cream Mod Pork Pie" - }, - "1": { - "GXT": "CLO_BIM_PH_12_1", - "Localized": "Red Mod Pork Pie" - }, - "2": { - "GXT": "CLO_BIM_PH_12_2", - "Localized": "Blue Mod Pork Pie" - }, - "3": { - "GXT": "CLO_BIM_PH_12_3", - "Localized": "Cyan Mod Pork Pie" - }, - "4": { - "GXT": "CLO_BIM_PH_12_4", - "Localized": "White Mod Pork Pie" - }, - "5": { - "GXT": "CLO_BIM_PH_12_5", - "Localized": "Ash Mod Pork Pie" - }, - "6": { - "GXT": "CLO_BIM_PH_12_6", - "Localized": "Navy Mod Pork Pie" - }, - "7": { - "GXT": "CLO_BIM_PH_12_7", - "Localized": "Dark Red Mod Pork Pie" - }, - "8": { - "GXT": "CLO_BIM_PH_12_8", - "Localized": "Slate Mod Pork Pie" - }, - "9": { - "GXT": "CLO_BIM_PH_12_9", - "Localized": "Moss Mod Pork Pie" - } - }, - "146": { - "0": { - "GXT": "CLO_H3M_PH_9_0", - "Localized": "Black Undertaker Hat" - }, - "1": { - "GXT": "CLO_H3M_PH_9_1", - "Localized": "Dark Gray Undertaker Hat" - }, - "2": { - "GXT": "CLO_H3M_PH_9_2", - "Localized": "Dusty Violet Undertaker Hat" - }, - "3": { - "GXT": "CLO_H3M_PH_9_3", - "Localized": "Light Gray Undertaker Hat" - }, - "4": { - "GXT": "CLO_H3M_PH_9_4", - "Localized": "Sage Green Undertaker Hat" - }, - "5": { - "GXT": "CLO_H3M_PH_9_5", - "Localized": "Dusty Pink Undertaker Hat" - }, - "6": { - "GXT": "CLO_H3M_PH_9_6", - "Localized": "Red Undertaker Hat" - }, - "7": { - "GXT": "CLO_H3M_PH_9_7", - "Localized": "Terracotta Undertaker Hat" - }, - "8": { - "GXT": "CLO_H3M_PH_9_8", - "Localized": "Cream Undertaker Hat" - }, - "9": { - "GXT": "CLO_H3M_PH_9_9", - "Localized": "Ivory Undertaker Hat" - }, - "10": { - "GXT": "CLO_H3M_PH_9_10", - "Localized": "Ash Undertaker Hat" - }, - "11": { - "GXT": "CLO_H3M_PH_9_11", - "Localized": "Dark Violet Undertaker Hat" - }, - "12": { - "GXT": "CLO_H3M_PH_9_12", - "Localized": "Eggshell Undertaker Hat" - }, - "13": { - "GXT": "CLO_H3M_PH_9_13", - "Localized": "White Undertaker Hat" - } - } - }, - "Western": { - "13": { - "0": { - "GXT": "HT_FMM_13_0", - "Localized": "Black Cowboy Hat" - }, - "1": { - "GXT": "HT_FMM_13_1", - "Localized": "Brown Cowboy Hat" - }, - "2": { - "GXT": "HT_FMM_13_2", - "Localized": "Chocolate Cowboy Hat" - }, - "3": { - "GXT": "HT_FMM_13_3", - "Localized": "White Cowboy Hat" - }, - "4": { - "GXT": "HT_FMM_13_4", - "Localized": "Chestnut Cowboy Hat" - }, - "5": { - "GXT": "HT_FMM_13_5", - "Localized": "Beige Cowboy Hat" - }, - "6": { - "GXT": "HT_FMM_13_6", - "Localized": "Red Cowboy Hat" - }, - "7": { - "GXT": "HT_FMM_13_7", - "Localized": "Tan Cowboy Hat" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_male_helmets.json b/resources/[soz]/soz-shops/config/datasource/props_male_helmets.json deleted file mode 100644 index 176c6df1a4..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_male_helmets.json +++ /dev/null @@ -1,962 +0,0 @@ -[ - { - "Casques": { - "16": { - "0": { - "GXT": "HE_FMM_16_0", - "Localized": "Western MC Yellow Helmet" - }, - "1": { - "GXT": "HE_FMM_16_1", - "Localized": "Steel Horse Blue Helmet" - }, - "2": { - "GXT": "HE_FMM_16_2", - "Localized": "Steel Horse Orange Helmet" - }, - "3": { - "GXT": "HE_FMM_16_3", - "Localized": "Western MC Green Helmet" - }, - "4": { - "GXT": "HE_FMM_16_4", - "Localized": "Western MC Red Helmet" - }, - "5": { - "GXT": "HE_FMM_16_5", - "Localized": "Steel Horse Black Helmet" - }, - "6": { - "GXT": "HE_FMM_16_6", - "Localized": "Black Helmet" - }, - "7": { - "GXT": "HE_FMM_16_7", - "Localized": "Western MC Lilac Helmet" - } - }, - "17": { - "1": { - "GXT": "HE_FMM_17_1", - "Localized": "Orange Open-Face Helmet" - }, - "3": { - "GXT": "HE_FMM_17_3", - "Localized": "Red Open-Face Helmet" - }, - "4": { - "GXT": "HE_FMM_17_4", - "Localized": "Gray Open-Face Helmet" - }, - "5": { - "GXT": "HE_FMM_17_5", - "Localized": "Black Open-Face Helmet" - }, - "6": { - "GXT": "HE_FMM_17_6", - "Localized": "Pink Open-Face Helmet" - }, - "7": { - "GXT": "HE_FMM_17_7", - "Localized": "White Open-Face Helmet" - } - }, - "18": { - "0": { - "GXT": "HE_FMM_18_0", - "Localized": "Shatter Pattern Helmet" - }, - "1": { - "GXT": "HE_FMM_18_1", - "Localized": "Stars Helmet" - }, - "2": { - "GXT": "HE_FMM_18_2", - "Localized": "Squared Helmet" - }, - "3": { - "GXT": "HE_FMM_18_3", - "Localized": "Crimson Helmet" - }, - "4": { - "GXT": "HE_FMM_18_4", - "Localized": "Skull Helmet" - }, - "5": { - "GXT": "HE_FMM_18_5", - "Localized": "Ace of Spades Helmet" - }, - "6": { - "GXT": "HE_FMM_18_6", - "Localized": "Flamejob Helmet" - }, - "7": { - "GXT": "HE_FMM_18_7", - "Localized": "White Helmet" - } - }, - "48": { - "0": { - "GXT": "CLO_HSTM_H_2", - "Localized": "Glossy Black Off-road" - } - }, - "49": { - "0": { - "GXT": "CLO_HSTM_H_3", - "Localized": "Matte Black Off-road" - } - }, - "50": { - "0": { - "GXT": "CLO_HSTM_H_4", - "Localized": "Glossy All Black Biker" - } - }, - "51": { - "0": { - "GXT": "CLO_HSTM_H_5", - "Localized": "Glossy Mirrored Biker" - } - }, - "52": { - "0": { - "GXT": "CLO_HSTM_H_6", - "Localized": "Matte All Black Biker" - } - }, - "53": { - "0": { - "GXT": "CLO_HSTM_H_7", - "Localized": "Matte Mirrored Biker" - } - }, - "62": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rose" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rouge" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Bleu" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris Foncé" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Blanc" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Noir" - } - }, - "67": { - "0": { - "GXT": "HE_FMM_18_0", - "Localized": "Shatter Pattern Helmet" - }, - "1": { - "GXT": "HE_FMM_18_1", - "Localized": "Stars Helmet" - }, - "2": { - "GXT": "HE_FMM_18_2", - "Localized": "Squared Helmet" - }, - "3": { - "GXT": "HE_FMM_18_3", - "Localized": "Crimson Helmet" - }, - "4": { - "GXT": "HE_FMM_18_4", - "Localized": "Skull Helmet" - }, - "5": { - "GXT": "HE_FMM_18_5", - "Localized": "Ace of Spades Helmet" - }, - "6": { - "GXT": "HE_FMM_18_6", - "Localized": "Flamejob Helmet" - }, - "7": { - "GXT": "HE_FMM_18_7", - "Localized": "White Helmet" - }, - "8": { - "GXT": "CLO_STM_HT15_8", - "Localized": "Downhill Helmet" - }, - "9": { - "GXT": "CLO_STM_HT15_9", - "Localized": "Slalom Helmet" - }, - "10": { - "GXT": "CLO_STM_HT1510", - "Localized": "SA Assault Helmet" - }, - "11": { - "GXT": "CLO_STM_HT1511", - "Localized": "Vibe Helmet" - }, - "12": { - "GXT": "CLO_STM_HT1512", - "Localized": "Burst Helmet" - }, - "13": { - "GXT": "CLO_STM_HT1513", - "Localized": "Tri Helmet" - }, - "14": { - "GXT": "CLO_STM_HT1514", - "Localized": "Sprunk Helmet" - }, - "15": { - "GXT": "CLO_STM_HT1515", - "Localized": "Skeleton Helmet" - }, - "16": { - "GXT": "CLO_STM_HT1516", - "Localized": "Death Helmet" - }, - "17": { - "GXT": "CLO_STM_HT1517", - "Localized": "Cobble Helmet" - }, - "18": { - "GXT": "CLO_STM_HT1518", - "Localized": "Cubist Helmet" - }, - "19": { - "GXT": "CLO_STM_HT1519", - "Localized": "Digital Helmet" - }, - "20": { - "GXT": "CLO_STM_HT1520", - "Localized": "Snakeskin Helmet" - } - }, - "68": { - "0": { - "GXT": "CLO_HSTM_H_4", - "Localized": "Glossy All Black Biker" - } - }, - "69": { - "0": { - "GXT": "CLO_HSTM_H_5", - "Localized": "Glossy Mirrored Biker" - } - }, - "70": { - "0": { - "GXT": "CLO_HSTM_H_6", - "Localized": "Matte All Black Biker" - } - }, - "71": { - "0": { - "GXT": "CLO_HSTM_H_7", - "Localized": "Matte Mirrored Biker" - } - }, - "72": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Vert Ouvert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Orange Ouvert" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Violet Ouvert" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rose Ouvert" - }, - "4": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Rouge Ouvert" - }, - "5": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Bleu Ouvert" - }, - "6": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris Foncé Ouvert" - }, - "7": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Gris Ouvert" - }, - "8": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Blanc Ouvert" - }, - "9": { - "GXT": "NO_LABEL", - "Localized": "Casque intégral Noir Ouvert" - } - }, - "73": { - "0": { - "GXT": "CLO_STM_HT6_0", - "Localized": "Cream Retro Bubble" - }, - "1": { - "GXT": "CLO_STM_HT6_1", - "Localized": "Gray Retro Bubble" - }, - "2": { - "GXT": "CLO_STM_HT6_2", - "Localized": "Orange Retro Bubble" - }, - "3": { - "GXT": "CLO_STM_HT6_3", - "Localized": "Pale Blue Retro Bubble" - }, - "4": { - "GXT": "CLO_STM_HT6_4", - "Localized": "Casque Retro Vert" - }, - "5": { - "GXT": "CLO_STM_HT6_5", - "Localized": "Casque Retro Orange Pale" - }, - "6": { - "GXT": "CLO_STM_HT6_6", - "Localized": "Casque Retro Violet" - }, - "7": { - "GXT": "CLO_STM_HT6_7", - "Localized": "Casque Retro Rose Noir" - }, - "8": { - "GXT": "CLO_STM_HT6_8", - "Localized": "White Retro Bubble" - }, - "9": { - "GXT": "CLO_STM_HT6_9", - "Localized": "Blue Retro Bubble" - }, - "10": { - "GXT": "CLO_STM_HT6_10", - "Localized": "Red Retro Bubble" - }, - "11": { - "GXT": "CLO_STM_HT6_11", - "Localized": "Black Retro Bubble" - }, - "12": { - "GXT": "CLO_STM_HT6_12", - "Localized": "Pink Retro Bubble" - } - }, - "74": { - "0": { - "GXT": "CLO_STM_HT6_0", - "Localized": "Cream Retro Bubble" - }, - "1": { - "GXT": "CLO_STM_HT6_1", - "Localized": "Gray Retro Bubble" - }, - "2": { - "GXT": "CLO_STM_HT6_2", - "Localized": "Orange Retro Bubble" - }, - "3": { - "GXT": "CLO_STM_HT6_3", - "Localized": "Pale Blue Retro Bubble" - }, - "4": { - "GXT": "CLO_STM_HT6_4", - "Localized": "Casque Retro Vert Ouvert" - }, - "5": { - "GXT": "CLO_STM_HT6_5", - "Localized": "Casque Retro Orange Pale Ouvert" - }, - "6": { - "GXT": "CLO_STM_HT6_6", - "Localized": "Casque Retro Violet Ouvert" - }, - "7": { - "GXT": "CLO_STM_HT6_7", - "Localized": "Casque Retro Rose Noir Ouvert" - }, - "8": { - "GXT": "CLO_STM_HT6_8", - "Localized": "White Retro Bubble" - }, - "9": { - "GXT": "CLO_STM_HT6_9", - "Localized": "Blue Retro Bubble" - }, - "10": { - "GXT": "CLO_STM_HT6_10", - "Localized": "Red Retro Bubble" - }, - "11": { - "GXT": "CLO_STM_HT6_11", - "Localized": "Black Retro Bubble" - }, - "12": { - "GXT": "CLO_STM_HT6_12", - "Localized": "Pink Retro Bubble" - } - }, - "75": { - "0": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Vert" - }, - "1": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Orange" - }, - "2": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Violet" - }, - "3": { - "GXT": "NO_LABEL", - "Localized": "Casque Bob Panthère Rose" - }, - "4": { - "GXT": "CLO_STM_HT8_4", - "Localized": "Swirl Mod Helmet" - }, - "5": { - "GXT": "CLO_STM_HT8_5", - "Localized": "Red Mod Helmet" - }, - "6": { - "GXT": "CLO_STM_HT8_6", - "Localized": "Brown Mod Helmet" - }, - "7": { - "GXT": "CLO_STM_HT8_7", - "Localized": "White Flag Mod Helmet" - }, - "8": { - "GXT": "CLO_STM_HT8_8", - "Localized": "Blue Stars Mod Helmet" - }, - "9": { - "GXT": "CLO_STM_HT8_9", - "Localized": "Black Slash Mod Helmet" - }, - "10": { - "GXT": "CLO_STM_HT8_10", - "Localized": "White Stars Mod Helmet" - }, - "11": { - "GXT": "CLO_STM_HT8_11", - "Localized": "Blue Stripes Mod Helmet" - }, - "12": { - "GXT": "CLO_STM_HT8_12", - "Localized": "Red Stripes Mod Helmet" - }, - "13": { - "GXT": "CLO_STM_HT8_13", - "Localized": "Blue Chain Mod Helmet" - }, - "14": { - "GXT": "CLO_STM_HT8_14", - "Localized": "Black Stripes Mod Helmet" - }, - "15": { - "GXT": "CLO_STM_HT8_15", - "Localized": "Black Jag Mod Helmet" - } - }, - "79": { - "0": { - "GXT": "CLO_STM_HT11_0", - "Localized": "White JC Helmet" - }, - "1": { - "GXT": "CLO_STM_HT11_1", - "Localized": "Blue JC Helmet" - }, - "2": { - "GXT": "CLO_STM_HT11_2", - "Localized": "Red JC Helmet" - }, - "3": { - "GXT": "CLO_STM_HT11_3", - "Localized": "Black JC Helmet" - }, - "4": { - "GXT": "CLO_STM_HT11_4", - "Localized": "Pink JC Helmet" - } - }, - "80": { - "0": { - "GXT": "CLO_STM_HT13_0", - "Localized": "Gold JC Helmet" - }, - "1": { - "GXT": "CLO_STM_HT13_1", - "Localized": "Silver JC Helmet" - }, - "2": { - "GXT": "CLO_STM_HT13_2", - "Localized": "Gold Retro Bubble" - }, - "3": { - "GXT": "CLO_STM_HT13_3", - "Localized": "Silver Retro Bubble" - } - }, - "81": { - "0": { - "GXT": "CLO_STM_HT13_0", - "Localized": "Gold JC Helmet" - }, - "1": { - "GXT": "CLO_STM_HT13_1", - "Localized": "Silver JC Helmet" - }, - "2": { - "GXT": "CLO_STM_HT13_2", - "Localized": "Gold Retro Bubble" - }, - "3": { - "GXT": "CLO_STM_HT13_3", - "Localized": "Silver Retro Bubble" - } - }, - "82": { - "0": { - "GXT": "HE_FMM_18_0", - "Localized": "Shatter Pattern Helmet" - }, - "1": { - "GXT": "HE_FMM_18_1", - "Localized": "Stars Helmet" - }, - "2": { - "GXT": "HE_FMM_18_2", - "Localized": "Squared Helmet" - }, - "3": { - "GXT": "HE_FMM_18_3", - "Localized": "Crimson Helmet" - }, - "4": { - "GXT": "HE_FMM_18_4", - "Localized": "Skull Helmet" - }, - "5": { - "GXT": "HE_FMM_18_5", - "Localized": "Ace of Spades Helmet" - }, - "6": { - "GXT": "HE_FMM_18_6", - "Localized": "Flamejob Helmet" - }, - "7": { - "GXT": "HE_FMM_18_7", - "Localized": "White Helmet" - }, - "8": { - "GXT": "CLO_STM_HT15_8", - "Localized": "Downhill Helmet" - }, - "9": { - "GXT": "CLO_STM_HT15_9", - "Localized": "Slalom Helmet" - }, - "10": { - "GXT": "CLO_STM_HT1510", - "Localized": "SA Assault Helmet" - }, - "11": { - "GXT": "CLO_STM_HT1511", - "Localized": "Vibe Helmet" - }, - "12": { - "GXT": "CLO_STM_HT1512", - "Localized": "Burst Helmet" - }, - "13": { - "GXT": "CLO_STM_HT1513", - "Localized": "Tri Helmet" - }, - "14": { - "GXT": "CLO_STM_HT1514", - "Localized": "Sprunk Helmet" - }, - "15": { - "GXT": "CLO_STM_HT1515", - "Localized": "Skeleton Helmet" - }, - "16": { - "GXT": "CLO_STM_HT1516", - "Localized": "Death Helmet" - }, - "17": { - "GXT": "CLO_STM_HT1517", - "Localized": "Cobble Helmet" - }, - "18": { - "GXT": "CLO_STM_HT1518", - "Localized": "Cubist Helmet" - }, - "19": { - "GXT": "CLO_STM_HT1519", - "Localized": "Digital Helmet" - }, - "20": { - "GXT": "CLO_STM_HT1520", - "Localized": "Snakeskin Helmet" - } - }, - "84": { - "0": { - "GXT": "CLO_BIM_PH_1_0", - "Localized": "Black Spiked" - }, - "1": { - "GXT": "CLO_BIM_PH_1_1", - "Localized": "Carbon Spiked" - }, - "2": { - "GXT": "CLO_BIM_PH_1_2", - "Localized": "Orange Fiber Spiked" - }, - "3": { - "GXT": "CLO_BIM_PH_1_3", - "Localized": "Star and Stripes Spiked" - }, - "4": { - "GXT": "CLO_BIM_PH_1_4", - "Localized": "Green Spiked" - }, - "5": { - "GXT": "CLO_BIM_PH_1_5", - "Localized": "Feathers Spiked" - }, - "6": { - "GXT": "CLO_BIM_PH_1_6", - "Localized": "Ox and Hatchets Spiked" - }, - "7": { - "GXT": "CLO_BIM_PH_1_7", - "Localized": "Ride Free Spiked" - }, - "8": { - "GXT": "CLO_BIM_PH_1_8", - "Localized": "Ace of Spades Spiked" - }, - "9": { - "GXT": "CLO_BIM_PH_1_9", - "Localized": "Skull and Snake Spiked" - } - }, - "85": { - "0": { - "GXT": "CLO_BIM_PH_2_0", - "Localized": "Skull Cap" - } - }, - "86": { - "0": { - "GXT": "CLO_BIM_PH_3_0", - "Localized": "Visored Skull Cap" - } - }, - "87": { - "0": { - "GXT": "CLO_BIM_PH_4_0", - "Localized": "Finned Skull Cap" - } - }, - "88": { - "0": { - "GXT": "CLO_BIM_PH_5_0", - "Localized": "Spiked Skull Cap" - } - }, - "89": { - "0": { - "GXT": "CLO_BIM_PH_6_0", - "Localized": "Black Dome" - }, - "1": { - "GXT": "CLO_BIM_PH_6_1", - "Localized": "Carbon Dome" - }, - "2": { - "GXT": "CLO_BIM_PH_6_2", - "Localized": "Orange Fiber Dome" - }, - "3": { - "GXT": "CLO_BIM_PH_6_3", - "Localized": "Star and Stripes Dome" - }, - "4": { - "GXT": "CLO_BIM_PH_6_4", - "Localized": "Green Dome" - }, - "5": { - "GXT": "CLO_BIM_PH_6_5", - "Localized": "Feathers Dome" - }, - "6": { - "GXT": "CLO_BIM_PH_6_6", - "Localized": "Ox and Hatchets Dome" - }, - "7": { - "GXT": "CLO_BIM_PH_6_7", - "Localized": "Ride Free Dome" - }, - "8": { - "GXT": "CLO_BIM_PH_6_8", - "Localized": "Ace of Spades Dome" - }, - "9": { - "GXT": "CLO_BIM_PH_6_9", - "Localized": "Skull and Snake Dome" - } - }, - "90": { - "0": { - "GXT": "CLO_BIM_PH_7_0", - "Localized": "Chromed Dome" - } - }, - "91": { - "0": { - "GXT": "CLO_BIM_HT_8_0", - "Localized": "Deadline Yellow" - }, - "1": { - "GXT": "CLO_BIM_HT_8_1", - "Localized": "Deadline Green" - }, - "2": { - "GXT": "CLO_BIM_HT_8_2", - "Localized": "Deadline Orange" - }, - "3": { - "GXT": "CLO_BIM_HT_8_3", - "Localized": "Deadline Purple" - }, - "4": { - "GXT": "CLO_BIM_HT_8_4", - "Localized": "Deadline Pink" - }, - "5": { - "GXT": "CLO_BIM_HT_8_5", - "Localized": "Deadline Red" - }, - "6": { - "GXT": "CLO_BIM_HT_8_6", - "Localized": "Deadline Blue" - }, - "7": { - "GXT": "CLO_BIM_HT_8_7", - "Localized": "Casque néon Cendre" - }, - "8": { - "GXT": "CLO_BIM_HT_8_8", - "Localized": "Casque néon Gris" - }, - "9": { - "GXT": "CLO_BIM_HT_8_9", - "Localized": "Deadline White" - }, - "10": { - "GXT": "CLO_BIM_HT_8_10", - "Localized": "Casque néon Bleu Clair" - } - }, - "92": { - "0": { - "GXT": "CLO_BIM_HT_8_0", - "Localized": "Deadline Yellow" - }, - "1": { - "GXT": "CLO_BIM_HT_8_1", - "Localized": "Deadline Green" - }, - "2": { - "GXT": "CLO_BIM_HT_8_2", - "Localized": "Deadline Orange" - }, - "3": { - "GXT": "CLO_BIM_HT_8_3", - "Localized": "Deadline Purple" - }, - "4": { - "GXT": "CLO_BIM_HT_8_4", - "Localized": "Deadline Pink" - }, - "5": { - "GXT": "CLO_BIM_HT_8_5", - "Localized": "Deadline Red" - }, - "6": { - "GXT": "CLO_BIM_HT_8_6", - "Localized": "Deadline Blue" - }, - "7": { - "GXT": "CLO_BIM_HT_8_7", - "Localized": "Casque néon Cendre Ouvert" - }, - "8": { - "GXT": "CLO_BIM_HT_8_8", - "Localized": "Casque néon Gris Ouvert" - }, - "9": { - "GXT": "CLO_BIM_HT_8_9", - "Localized": "Deadline White" - }, - "10": { - "GXT": "CLO_BIM_HT_8_10", - "Localized": "Casque néon Bleu Clair Ouvert" - } - }, - "93": { - "0": { - "GXT": "CLO_BIM_PH_10_0", - "Localized": "Roundel Mod" - }, - "1": { - "GXT": "CLO_BIM_PH_10_1", - "Localized": "Faggio Mod" - }, - "2": { - "GXT": "CLO_BIM_PH_10_2", - "Localized": "Green Roundel Mod" - }, - "3": { - "GXT": "CLO_BIM_PH_10_3", - "Localized": "Green Faggio Mod" - } - }, - "112": { - "0": { - "GXT": "CLO_SMM_PH_0_0", - "Localized": "Woodland Combat Helmet" - }, - "1": { - "GXT": "CLO_SMM_PH_0_1", - "Localized": "Dark Combat Helmet" - }, - "2": { - "GXT": "CLO_SMM_PH_0_2", - "Localized": "Light Combat Helmet" - }, - "3": { - "GXT": "CLO_SMM_PH_0_3", - "Localized": "Flecktarn Combat Helmet" - }, - "4": { - "GXT": "CLO_SMM_PH_0_4", - "Localized": "Black Combat Helmet" - }, - "5": { - "GXT": "CLO_SMM_PH_0_5", - "Localized": "Medic Combat Helmet" - }, - "6": { - "GXT": "CLO_SMM_PH_0_6", - "Localized": "Gray Woodland Combat Helmet" - }, - "7": { - "GXT": "CLO_SMM_PH_0_7", - "Localized": "Tan Digital Combat Helmet" - }, - "8": { - "GXT": "CLO_SMM_PH_0_8", - "Localized": "Aqua Camo Combat Helmet" - }, - "9": { - "GXT": "CLO_SMM_PH_0_9", - "Localized": "Splinter Combat Helmet" - }, - "10": { - "GXT": "CLO_SMM_PH_0_10", - "Localized": "Red Star Combat Helmet" - }, - "11": { - "GXT": "CLO_SMM_PH_0_11", - "Localized": "Brown Digital Combat Helmet" - }, - "12": { - "GXT": "CLO_SMM_PH_0_12", - "Localized": "MP Combat Helmet" - }, - "13": { - "GXT": "CLO_SMM_PH_0_13", - "Localized": "Zebra Combat Helmet" - }, - "14": { - "GXT": "CLO_SMM_PH_0_14", - "Localized": "Leopard Combat Helmet" - }, - "15": { - "GXT": "CLO_SMM_PH_0_15", - "Localized": "Tiger Combat Helmet" - }, - "16": { - "GXT": "CLO_SMM_PH_0_16", - "Localized": "Police Combat Helmet" - }, - "17": { - "GXT": "CLO_SMM_PH_0_17", - "Localized": "Flames Combat Helmet" - }, - "18": { - "GXT": "CLO_SMM_PH_0_18", - "Localized": "Stars & Stripes Combat Helmet" - }, - "19": { - "GXT": "CLO_SMM_PH_0_19", - "Localized": "Patriot Combat Helmet" - }, - "20": { - "GXT": "CLO_SMM_PH_0_20", - "Localized": "Green Stars Combat Helmet" - }, - "21": { - "GXT": "CLO_SMM_PH_0_21", - "Localized": "Peace Combat Helmet" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/props_male_watches.json b/resources/[soz]/soz-shops/config/datasource/props_male_watches.json deleted file mode 100644 index 6aee1bf255..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/props_male_watches.json +++ /dev/null @@ -1,664 +0,0 @@ -[ - { - "Montres": { - "0": { - "0": { - "GXT": "W_FMM_0_0", - "Localized": "Deep Sea Watch" - } - }, - "1": { - "0": { - "GXT": "W_FMM_1_0", - "Localized": "White LED, Black Strap" - } - }, - "3": { - "0": { - "GXT": "CLO_BBM_W_1_0", - "Localized": "Pendulus Sport Black Sports" - }, - "1": { - "GXT": "CLO_BBM_W_1_1", - "Localized": "Pfister Design Red Sports" - }, - "2": { - "GXT": "CLO_BBM_W_1_2", - "Localized": "White Sports" - }, - "3": { - "GXT": "CLO_BBM_W_1_3", - "Localized": "Yellow Sports" - }, - "4": { - "GXT": "CLO_BBM_W_1_4", - "Localized": "Blue Sports" - } - }, - "4": { - "0": { - "GXT": "CLO_BUSM_W0_0", - "Localized": "Gold Watch" - }, - "1": { - "GXT": "CLO_BUSM_W0_1", - "Localized": "Silver Watch" - }, - "2": { - "GXT": "CLO_BUSM_W0_2", - "Localized": "Black Watch" - }, - "3": { - "GXT": "CLO_BUSM_W0_3", - "Localized": "White Gold Watch" - } - }, - "5": { - "0": { - "GXT": "CLO_HP_W_0_0", - "Localized": "Red LED, White Strap" - }, - "1": { - "GXT": "CLO_HP_W_0_1", - "Localized": "Red LED, Brown Strap" - }, - "2": { - "GXT": "CLO_HP_W_0_2", - "Localized": "White LED, Gold Strap" - }, - "3": { - "GXT": "CLO_HP_W_0_3", - "Localized": "Yellow LED, Yellow Strap" - } - }, - "6": { - "0": { - "GXT": "CLO_LXM_W_0_0", - "Localized": "Pink Gold Kronos Quantum" - }, - "1": { - "GXT": "CLO_LXM_W_0_1", - "Localized": "Silver Kronos Quantum" - }, - "2": { - "GXT": "CLO_LXM_W_0_2", - "Localized": "Carbon Kronos Quantum" - } - }, - "7": { - "0": { - "GXT": "CLO_LXM_W_1_0", - "Localized": "Platinum Gaulle Retro Hex" - }, - "1": { - "GXT": "CLO_LXM_W_1_1", - "Localized": "Carbon Gaulle Retro Hex" - }, - "2": { - "GXT": "CLO_LXM_W_1_2", - "Localized": "Gold Gaulle Retro Hex" - } - }, - "8": { - "0": { - "GXT": "CLO_LXM_W_2_0", - "Localized": "Gold Covgari Supernova" - }, - "1": { - "GXT": "CLO_LXM_W_2_1", - "Localized": "Carbon Covgari Supernova" - }, - "2": { - "GXT": "CLO_LXM_W_2_2", - "Localized": "Pink Gold Covgari Supernova" - } - }, - "9": { - "0": { - "GXT": "CLO_LXM_W_3_0", - "Localized": "Platinum Pendulus Galaxis" - }, - "1": { - "GXT": "CLO_LXM_W_3_1", - "Localized": "Carbon Pendulus Galaxis" - }, - "2": { - "GXT": "CLO_LXM_W_3_2", - "Localized": "Gold Pendulus Galaxis" - } - }, - "10": { - "0": { - "GXT": "CLO_LXM_W_4_0", - "Localized": "Silver Crowex Chromosphere" - }, - "1": { - "GXT": "CLO_LXM_W_4_1", - "Localized": "Gold Crowex Chromosphere" - }, - "2": { - "GXT": "CLO_LXM_W_4_2", - "Localized": "Carbon Crowex Chromosphere" - } - }, - "11": { - "0": { - "GXT": "CLO_LXM_W_5_0", - "Localized": "Pink Gold Vangelico Geomeister" - }, - "1": { - "GXT": "CLO_LXM_W_5_1", - "Localized": "Silver Vangelico Geomeister" - }, - "2": { - "GXT": "CLO_LXM_W_5_2", - "Localized": "Gold Vangelico Geomeister" - } - }, - "12": { - "0": { - "GXT": "CLO_LXM_W_13_0", - "Localized": "Gold iFruit Link" - }, - "1": { - "GXT": "CLO_LXM_W_13_1", - "Localized": "Silver iFruit Link" - }, - "2": { - "GXT": "CLO_LXM_W_13_2", - "Localized": "Pink Gold iFruit Link" - } - }, - "13": { - "0": { - "GXT": "CLO_LXM_W_14_0", - "Localized": "Carbon iFruit Tech" - }, - "1": { - "GXT": "CLO_LXM_W_14_1", - "Localized": "Lime iFruit Tech" - }, - "2": { - "GXT": "CLO_LXM_W_14_2", - "Localized": "PRB iFruit Tech" - } - }, - "14": { - "0": { - "GXT": "CLO_L2M_W_6_0", - "Localized": "Silver Covgari Explorer" - }, - "1": { - "GXT": "CLO_L2M_W_6_1", - "Localized": "Pink Gold Covgari Explorer" - }, - "2": { - "GXT": "CLO_L2M_W_6_2", - "Localized": "Gold Covgari Explorer" - } - }, - "15": { - "0": { - "GXT": "CLO_L2M_W_7_0", - "Localized": "Silver Pendulus Gravity" - }, - "1": { - "GXT": "CLO_L2M_W_7_1", - "Localized": "Gold Pendulus Gravity" - }, - "2": { - "GXT": "CLO_L2M_W_7_2", - "Localized": "Platinum Pendulus Gravity" - } - }, - "16": { - "0": { - "GXT": "CLO_L2M_W_8_0", - "Localized": "Gold Covgari Universe" - }, - "1": { - "GXT": "CLO_L2M_W_8_1", - "Localized": "Silver Covgari Universe" - }, - "2": { - "GXT": "CLO_L2M_W_8_2", - "Localized": "Steel Covgari Universe" - } - }, - "17": { - "0": { - "GXT": "CLO_L2M_W_9_0", - "Localized": "Copper Gaulle Destiny" - }, - "1": { - "GXT": "CLO_L2M_W_9_1", - "Localized": "Vintage Gaulle Destiny" - }, - "2": { - "GXT": "CLO_L2M_W_9_2", - "Localized": "Silver Gaulle Destiny" - } - }, - "18": { - "0": { - "GXT": "CLO_L2M_W_10_0", - "Localized": "Carbon Medici Radial" - }, - "1": { - "GXT": "CLO_L2M_W_10_1", - "Localized": "Silver Medici Radial" - }, - "2": { - "GXT": "CLO_L2M_W_10_2", - "Localized": "Steel Medici Radial" - } - }, - "19": { - "0": { - "GXT": "CLO_L2M_W_11_0", - "Localized": "Silver Pendulus Timestar" - }, - "1": { - "GXT": "CLO_L2M_W_11_1", - "Localized": "Gold Pendulus Timestar" - }, - "2": { - "GXT": "CLO_L2M_W_11_2", - "Localized": "Carbon Pendulus Timestar" - } - }, - "20": { - "0": { - "GXT": "CLO_L2M_W_12_0", - "Localized": "Carbon Kronos Submariner" - }, - "1": { - "GXT": "CLO_L2M_W_12_1", - "Localized": "Red Kronos Submariner" - }, - "2": { - "GXT": "CLO_L2M_W_12_2", - "Localized": "Yellow Kronos Submariner" - } - }, - "21": { - "0": { - "GXT": "CLO_L2M_W_15_0", - "Localized": "Red iFruit Snap" - }, - "1": { - "GXT": "CLO_L2M_W_15_1", - "Localized": "Blue iFruit Snap" - }, - "2": { - "GXT": "CLO_L2M_W_15_2", - "Localized": "Mint iFruit Snap" - } - }, - "30": { - "0": { - "GXT": "CLO_VWM_PW_0_0", - "Localized": "Gold Enduring Watch" - }, - "1": { - "GXT": "CLO_VWM_PW_0_1", - "Localized": "Silver Enduring Watch" - }, - "2": { - "GXT": "CLO_VWM_PW_0_2", - "Localized": "Black Enduring Watch" - }, - "3": { - "GXT": "CLO_VWM_PW_0_3", - "Localized": "Deck Enduring Watch" - }, - "4": { - "GXT": "CLO_VWM_PW_0_4", - "Localized": "Royal Enduring Watch" - }, - "5": { - "GXT": "CLO_VWM_PW_0_5", - "Localized": "Roulette Enduring Watch" - } - }, - "31": { - "0": { - "GXT": "CLO_VWM_PW_1_0", - "Localized": "Gold Kronos Tempo" - }, - "1": { - "GXT": "CLO_VWM_PW_1_1", - "Localized": "Silver Kronos Tempo" - }, - "2": { - "GXT": "CLO_VWM_PW_1_2", - "Localized": "Black Kronos Tempo" - }, - "3": { - "GXT": "CLO_VWM_PW_1_3", - "Localized": "Gold Fifty Kronos Tempo" - }, - "4": { - "GXT": "CLO_VWM_PW_1_4", - "Localized": "Gold Roulette Kronos Tempo" - }, - "5": { - "GXT": "CLO_VWM_PW_1_5", - "Localized": "Baroque Kronos Tempo" - } - }, - "32": { - "0": { - "GXT": "CLO_VWM_PW_2_0", - "Localized": "Gold Kronos Pulse" - }, - "1": { - "GXT": "CLO_VWM_PW_2_1", - "Localized": "Silver Kronos Pulse" - }, - "2": { - "GXT": "CLO_VWM_PW_2_2", - "Localized": "Black Kronos Pulse" - }, - "3": { - "GXT": "CLO_VWM_PW_2_3", - "Localized": "Silver Fifty Kronos Pulse" - }, - "4": { - "GXT": "CLO_VWM_PW_2_4", - "Localized": "Silver Roulette Kronos Pulse" - }, - "5": { - "GXT": "CLO_VWM_PW_2_5", - "Localized": "Spade Kronos Pulse" - }, - "6": { - "GXT": "CLO_VWM_PW_2_6", - "Localized": "Red Fame or Shame Kronos" - }, - "7": { - "GXT": "CLO_VWM_PW_2_7", - "Localized": "Green Fame or Shame Kronos" - }, - "8": { - "GXT": "CLO_VWM_PW_2_8", - "Localized": "Blue Fame or Shame Kronos" - }, - "9": { - "GXT": "CLO_VWM_PW_2_9", - "Localized": "Black Fame or Shame Kronos" - } - }, - "33": { - "0": { - "GXT": "CLO_VWM_PW_3_0", - "Localized": "Gold Kronos Ära" - }, - "1": { - "GXT": "CLO_VWM_PW_3_1", - "Localized": "Silver Kronos Ära" - }, - "2": { - "GXT": "CLO_VWM_PW_3_2", - "Localized": "Black Kronos Ära" - }, - "3": { - "GXT": "CLO_VWM_PW_3_3", - "Localized": "Gold Fifty Kronos Ära" - }, - "4": { - "GXT": "CLO_VWM_PW_3_4", - "Localized": "Tan Spade Kronos Ära" - }, - "5": { - "GXT": "CLO_VWM_PW_3_5", - "Localized": "Brown Spade Kronos Ära" - } - }, - "34": { - "0": { - "GXT": "CLO_VWM_PW_4_0", - "Localized": "Gold Ceaseless" - }, - "1": { - "GXT": "CLO_VWM_PW_4_1", - "Localized": "Silver Ceaseless" - }, - "2": { - "GXT": "CLO_VWM_PW_4_2", - "Localized": "Black Ceaseless" - }, - "3": { - "GXT": "CLO_VWM_PW_4_3", - "Localized": "Spade Ceaseless" - }, - "4": { - "GXT": "CLO_VWM_PW_4_4", - "Localized": "Mixed Metals Ceaseless" - }, - "5": { - "GXT": "CLO_VWM_PW_4_5", - "Localized": "Roulette Ceaseless" - } - }, - "35": { - "0": { - "GXT": "CLO_VWM_PW_5_0", - "Localized": "Silver Crowex Époque" - }, - "1": { - "GXT": "CLO_VWM_PW_5_1", - "Localized": "Gold Crowex Époque" - }, - "2": { - "GXT": "CLO_VWM_PW_5_2", - "Localized": "Black Crowex Époque" - }, - "3": { - "GXT": "CLO_VWM_PW_5_3", - "Localized": "Wheel Crowex Époque" - }, - "4": { - "GXT": "CLO_VWM_PW_5_4", - "Localized": "Suits Crowex Époque" - }, - "5": { - "GXT": "CLO_VWM_PW_5_5", - "Localized": "Roulette Crowex Époque" - } - }, - "36": { - "0": { - "GXT": "CLO_VWM_PW_6_0", - "Localized": "Gold Kronos Quad" - }, - "1": { - "GXT": "CLO_VWM_PW_6_1", - "Localized": "Silver Kronos Quad" - }, - "2": { - "GXT": "CLO_VWM_PW_6_2", - "Localized": "Black Kronos Quad" - }, - "3": { - "GXT": "CLO_VWM_PW_6_3", - "Localized": "Roulette Kronos Quad" - }, - "4": { - "GXT": "CLO_VWM_PW_6_4", - "Localized": "Fifty Kronos Quad" - }, - "5": { - "GXT": "CLO_VWM_PW_6_5", - "Localized": "Suits Kronos Quad" - } - }, - "37": { - "0": { - "GXT": "CLO_VWM_PW_7_0", - "Localized": "Silver Crowex Rond" - }, - "1": { - "GXT": "CLO_VWM_PW_7_1", - "Localized": "Gold Crowex Rond" - }, - "2": { - "GXT": "CLO_VWM_PW_7_2", - "Localized": "Black Crowex Rond" - }, - "3": { - "GXT": "CLO_VWM_PW_7_3", - "Localized": "Spade Crowex Rond" - }, - "4": { - "GXT": "CLO_VWM_PW_7_4", - "Localized": "Royalty Crowex Rond" - }, - "5": { - "GXT": "CLO_VWM_PW_7_5", - "Localized": "Dice Crowex Rond" - } - }, - "38": { - "0": { - "GXT": "CLO_VWM_PW_8_0", - "Localized": "Silver SASS Wrist Piece" - }, - "1": { - "GXT": "CLO_VWM_PW_8_1", - "Localized": "Gold SASS Wrist Piece" - }, - "2": { - "GXT": "CLO_VWM_PW_8_2", - "Localized": "Black SASS Wrist Piece" - } - }, - "39": { - "0": { - "GXT": "CLO_VWM_PW_9_0", - "Localized": "Silver SASS Bracelet" - }, - "1": { - "GXT": "CLO_VWM_PW_9_1", - "Localized": "Gold SASS Bracelet" - }, - "2": { - "GXT": "CLO_VWM_PW_9_2", - "Localized": "Black SASS Bracelet" - } - } - }, - "Bracelets": { - "22": { - "0": { - "GXT": "CLO_BIM_PW_0_0", - "Localized": "Light Wrist Chain (L)" - } - }, - "23": { - "0": { - "GXT": "CLO_BIM_PW_1_0", - "Localized": "Chunky Wrist Chain (L)" - } - }, - "24": { - "0": { - "GXT": "CLO_BIM_PW_2_0", - "Localized": "Square Wrist Chain (L)" - } - }, - "25": { - "0": { - "GXT": "CLO_BIM_PW_3_0", - "Localized": "Skull Wrist Chain (L)" - } - }, - "26": { - "0": { - "GXT": "CLO_BIM_PW_4_0", - "Localized": "Tread Wrist Chain (L)" - } - }, - "27": { - "0": { - "GXT": "CLO_BIM_PW_5_0", - "Localized": "Gear Wrist Chains (L)" - } - }, - "28": { - "0": { - "GXT": "CLO_BIM_PW_6_0", - "Localized": "Spiked Gauntlet (L)" - } - }, - "29": { - "0": { - "GXT": "CLO_BIM_PW_7_0", - "Localized": "Black Gauntlet (L)" - }, - "1": { - "GXT": "CLO_BIM_PW_7_1", - "Localized": "Chocolate Gauntlet (L)" - }, - "2": { - "GXT": "CLO_BIM_PW_7_2", - "Localized": "Tan Gauntlet (L)" - }, - "3": { - "GXT": "CLO_BIM_PW_7_3", - "Localized": "Ox Blood Gauntlet (L)" - } - }, - "40": { - "0": { - "GXT": "CLO_H4M_PLW_0_0", - "Localized": "Blue Bangles (L)" - }, - "1": { - "GXT": "CLO_H4M_PLW_0_1", - "Localized": "Red Bangles (L)" - }, - "2": { - "GXT": "CLO_H4M_PLW_0_2", - "Localized": "Pink Bangles (L)" - }, - "3": { - "GXT": "CLO_H4M_PLW_0_3", - "Localized": "Yellow Bangles (L)" - }, - "4": { - "GXT": "CLO_H4M_PLW_0_4", - "Localized": "Orange Bangles (L)" - }, - "5": { - "GXT": "CLO_H4M_PLW_0_5", - "Localized": "Green Bangles (L)" - }, - "6": { - "GXT": "CLO_H4M_PLW_0_6", - "Localized": "Red & Blue Bangles (L)" - }, - "7": { - "GXT": "CLO_H4M_PLW_0_7", - "Localized": "Yellow & Orange Bangles (L)" - }, - "8": { - "GXT": "CLO_H4M_PLW_0_8", - "Localized": "Green & Pink Bangles (L)" - }, - "9": { - "GXT": "CLO_H4M_PLW_0_9", - "Localized": "Rainbow Bangles (L)" - }, - "10": { - "GXT": "CLO_H4M_PLW_010", - "Localized": "Sunset Bangles (L)" - }, - "11": { - "GXT": "CLO_H4M_PLW_011", - "Localized": "Tropical Bangles (L)" - } - } - } - } -] diff --git a/resources/[soz]/soz-shops/config/datasource/tattoos.json b/resources/[soz]/soz-shops/config/datasource/tattoos.json deleted file mode 100644 index 47a4083c76..0000000000 --- a/resources/[soz]/soz-shops/config/datasource/tattoos.json +++ /dev/null @@ -1,5098 +0,0 @@ -[ - { - "Name": "TAT_AR_000", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_000_M", - "HashNameFemale": "MP_Airraces_Tattoo_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_AR_001", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_001_M", - "HashNameFemale": "MP_Airraces_Tattoo_001_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_AR_002", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_002_M", - "HashNameFemale": "MP_Airraces_Tattoo_002_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_AR_003", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_003_M", - "HashNameFemale": "MP_Airraces_Tattoo_003_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_AR_004", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_004_M", - "HashNameFemale": "MP_Airraces_Tattoo_004_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_AR_005", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_005_M", - "HashNameFemale": "MP_Airraces_Tattoo_005_F", - "LocalizedName": "Ah! La belle étoile!", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_AR_006", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_006_M", - "HashNameFemale": "MP_Airraces_Tattoo_006_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_AR_007", - "Collection": "mpairraces_overlays", - "HashNameMale": "MP_Airraces_Tattoo_007_M", - "HashNameFemale": "MP_Airraces_Tattoo_007_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_018", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Back_000", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_019", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Chest_000", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_020", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Chest_001", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_021", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Head_000", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BB_022", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Head_001", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BB_031", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Head_002", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BB_027", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Lleg_000", - "HashNameFemale": "", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BB_025", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Rleg_000", - "HashNameFemale": "", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BB_026", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_RArm_000", - "HashNameFemale": "", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BB_024", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_LArm_000", - "HashNameFemale": "", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BB_017", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_LArm_001", - "HashNameFemale": "", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BB_028", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Neck_000", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BB_029", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Neck_001", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BB_030", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_RArm_001", - "HashNameFemale": "", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BB_023", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Stom_000", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_032", - "Collection": "mpbeach_overlays", - "HashNameMale": "MP_Bea_M_Stom_001", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_003", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Back_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_001", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Back_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_005", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Back_002", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_012", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Chest_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_013", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Chest_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_000", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Chest_002", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_006", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_RSide_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_007", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_RLeg_000", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BB_015", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_RArm_001", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BB_008", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Neck_000", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BB_011", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Should_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_004", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Should_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_014", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Stom_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_009", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Stom_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_010", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_Stom_002", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BB_002", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_LArm_000", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BB_016", - "Collection": "mpbeach_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Bea_F_LArm_001", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_000", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_000_M", - "HashNameFemale": "MP_MP_Biker_Tat_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_001", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_001_M", - "HashNameFemale": "MP_MP_Biker_Tat_001_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_002", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_002_M", - "HashNameFemale": "MP_MP_Biker_Tat_002_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_003", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_003_M", - "HashNameFemale": "MP_MP_Biker_Tat_003_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_004", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_004_M", - "HashNameFemale": "MP_MP_Biker_Tat_004_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_005", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_005_M", - "HashNameFemale": "MP_MP_Biker_Tat_005_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_006", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_006_M", - "HashNameFemale": "MP_MP_Biker_Tat_006_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_007", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_007_M", - "HashNameFemale": "MP_MP_Biker_Tat_007_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_008", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_008_M", - "HashNameFemale": "MP_MP_Biker_Tat_008_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_009", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_009_M", - "HashNameFemale": "MP_MP_Biker_Tat_009_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BI_010", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_010_M", - "HashNameFemale": "MP_MP_Biker_Tat_010_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_011", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_011_M", - "HashNameFemale": "MP_MP_Biker_Tat_011_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_012", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_012_M", - "HashNameFemale": "MP_MP_Biker_Tat_012_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_013", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_013_M", - "HashNameFemale": "MP_MP_Biker_Tat_013_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_014", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_014_M", - "HashNameFemale": "MP_MP_Biker_Tat_014_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_015", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_015_M", - "HashNameFemale": "MP_MP_Biker_Tat_015_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_016", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_016_M", - "HashNameFemale": "MP_MP_Biker_Tat_016_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_017", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_017_M", - "HashNameFemale": "MP_MP_Biker_Tat_017_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_018", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_018_M", - "HashNameFemale": "MP_MP_Biker_Tat_018_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_019", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_019_M", - "HashNameFemale": "MP_MP_Biker_Tat_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_020", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_020_M", - "HashNameFemale": "MP_MP_Biker_Tat_020_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_021", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_021_M", - "HashNameFemale": "MP_MP_Biker_Tat_021_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_022", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_022_M", - "HashNameFemale": "MP_MP_Biker_Tat_022_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_023", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_023_M", - "HashNameFemale": "MP_MP_Biker_Tat_023_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_024", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_024_M", - "HashNameFemale": "MP_MP_Biker_Tat_024_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_025", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_025_M", - "HashNameFemale": "MP_MP_Biker_Tat_025_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_026", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_026_M", - "HashNameFemale": "MP_MP_Biker_Tat_026_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_027", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_027_M", - "HashNameFemale": "MP_MP_Biker_Tat_027_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_028", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_028_M", - "HashNameFemale": "MP_MP_Biker_Tat_028_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_029", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_029_M", - "HashNameFemale": "MP_MP_Biker_Tat_029_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_030", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_030_M", - "HashNameFemale": "MP_MP_Biker_Tat_030_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_031", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_031_M", - "HashNameFemale": "MP_MP_Biker_Tat_031_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_032", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_032_M", - "HashNameFemale": "MP_MP_Biker_Tat_032_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_033", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_033_M", - "HashNameFemale": "MP_MP_Biker_Tat_033_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_034", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_034_M", - "HashNameFemale": "MP_MP_Biker_Tat_034_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_035", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_035_M", - "HashNameFemale": "MP_MP_Biker_Tat_035_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_036", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_036_M", - "HashNameFemale": "MP_MP_Biker_Tat_036_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_037", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_037_M", - "HashNameFemale": "MP_MP_Biker_Tat_037_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_038", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_038_M", - "HashNameFemale": "MP_MP_Biker_Tat_038_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BI_039", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_039_M", - "HashNameFemale": "MP_MP_Biker_Tat_039_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_040", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_040_M", - "HashNameFemale": "MP_MP_Biker_Tat_040_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_041", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_041_M", - "HashNameFemale": "MP_MP_Biker_Tat_041_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_042", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_042_M", - "HashNameFemale": "MP_MP_Biker_Tat_042_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_043", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_043_M", - "HashNameFemale": "MP_MP_Biker_Tat_043_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_044", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_044_M", - "HashNameFemale": "MP_MP_Biker_Tat_044_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_045", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_045_M", - "HashNameFemale": "MP_MP_Biker_Tat_045_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_046", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_046_M", - "HashNameFemale": "MP_MP_Biker_Tat_046_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_047", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_047_M", - "HashNameFemale": "MP_MP_Biker_Tat_047_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_048", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_048_M", - "HashNameFemale": "MP_MP_Biker_Tat_048_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_049", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_049_M", - "HashNameFemale": "MP_MP_Biker_Tat_049_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_050", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_050_M", - "HashNameFemale": "MP_MP_Biker_Tat_050_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_051", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_051_M", - "HashNameFemale": "MP_MP_Biker_Tat_051_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BI_052", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_052_M", - "HashNameFemale": "MP_MP_Biker_Tat_052_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_053", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_053_M", - "HashNameFemale": "MP_MP_Biker_Tat_053_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_054", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_054_M", - "HashNameFemale": "MP_MP_Biker_Tat_054_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_055", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_055_M", - "HashNameFemale": "MP_MP_Biker_Tat_055_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BI_056", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_056_M", - "HashNameFemale": "MP_MP_Biker_Tat_056_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_057", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_057_M", - "HashNameFemale": "MP_MP_Biker_Tat_057_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BI_058", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_058_M", - "HashNameFemale": "MP_MP_Biker_Tat_058_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_059", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_059_M", - "HashNameFemale": "MP_MP_Biker_Tat_059_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BI_060", - "Collection": "mpbiker_overlays", - "HashNameMale": "MP_MP_Biker_Tat_060_M", - "HashNameFemale": "MP_MP_Biker_Tat_060_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_005", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Neck_000", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BUS_006", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Neck_001", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BUS_007", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Neck_002", - "HashNameFemale": "", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BUS_008", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Neck_003", - "HashNameFemale": "", - "LocalizedName": "100$", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BUS_003", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_LeftArm_000", - "HashNameFemale": "", - "LocalizedName": "Billet de 100$", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BUS_004", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_LeftArm_001", - "HashNameFemale": "", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BUS_009", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_RightArm_000", - "HashNameFemale": "", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BUS_010", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_RightArm_001", - "HashNameFemale": "", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BUS_011", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Stomach_000", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_001", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Chest_000", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_002", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Chest_001", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_000", - "Collection": "mpbusiness_overlays", - "HashNameMale": "MP_Buis_M_Back_000", - "HashNameFemale": "", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_002", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Chest_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_003", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Chest_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_004", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Chest_002", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_011", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Stom_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_012", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Stom_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_013", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Stom_002", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_000", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Back_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_001", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Back_001", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_007", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Neck_000", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_008", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_Neck_001", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_009", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_RArm_000", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_005", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_LArm_000", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_006", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_LLeg_000", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_BUS_F_010", - "Collection": "mpbusiness_overlays", - "HashNameMale": "", - "HashNameFemale": "MP_Buis_F_RLeg_000", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H27_000", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_000_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_001", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_001_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_001_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_002", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_002_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_002_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_003", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_003_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_003_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_004", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_004_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_004_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_005", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_005_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_005_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_006", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_006_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_006_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_007", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_007_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_007_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_008", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_008_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_008_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_009", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_009_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_009_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_010", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_010_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_010_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_011", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_011_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_011_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_012", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_012_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_012_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_013", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_013_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_013_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_014", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_014_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_014_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_015", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_015_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_015_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_016", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_016_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_016_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_017", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_017_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_017_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_018", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_018_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_018_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_019", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_019_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_020", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_020_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_020_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_021", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_021_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_021_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_022", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_022_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_022_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_023", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_023_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_023_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_024", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_024_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_025", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_025_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_025_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_026", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_026_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_026_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_027", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_027_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_027_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H27_028", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_028_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_028_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H27_029", - "Collection": "mpchristmas2017_overlays", - "HashNameMale": "MP_Christmas2017_Tattoo_029_M", - "HashNameFemale": "MP_Christmas2017_Tattoo_029_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_AW_000", - "Collection": "mpchristmas2018_overlays", - "HashNameMale": "MP_Christmas2018_Tat_000_M", - "HashNameFemale": "MP_Christmas2018_Tat_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_000", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_000", - "HashNameFemale": "MP_Xmas2_F_Tat_000", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_001", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_001", - "HashNameFemale": "MP_Xmas2_F_Tat_001", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_X2_002", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_002", - "HashNameFemale": "MP_Xmas2_F_Tat_002", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_X2_003", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_003", - "HashNameFemale": "MP_Xmas2_F_Tat_003", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_004", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_004", - "HashNameFemale": "MP_Xmas2_F_Tat_004", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_005", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_005", - "HashNameFemale": "MP_Xmas2_F_Tat_005", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_006", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_006", - "HashNameFemale": "MP_Xmas2_F_Tat_006", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_007", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_007", - "HashNameFemale": "MP_Xmas2_F_Tat_007", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_X2_008", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_008", - "HashNameFemale": "MP_Xmas2_F_Tat_008", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_009", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_009", - "HashNameFemale": "MP_Xmas2_F_Tat_009", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_010", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_010", - "HashNameFemale": "MP_Xmas2_F_Tat_010", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_011", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_011", - "HashNameFemale": "MP_Xmas2_F_Tat_011", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_012", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_012", - "HashNameFemale": "MP_Xmas2_F_Tat_012", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_013", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_013", - "HashNameFemale": "MP_Xmas2_F_Tat_013", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_014", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_014", - "HashNameFemale": "MP_Xmas2_F_Tat_014", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_X2_015", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_015", - "HashNameFemale": "MP_Xmas2_F_Tat_015", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_016", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_016", - "HashNameFemale": "MP_Xmas2_F_Tat_016", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_017", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_017", - "HashNameFemale": "MP_Xmas2_F_Tat_017", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_018", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_018", - "HashNameFemale": "MP_Xmas2_F_Tat_018", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_019", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_019", - "HashNameFemale": "MP_Xmas2_F_Tat_019", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_020", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_020", - "HashNameFemale": "MP_Xmas2_F_Tat_020", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_021", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_021", - "HashNameFemale": "MP_Xmas2_F_Tat_021", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_022", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_022", - "HashNameFemale": "MP_Xmas2_F_Tat_022", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_023", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_023", - "HashNameFemale": "MP_Xmas2_F_Tat_023", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_024", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_024", - "HashNameFemale": "MP_Xmas2_F_Tat_024", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_X2_025", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_025", - "HashNameFemale": "MP_Xmas2_F_Tat_025", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_X2_026", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_026", - "HashNameFemale": "MP_Xmas2_F_Tat_026", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_027", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_027", - "HashNameFemale": "MP_Xmas2_F_Tat_027", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_X2_028", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_028", - "HashNameFemale": "MP_Xmas2_F_Tat_028", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_X2_029", - "Collection": "mpchristmas2_overlays", - "HashNameMale": "MP_Xmas2_M_Tat_029", - "HashNameFemale": "MP_Xmas2_F_Tat_029", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_GR_000", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_000_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_001", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_001_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_001_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_002", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_002_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_002_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_003", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_003_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_003_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_GR_004", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_004_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_004_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_005", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_005_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_005_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_GR_006", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_006_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_006_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_GR_007", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_007_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_007_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_GR_008", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_008_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_008_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_009", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_009_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_009_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_010", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_010_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_010_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_011", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_011_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_011_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_GR_012", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_012_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_012_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_013", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_013_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_013_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_014", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_014_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_014_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_015", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_015_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_015_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_016", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_016_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_016_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_017", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_017_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_017_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_018", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_018_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_018_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_019", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_019_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_020", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_020_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_020_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_021", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_021_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_021_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_022", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_022_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_022_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_023", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_023_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_023_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_GR_024", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_024_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_024_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_025", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_025_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_025_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_026", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_026_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_026_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_GR_027", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_027_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_027_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_GR_028", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_028_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_028_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_029", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_029_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_029_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_GR_030", - "Collection": "mpgunrunning_overlays", - "HashNameMale": "MP_Gunrunning_Tattoo_030_M", - "HashNameFemale": "MP_Gunrunning_Tattoo_030_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H3_000", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_000_M", - "HashNameFemale": "mpHeist3_Tat_000_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_001", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_001_M", - "HashNameFemale": "mpHeist3_Tat_001_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_002", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_002_M", - "HashNameFemale": "mpHeist3_Tat_002_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_003", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_003_M", - "HashNameFemale": "mpHeist3_Tat_003_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_004", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_004_M", - "HashNameFemale": "mpHeist3_Tat_004_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_005", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_005_M", - "HashNameFemale": "mpHeist3_Tat_005_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_006", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_006_M", - "HashNameFemale": "mpHeist3_Tat_006_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_007", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_007_M", - "HashNameFemale": "mpHeist3_Tat_007_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_008", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_008_M", - "HashNameFemale": "mpHeist3_Tat_008_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_009", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_009_M", - "HashNameFemale": "mpHeist3_Tat_009_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_010", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_010_M", - "HashNameFemale": "mpHeist3_Tat_010_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_011", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_011_M", - "HashNameFemale": "mpHeist3_Tat_011_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_012", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_012_M", - "HashNameFemale": "mpHeist3_Tat_012_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_013", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_013_M", - "HashNameFemale": "mpHeist3_Tat_013_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_014", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_014_M", - "HashNameFemale": "mpHeist3_Tat_014_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_015", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_015_M", - "HashNameFemale": "mpHeist3_Tat_015_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_016", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_016_M", - "HashNameFemale": "mpHeist3_Tat_016_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_017", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_017_M", - "HashNameFemale": "mpHeist3_Tat_017_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_018", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_018_M", - "HashNameFemale": "mpHeist3_Tat_018_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_019", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_019_M", - "HashNameFemale": "mpHeist3_Tat_019_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_020", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_020_M", - "HashNameFemale": "mpHeist3_Tat_020_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_021", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_021_M", - "HashNameFemale": "mpHeist3_Tat_021_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_022", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_022_M", - "HashNameFemale": "mpHeist3_Tat_022_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_023", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_023_M", - "HashNameFemale": "mpHeist3_Tat_023_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_024", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_024_M", - "HashNameFemale": "mpHeist3_Tat_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_025", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_025_M", - "HashNameFemale": "mpHeist3_Tat_025_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_026", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_026_M", - "HashNameFemale": "mpHeist3_Tat_026_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_027", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_027_M", - "HashNameFemale": "mpHeist3_Tat_027_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_028", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_028_M", - "HashNameFemale": "mpHeist3_Tat_028_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_029", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_029_M", - "HashNameFemale": "mpHeist3_Tat_029_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_030", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_030_M", - "HashNameFemale": "mpHeist3_Tat_030_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_031", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_031_M", - "HashNameFemale": "mpHeist3_Tat_031_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H3_032", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_032_M", - "HashNameFemale": "mpHeist3_Tat_032_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H3_033", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_033_M", - "HashNameFemale": "mpHeist3_Tat_033_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_034", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_034_M", - "HashNameFemale": "mpHeist3_Tat_034_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H3_035", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_035_M", - "HashNameFemale": "mpHeist3_Tat_035_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_036", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_036_M", - "HashNameFemale": "mpHeist3_Tat_036_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_037", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_037_M", - "HashNameFemale": "mpHeist3_Tat_037_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_038", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_038_M", - "HashNameFemale": "mpHeist3_Tat_038_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_039", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_039_M", - "HashNameFemale": "mpHeist3_Tat_039_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H3_040", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_040_M", - "HashNameFemale": "mpHeist3_Tat_040_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H3_041", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_041_M", - "HashNameFemale": "mpHeist3_Tat_041_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H3_042", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_042_M", - "HashNameFemale": "mpHeist3_Tat_042_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_043", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_043_M", - "HashNameFemale": "mpHeist3_Tat_043_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H3_044", - "Collection": "mpheist3_overlays", - "HashNameMale": "mpHeist3_Tat_044_M", - "HashNameFemale": "mpHeist3_Tat_044_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_H4_000", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_000_M", - "HashNameFemale": "MP_Heist4_Tat_000_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_001", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_001_M", - "HashNameFemale": "MP_Heist4_Tat_001_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_002", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_002_M", - "HashNameFemale": "MP_Heist4_Tat_002_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_003", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_003_M", - "HashNameFemale": "MP_Heist4_Tat_003_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_004", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_004_M", - "HashNameFemale": "MP_Heist4_Tat_004_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_005", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_005_M", - "HashNameFemale": "MP_Heist4_Tat_005_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_006", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_006_M", - "HashNameFemale": "MP_Heist4_Tat_006_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_007", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_007_M", - "HashNameFemale": "MP_Heist4_Tat_007_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_008", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_008_M", - "HashNameFemale": "MP_Heist4_Tat_008_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_009", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_009_M", - "HashNameFemale": "MP_Heist4_Tat_009_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_010", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_010_M", - "HashNameFemale": "MP_Heist4_Tat_010_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H4_011", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_011_M", - "HashNameFemale": "MP_Heist4_Tat_011_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_012", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_012_M", - "HashNameFemale": "MP_Heist4_Tat_012_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_013", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_013_M", - "HashNameFemale": "MP_Heist4_Tat_013_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_014", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_014_M", - "HashNameFemale": "MP_Heist4_Tat_014_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_015", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_015_M", - "HashNameFemale": "MP_Heist4_Tat_015_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_016", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_016_M", - "HashNameFemale": "MP_Heist4_Tat_016_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_017", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_017_M", - "HashNameFemale": "MP_Heist4_Tat_017_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_018", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_018_M", - "HashNameFemale": "MP_Heist4_Tat_018_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_019", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_019_M", - "HashNameFemale": "MP_Heist4_Tat_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_020", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_020_M", - "HashNameFemale": "MP_Heist4_Tat_020_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_021", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_021_M", - "HashNameFemale": "MP_Heist4_Tat_021_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_022", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_022_M", - "HashNameFemale": "MP_Heist4_Tat_022_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_023", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_023_M", - "HashNameFemale": "MP_Heist4_Tat_023_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_024", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_024_M", - "HashNameFemale": "MP_Heist4_Tat_024_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H4_025", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_025_M", - "HashNameFemale": "MP_Heist4_Tat_025_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H4_026", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_026_M", - "HashNameFemale": "MP_Heist4_Tat_026_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_027", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_027_M", - "HashNameFemale": "MP_Heist4_Tat_027_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H4_028", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_028_M", - "HashNameFemale": "MP_Heist4_Tat_028_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H4_029", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_029_M", - "HashNameFemale": "MP_Heist4_Tat_029_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_H4_030", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_030_M", - "HashNameFemale": "MP_Heist4_Tat_030_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_H4_031", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_031_M", - "HashNameFemale": "MP_Heist4_Tat_031_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_H4_032", - "Collection": "mpheist4_overlays", - "HashNameMale": "MP_Heist4_Tat_032_M", - "HashNameFemale": "MP_Heist4_Tat_032_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_000", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_000", - "HashNameFemale": "FM_Hip_F_Tat_000", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_001", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_001", - "HashNameFemale": "FM_Hip_F_Tat_001", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_002", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_002", - "HashNameFemale": "FM_Hip_F_Tat_002", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_003", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_003", - "HashNameFemale": "FM_Hip_F_Tat_003", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_004", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_004", - "HashNameFemale": "FM_Hip_F_Tat_004", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_005", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_005", - "HashNameFemale": "FM_Hip_F_Tat_005", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_HP_006", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_006", - "HashNameFemale": "FM_Hip_F_Tat_006", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_007", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_007", - "HashNameFemale": "FM_Hip_F_Tat_007", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_008", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_008", - "HashNameFemale": "FM_Hip_F_Tat_008", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_009", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_009", - "HashNameFemale": "FM_Hip_F_Tat_009", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_HP_010", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_010", - "HashNameFemale": "FM_Hip_F_Tat_010", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_011", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_011", - "HashNameFemale": "FM_Hip_F_Tat_011", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_012", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_012", - "HashNameFemale": "FM_Hip_F_Tat_012", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_013", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_013", - "HashNameFemale": "FM_Hip_F_Tat_013", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_014", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_014", - "HashNameFemale": "FM_Hip_F_Tat_014", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_015", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_015", - "HashNameFemale": "FM_Hip_F_Tat_015", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_016", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_016", - "HashNameFemale": "FM_Hip_F_Tat_016", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_017", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_017", - "HashNameFemale": "FM_Hip_F_Tat_017", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_018", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_018", - "HashNameFemale": "FM_Hip_F_Tat_018", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_019", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_019", - "HashNameFemale": "FM_Hip_F_Tat_019", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_HP_020", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_020", - "HashNameFemale": "FM_Hip_F_Tat_020", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_021", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_021", - "HashNameFemale": "FM_Hip_F_Tat_021", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_HP_022", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_022", - "HashNameFemale": "FM_Hip_F_Tat_022", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_023", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_023", - "HashNameFemale": "FM_Hip_F_Tat_023", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_024", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_024", - "HashNameFemale": "FM_Hip_F_Tat_024", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_025", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_025", - "HashNameFemale": "FM_Hip_F_Tat_025", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_026", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_026", - "HashNameFemale": "FM_Hip_F_Tat_026", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_027", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_027", - "HashNameFemale": "FM_Hip_F_Tat_027", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_028", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_028", - "HashNameFemale": "FM_Hip_F_Tat_028", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_029", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_029", - "HashNameFemale": "FM_Hip_F_Tat_029", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_030", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_030", - "HashNameFemale": "FM_Hip_F_Tat_030", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_031", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_031", - "HashNameFemale": "FM_Hip_F_Tat_031", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_032", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_032", - "HashNameFemale": "FM_Hip_F_Tat_032", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_033", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_033", - "HashNameFemale": "FM_Hip_F_Tat_033", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_034", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_034", - "HashNameFemale": "FM_Hip_F_Tat_034", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_035", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_035", - "HashNameFemale": "FM_Hip_F_Tat_035", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_036", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_036", - "HashNameFemale": "FM_Hip_F_Tat_036", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_037", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_037", - "HashNameFemale": "FM_Hip_F_Tat_037", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_038", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_038", - "HashNameFemale": "FM_Hip_F_Tat_038", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_HP_039", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_039", - "HashNameFemale": "FM_Hip_F_Tat_039", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_040", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_040", - "HashNameFemale": "FM_Hip_F_Tat_040", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_HP_041", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_041", - "HashNameFemale": "FM_Hip_F_Tat_041", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_042", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_042", - "HashNameFemale": "FM_Hip_F_Tat_042", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_HP_043", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_043", - "HashNameFemale": "FM_Hip_F_Tat_043", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_044", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_044", - "HashNameFemale": "FM_Hip_F_Tat_044", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_045", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_045", - "HashNameFemale": "FM_Hip_F_Tat_045", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_HP_046", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_046", - "HashNameFemale": "FM_Hip_F_Tat_046", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_047", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_047", - "HashNameFemale": "FM_Hip_F_Tat_047", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_HP_048", - "Collection": "mphipster_overlays", - "HashNameMale": "FM_Hip_M_Tat_048", - "HashNameFemale": "FM_Hip_F_Tat_048", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_000", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_000_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_IE_001", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_001_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_001_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_IE_002", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_002_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_002_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_IE_003", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_003_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_003_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_004", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_004_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_004_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_005", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_005_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_005_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_006", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_006_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_006_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_007", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_007_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_007_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_008", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_008_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_008_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_IE_009", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_009_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_009_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_IE_010", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_010_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_010_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_IE_011", - "Collection": "mpimportexport_overlays", - "HashNameMale": "MP_MP_ImportExport_Tat_011_M", - "HashNameFemale": "MP_MP_ImportExport_Tat_011_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_000", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_000_M", - "HashNameFemale": "MP_LR_Tat_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_003", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_003_M", - "HashNameFemale": "MP_LR_Tat_003_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S2_006", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_006_M", - "HashNameFemale": "MP_LR_Tat_006_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S2_008", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_008_M", - "HashNameFemale": "MP_LR_Tat_008_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_011", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_011_M", - "HashNameFemale": "MP_LR_Tat_011_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_012", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_012_M", - "HashNameFemale": "MP_LR_Tat_012_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_016", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_016_M", - "HashNameFemale": "MP_LR_Tat_016_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_018", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_018_M", - "HashNameFemale": "MP_LR_Tat_018_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S2_019", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_019_M", - "HashNameFemale": "MP_LR_Tat_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_022", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_022_M", - "HashNameFemale": "MP_LR_Tat_022_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S2_028", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_028_M", - "HashNameFemale": "MP_LR_Tat_028_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S2_029", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_029_M", - "HashNameFemale": "MP_LR_Tat_029_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_S2_030", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_030_M", - "HashNameFemale": "MP_LR_Tat_030_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_S2_031", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_031_M", - "HashNameFemale": "MP_LR_Tat_031_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_032", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_032_M", - "HashNameFemale": "MP_LR_Tat_032_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S2_035", - "Collection": "mplowrider2_overlays", - "HashNameMale": "MP_LR_Tat_035_M", - "HashNameFemale": "MP_LR_Tat_035_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S1_001", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_001_M", - "HashNameFemale": "MP_LR_Tat_001_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_002", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_002_M", - "HashNameFemale": "MP_LR_Tat_002_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_004", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_004_M", - "HashNameFemale": "MP_LR_Tat_004_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_005", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_005_M", - "HashNameFemale": "MP_LR_Tat_005_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S1_007", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_007_M", - "HashNameFemale": "MP_LR_Tat_007_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_S1_009", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_009_M", - "HashNameFemale": "MP_LR_Tat_009_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_010", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_010_M", - "HashNameFemale": "MP_LR_Tat_010_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_013", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_013_M", - "HashNameFemale": "MP_LR_Tat_013_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_014", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_014_M", - "HashNameFemale": "MP_LR_Tat_014_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_015", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_015_M", - "HashNameFemale": "MP_LR_Tat_015_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S1_017", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_017_M", - "HashNameFemale": "MP_LR_Tat_017_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_S1_020", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_020_M", - "HashNameFemale": "MP_LR_Tat_020_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_S1_021", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_021_M", - "HashNameFemale": "MP_LR_Tat_021_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_023", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_023_M", - "HashNameFemale": "MP_LR_Tat_023_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_S1_026", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_026_M", - "HashNameFemale": "MP_LR_Tat_026_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_S1_027", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_027_M", - "HashNameFemale": "MP_LR_Tat_027_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_S1_033", - "Collection": "mplowrider_overlays", - "HashNameMale": "MP_LR_Tat_033_M", - "HashNameFemale": "MP_LR_Tat_033_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_002", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_002_M", - "HashNameFemale": "MP_LUXE_TAT_002_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_L2_005", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_005_M", - "HashNameFemale": "MP_LUXE_TAT_005_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_010", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_010_M", - "HashNameFemale": "MP_LUXE_TAT_010_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_011", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_011_M", - "HashNameFemale": "MP_LUXE_TAT_011_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_L2_012", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_012_M", - "HashNameFemale": "MP_LUXE_TAT_012_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_L2_016", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_016_M", - "HashNameFemale": "MP_LUXE_TAT_016_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_017", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_017_M", - "HashNameFemale": "MP_LUXE_TAT_017_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_018", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_018_M", - "HashNameFemale": "MP_LUXE_TAT_018_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_022", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_022_M", - "HashNameFemale": "MP_LUXE_TAT_022_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_L2_023", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_023_M", - "HashNameFemale": "MP_LUXE_TAT_023_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_L2_025", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_025_M", - "HashNameFemale": "MP_LUXE_TAT_025_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_L2_026", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_026_M", - "HashNameFemale": "MP_LUXE_TAT_026_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_027", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_027_M", - "HashNameFemale": "MP_LUXE_TAT_027_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_L2_028", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_028_M", - "HashNameFemale": "MP_LUXE_TAT_028_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_029", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_029_M", - "HashNameFemale": "MP_LUXE_TAT_029_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_L2_030", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_030_M", - "HashNameFemale": "MP_LUXE_TAT_030_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_L2_031", - "Collection": "mpluxe2_overlays", - "HashNameMale": "MP_LUXE_TAT_031_M", - "HashNameFemale": "MP_LUXE_TAT_031_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_000", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_000_M", - "HashNameFemale": "MP_LUXE_TAT_000_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_LX_001", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_001_M", - "HashNameFemale": "MP_LUXE_TAT_001_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_LX_003", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_003_M", - "HashNameFemale": "MP_LUXE_TAT_003_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_LX_004", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_004_M", - "HashNameFemale": "MP_LUXE_TAT_004_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_006", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_006_M", - "HashNameFemale": "MP_LUXE_TAT_006_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_LX_007", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_007_M", - "HashNameFemale": "MP_LUXE_TAT_007_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_LX_008", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_008_M", - "HashNameFemale": "MP_LUXE_TAT_008_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_LX_009", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_009_M", - "HashNameFemale": "MP_LUXE_TAT_009_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_013", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_013_M", - "HashNameFemale": "MP_LUXE_TAT_013_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_014", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_014_M", - "HashNameFemale": "MP_LUXE_TAT_014_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_LX_015", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_015_M", - "HashNameFemale": "MP_LUXE_TAT_015_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_LX_019", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_019_M", - "HashNameFemale": "MP_LUXE_TAT_019_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_020", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_020_M", - "HashNameFemale": "MP_LUXE_TAT_020_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_021", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_021_M", - "HashNameFemale": "MP_LUXE_TAT_021_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_LX_024", - "Collection": "mpluxe_overlays", - "HashNameMale": "MP_LUXE_TAT_024_M", - "HashNameFemale": "MP_LUXE_TAT_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_000", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_000_M", - "HashNameFemale": "MP_Security_Tat_000_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_001", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_001_M", - "HashNameFemale": "MP_Security_Tat_001_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_FX_002", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_002_M", - "HashNameFemale": "MP_Security_Tat_002_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_FX_003", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_003_M", - "HashNameFemale": "MP_Security_Tat_003_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FX_004", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_004_M", - "HashNameFemale": "MP_Security_Tat_004_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_005", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_005_M", - "HashNameFemale": "MP_Security_Tat_005_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_006", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_006_M", - "HashNameFemale": "MP_Security_Tat_006_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_007", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_007_M", - "HashNameFemale": "MP_Security_Tat_007_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_008", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_008_M", - "HashNameFemale": "MP_Security_Tat_008_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_009", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_009_M", - "HashNameFemale": "MP_Security_Tat_009_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_010", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_010_M", - "HashNameFemale": "MP_Security_Tat_010_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_011", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_011_M", - "HashNameFemale": "MP_Security_Tat_011_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_012", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_012_M", - "HashNameFemale": "MP_Security_Tat_012_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_013", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_013_M", - "HashNameFemale": "MP_Security_Tat_013_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_014", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_014_M", - "HashNameFemale": "MP_Security_Tat_014_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_015", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_015_M", - "HashNameFemale": "MP_Security_Tat_015_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_016", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_016_M", - "HashNameFemale": "MP_Security_Tat_016_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_017", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_017_M", - "HashNameFemale": "MP_Security_Tat_017_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_018", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_018_M", - "HashNameFemale": "MP_Security_Tat_018_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_019", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_019_M", - "HashNameFemale": "MP_Security_Tat_019_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_020", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_020_M", - "HashNameFemale": "MP_Security_Tat_020_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FX_021", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_021_M", - "HashNameFemale": "MP_Security_Tat_021_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FX_022", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_022_M", - "HashNameFemale": "MP_Security_Tat_022_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FX_023", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_023_M", - "HashNameFemale": "MP_Security_Tat_023_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FX_024", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_024_M", - "HashNameFemale": "MP_Security_Tat_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_025", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_025_M", - "HashNameFemale": "MP_Security_Tat_025_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_026", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_026_M", - "HashNameFemale": "MP_Security_Tat_026_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FX_027", - "Collection": "mpsecurity_overlays", - "HashNameMale": "MP_Security_Tat_027_M", - "HashNameFemale": "MP_Security_Tat_027_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_SM_000", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_000_M", - "HashNameFemale": "MP_Smuggler_Tattoo_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_001", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_001_M", - "HashNameFemale": "MP_Smuggler_Tattoo_001_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_SM_002", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_002_M", - "HashNameFemale": "MP_Smuggler_Tattoo_002_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_003", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_003_M", - "HashNameFemale": "MP_Smuggler_Tattoo_003_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_004", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_004_M", - "HashNameFemale": "MP_Smuggler_Tattoo_004_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_SM_005", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_005_M", - "HashNameFemale": "MP_Smuggler_Tattoo_005_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_SM_006", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_006_M", - "HashNameFemale": "MP_Smuggler_Tattoo_006_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_007", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_007_M", - "HashNameFemale": "MP_Smuggler_Tattoo_007_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_008", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_008_M", - "HashNameFemale": "MP_Smuggler_Tattoo_008_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_SM_009", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_009_M", - "HashNameFemale": "MP_Smuggler_Tattoo_009_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_010", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_010_M", - "HashNameFemale": "MP_Smuggler_Tattoo_010_F", - "LocalizedName": "On se reverra en enfer!", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_011", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_011_M", - "HashNameFemale": "MP_Smuggler_Tattoo_011_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_SM_012", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_012_M", - "HashNameFemale": "MP_Smuggler_Tattoo_012_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_SM_013", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_013_M", - "HashNameFemale": "MP_Smuggler_Tattoo_013_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_014", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_014_M", - "HashNameFemale": "MP_Smuggler_Tattoo_014_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_SM_015", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_015_M", - "HashNameFemale": "MP_Smuggler_Tattoo_015_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_016", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_016_M", - "HashNameFemale": "MP_Smuggler_Tattoo_016_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_017", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_017_M", - "HashNameFemale": "MP_Smuggler_Tattoo_017_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_018", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_018_M", - "HashNameFemale": "MP_Smuggler_Tattoo_018_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_019", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_019_M", - "HashNameFemale": "MP_Smuggler_Tattoo_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_020", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_020_M", - "HashNameFemale": "MP_Smuggler_Tattoo_020_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_SM_021", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_021_M", - "HashNameFemale": "MP_Smuggler_Tattoo_021_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_022", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_022_M", - "HashNameFemale": "MP_Smuggler_Tattoo_022_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_023", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_023_M", - "HashNameFemale": "MP_Smuggler_Tattoo_023_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_SM_024", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_024_M", - "HashNameFemale": "MP_Smuggler_Tattoo_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_SM_025", - "Collection": "mpsmuggler_overlays", - "HashNameMale": "MP_Smuggler_Tattoo_025_M", - "HashNameFemale": "MP_Smuggler_Tattoo_025_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_000", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_Tat_000_M", - "HashNameFemale": "MP_MP_Stunt_Tat_000_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_ST_001", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_001_M", - "HashNameFemale": "MP_MP_Stunt_tat_001_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_002", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_002_M", - "HashNameFemale": "MP_MP_Stunt_tat_002_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_003", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_003_M", - "HashNameFemale": "MP_MP_Stunt_tat_003_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_004", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_004_M", - "HashNameFemale": "MP_MP_Stunt_tat_004_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_ST_005", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_005_M", - "HashNameFemale": "MP_MP_Stunt_tat_005_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_006", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_006_M", - "HashNameFemale": "MP_MP_Stunt_tat_006_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_ST_007", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_007_M", - "HashNameFemale": "MP_MP_Stunt_tat_007_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_008", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_008_M", - "HashNameFemale": "MP_MP_Stunt_tat_008_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_009", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_009_M", - "HashNameFemale": "MP_MP_Stunt_tat_009_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_010", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_010_M", - "HashNameFemale": "MP_MP_Stunt_tat_010_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_011", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_011_M", - "HashNameFemale": "MP_MP_Stunt_tat_011_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_012", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_012_M", - "HashNameFemale": "MP_MP_Stunt_tat_012_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_013", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_013_M", - "HashNameFemale": "MP_MP_Stunt_tat_013_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_014", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_014_M", - "HashNameFemale": "MP_MP_Stunt_tat_014_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_015", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_015_M", - "HashNameFemale": "MP_MP_Stunt_tat_015_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_016", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_016_M", - "HashNameFemale": "MP_MP_Stunt_tat_016_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_017", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_017_M", - "HashNameFemale": "MP_MP_Stunt_tat_017_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_ST_018", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_018_M", - "HashNameFemale": "MP_MP_Stunt_tat_018_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_019", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_019_M", - "HashNameFemale": "MP_MP_Stunt_tat_019_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_020", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_020_M", - "HashNameFemale": "MP_MP_Stunt_tat_020_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_021", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_021_M", - "HashNameFemale": "MP_MP_Stunt_tat_021_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_022", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_022_M", - "HashNameFemale": "MP_MP_Stunt_tat_022_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_023", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_023_M", - "HashNameFemale": "MP_MP_Stunt_tat_023_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_024", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_024_M", - "HashNameFemale": "MP_MP_Stunt_tat_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_025", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_025_M", - "HashNameFemale": "MP_MP_Stunt_tat_025_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_026", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_026_M", - "HashNameFemale": "MP_MP_Stunt_tat_026_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_027", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_027_M", - "HashNameFemale": "MP_MP_Stunt_tat_027_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_028", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_028_M", - "HashNameFemale": "MP_MP_Stunt_tat_028_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_029", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_029_M", - "HashNameFemale": "MP_MP_Stunt_tat_029_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_030", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_030_M", - "HashNameFemale": "MP_MP_Stunt_tat_030_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_031", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_031_M", - "HashNameFemale": "MP_MP_Stunt_tat_031_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_032", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_032_M", - "HashNameFemale": "MP_MP_Stunt_tat_032_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_033", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_033_M", - "HashNameFemale": "MP_MP_Stunt_tat_033_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_034", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_034_M", - "HashNameFemale": "MP_MP_Stunt_tat_034_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_035", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_035_M", - "HashNameFemale": "MP_MP_Stunt_tat_035_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_036", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_036_M", - "HashNameFemale": "MP_MP_Stunt_tat_036_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_037", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_037_M", - "HashNameFemale": "MP_MP_Stunt_tat_037_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_038", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_038_M", - "HashNameFemale": "MP_MP_Stunt_tat_038_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_039", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_039_M", - "HashNameFemale": "MP_MP_Stunt_tat_039_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_040", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_040_M", - "HashNameFemale": "MP_MP_Stunt_tat_040_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_041", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_041_M", - "HashNameFemale": "MP_MP_Stunt_tat_041_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_042", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_042_M", - "HashNameFemale": "MP_MP_Stunt_tat_042_F", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_ST_043", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_043_M", - "HashNameFemale": "MP_MP_Stunt_tat_043_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_ST_044", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_044_M", - "HashNameFemale": "MP_MP_Stunt_tat_044_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_045", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_045_M", - "HashNameFemale": "MP_MP_Stunt_tat_045_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_046", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_046_M", - "HashNameFemale": "MP_MP_Stunt_tat_046_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_047", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_047_M", - "HashNameFemale": "MP_MP_Stunt_tat_047_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_ST_048", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_048_M", - "HashNameFemale": "MP_MP_Stunt_tat_048_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_ST_049", - "Collection": "mpstunt_overlays", - "HashNameMale": "MP_MP_Stunt_tat_049_M", - "HashNameFemale": "MP_MP_Stunt_tat_049_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_000", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_000_M", - "HashNameFemale": "MP_Vinewood_Tat_000_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_001", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_001_M", - "HashNameFemale": "MP_Vinewood_Tat_001_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_002", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_002_M", - "HashNameFemale": "MP_Vinewood_Tat_002_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_003", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_003_M", - "HashNameFemale": "MP_Vinewood_Tat_003_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_004", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_004_M", - "HashNameFemale": "MP_Vinewood_Tat_004_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_005", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_005_M", - "HashNameFemale": "MP_Vinewood_Tat_005_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_006", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_006_M", - "HashNameFemale": "MP_Vinewood_Tat_006_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_007", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_007_M", - "HashNameFemale": "MP_Vinewood_Tat_007_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_008", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_008_M", - "HashNameFemale": "MP_Vinewood_Tat_008_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_009", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_009_M", - "HashNameFemale": "MP_Vinewood_Tat_009_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_010", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_010_M", - "HashNameFemale": "MP_Vinewood_Tat_010_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_011", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_011_M", - "HashNameFemale": "MP_Vinewood_Tat_011_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_012", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_012_M", - "HashNameFemale": "MP_Vinewood_Tat_012_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_013", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_013_M", - "HashNameFemale": "MP_Vinewood_Tat_013_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_VW_014", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_014_M", - "HashNameFemale": "MP_Vinewood_Tat_014_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_015", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_015_M", - "HashNameFemale": "MP_Vinewood_Tat_015_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_016", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_016_M", - "HashNameFemale": "MP_Vinewood_Tat_016_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_017", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_017_M", - "HashNameFemale": "MP_Vinewood_Tat_017_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_018", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_018_M", - "HashNameFemale": "MP_Vinewood_Tat_018_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_019", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_019_M", - "HashNameFemale": "MP_Vinewood_Tat_019_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_020", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_020_M", - "HashNameFemale": "MP_Vinewood_Tat_020_F", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_VW_021", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_021_M", - "HashNameFemale": "MP_Vinewood_Tat_021_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_022", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_022_M", - "HashNameFemale": "MP_Vinewood_Tat_022_F", - "LocalizedName": "T'as pas sang balles ?", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_023", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_023_M", - "HashNameFemale": "MP_Vinewood_Tat_023_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_024", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_024_M", - "HashNameFemale": "MP_Vinewood_Tat_024_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_025", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_025_M", - "HashNameFemale": "MP_Vinewood_Tat_025_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_026", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_026_M", - "HashNameFemale": "MP_Vinewood_Tat_026_F", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_027", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_027_M", - "HashNameFemale": "MP_Vinewood_Tat_027_F", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_VW_028", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_028_M", - "HashNameFemale": "MP_Vinewood_Tat_028_F", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_VW_029", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_029_M", - "HashNameFemale": "MP_Vinewood_Tat_029_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_030", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_030_M", - "HashNameFemale": "MP_Vinewood_Tat_030_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_031", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_031_M", - "HashNameFemale": "MP_Vinewood_Tat_031_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_VW_032", - "Collection": "mpvinewood_overlays", - "HashNameMale": "MP_Vinewood_Tat_032_M", - "HashNameFemale": "MP_Vinewood_Tat_032_F", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_008", - "LocalizedName": "Crâne", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_000", - "HashNameFemale": "FM_Tat_Award_F_000", - "Zone": "ZONE_HEAD", - "Price": 300 - }, - { - "Name": "TAT_FM_009", - "LocalizedName": "Coeur brûlant", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_001", - "HashNameFemale": "FM_Tat_Award_F_001", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_010", - "LocalizedName": "Grim Reaper Smoking Gun", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_002", - "HashNameFemale": "FM_Tat_Award_F_002", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_011", - "LocalizedName": "Blackjack", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_003", - "HashNameFemale": "FM_Tat_Award_F_003", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_012", - "LocalizedName": "Arnaqueur", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_004", - "HashNameFemale": "FM_Tat_Award_F_004", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_013", - "LocalizedName": "Ange", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_005", - "HashNameFemale": "FM_Tat_Award_F_005", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_014", - "LocalizedName": "Crâne et Épée", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_006", - "HashNameFemale": "FM_Tat_Award_F_006", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_015", - "LocalizedName": "Blonde de course", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_007", - "HashNameFemale": "FM_Tat_Award_F_007", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_016", - "LocalizedName": "Los Santos Customs", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_008", - "HashNameFemale": "FM_Tat_Award_F_008", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_017", - "LocalizedName": "Dague et Dragon", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_009", - "HashNameFemale": "FM_Tat_Award_F_009", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_018", - "LocalizedName": "Conduire ou mourir", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_010", - "HashNameFemale": "FM_Tat_Award_F_010", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_019", - "LocalizedName": "Parchemin vierge", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_011", - "HashNameFemale": "FM_Tat_Award_F_011", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_020", - "LocalizedName": "Parchemin embelli", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_012", - "HashNameFemale": "FM_Tat_Award_F_012", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_021", - "LocalizedName": "Sept Péchés Capitaux", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_013", - "HashNameFemale": "FM_Tat_Award_F_013", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_022", - "LocalizedName": "Ne Crois Personne", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_014", - "HashNameFemale": "FM_Tat_Award_F_014", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_023", - "LocalizedName": "Brunette de course", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_015", - "HashNameFemale": "FM_Tat_Award_F_015", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_024", - "LocalizedName": "Clown", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_016", - "HashNameFemale": "FM_Tat_Award_F_016", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_025", - "LocalizedName": "Clown et Flingue", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_017", - "HashNameFemale": "FM_Tat_Award_F_017", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_026", - "LocalizedName": "Clown à Double Usage", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_018", - "HashNameFemale": "FM_Tat_Award_F_018", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_027", - "LocalizedName": "Clown à Double Usage (Dollars)", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_Award_M_019", - "HashNameFemale": "FM_Tat_Award_F_019", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_204", - "LocalizedName": "Confrérie", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_000", - "HashNameFemale": "FM_Tat_F_000", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_205", - "LocalizedName": "Dragons", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_001", - "HashNameFemale": "FM_Tat_F_001", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_209", - "LocalizedName": "Crâne fondant", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_002", - "HashNameFemale": "FM_Tat_F_002", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_206", - "LocalizedName": "Dragons et Crânes", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_003", - "HashNameFemale": "FM_Tat_F_003", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_219", - "LocalizedName": "Foi", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_004", - "HashNameFemale": "FM_Tat_F_004", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_201", - "LocalizedName": "Serpents", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_005", - "HashNameFemale": "FM_Tat_F_005", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_202", - "LocalizedName": "Fresque orientale", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_006", - "HashNameFemale": "FM_Tat_F_006", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_210", - "LocalizedName": "Le Guerrier", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_007", - "HashNameFemale": "FM_Tat_F_007", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_211", - "LocalizedName": "Fresque de dragons", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_008", - "HashNameFemale": "FM_Tat_F_008", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_213", - "LocalizedName": "Crâne sur la croix", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_009", - "HashNameFemale": "FM_Tat_F_009", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_218", - "LocalizedName": "LS Flames", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_010", - "HashNameFemale": "FM_Tat_F_010", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_214", - "LocalizedName": "LS Script", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_011", - "HashNameFemale": "FM_Tat_F_011", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_220", - "LocalizedName": "Los Santos Bills", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_012", - "HashNameFemale": "FM_Tat_F_012", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_215", - "LocalizedName": "Aigle et Serpent", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_013", - "HashNameFemale": "FM_Tat_F_013", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_207", - "LocalizedName": "Fresque de fleurs", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_014", - "HashNameFemale": "FM_Tat_F_014", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_203", - "LocalizedName": "Crâne du Zodiaque", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_015", - "HashNameFemale": "FM_Tat_F_015", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_216", - "LocalizedName": "Clown Maléfique", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_016", - "HashNameFemale": "FM_Tat_F_016", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_212", - "LocalizedName": "Tribal", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_017", - "HashNameFemale": "FM_Tat_F_017", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_208", - "LocalizedName": "Crâne de Serpent", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_018", - "HashNameFemale": "FM_Tat_F_018", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_217", - "LocalizedName": "Le Salaire du Péché", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_019", - "HashNameFemale": "FM_Tat_F_019", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_221", - "LocalizedName": "Dragon", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_020", - "HashNameFemale": "FM_Tat_F_020", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_222", - "LocalizedName": "Crâne de serpent", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_021", - "HashNameFemale": "FM_Tat_F_021", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_223", - "LocalizedName": "Dragon Ardent", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_022", - "HashNameFemale": "FM_Tat_F_022", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_224", - "LocalizedName": "Bombasse", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_023", - "HashNameFemale": "FM_Tat_F_023", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_225", - "LocalizedName": "Croix enflammée", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_024", - "HashNameFemale": "FM_Tat_F_024", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_226", - "LocalizedName": "LS Bold", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_025", - "HashNameFemale": "FM_Tat_F_025", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_227", - "LocalizedName": "Dague Fumante", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_026", - "HashNameFemale": "FM_Tat_F_026", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_228", - "LocalizedName": "Vierge Marie", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_027", - "HashNameFemale": "FM_Tat_F_027", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_229", - "LocalizedName": "Sirène", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_028", - "HashNameFemale": "FM_Tat_F_028", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_230", - "LocalizedName": "Noeud de la Trinité", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_029", - "HashNameFemale": "FM_Tat_F_029", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_231", - "LocalizedName": "Chiens Celtiques Chanceux", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_030", - "HashNameFemale": "FM_Tat_F_030", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_232", - "LocalizedName": "Lady M", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_031", - "HashNameFemale": "FM_Tat_F_031", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_233", - "LocalizedName": "Foi", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_032", - "HashNameFemale": "FM_Tat_F_032", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_234", - "LocalizedName": "Dragon Chinois", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_033", - "HashNameFemale": "FM_Tat_F_033", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_235", - "LocalizedName": "Trèfle Enflammé", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_034", - "HashNameFemale": "FM_Tat_F_034", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_236", - "LocalizedName": "Dragon", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_035", - "HashNameFemale": "FM_Tat_F_035", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_237", - "LocalizedName": "Voie du Pistolet", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_036", - "HashNameFemale": "FM_Tat_F_036", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_238", - "LocalizedName": "Faucheuse", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_037", - "HashNameFemale": "FM_Tat_F_037", - "Zone": "ZONE_LEFT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_239", - "LocalizedName": "Dague", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_038", - "HashNameFemale": "FM_Tat_F_038", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_240", - "LocalizedName": "Crâne brisé", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_039", - "HashNameFemale": "FM_Tat_F_039", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_241", - "LocalizedName": "Crâne enflammé", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_040", - "HashNameFemale": "FM_Tat_F_040", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_242", - "LocalizedName": "Crâne de drogue (?)", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_041", - "HashNameFemale": "FM_Tat_F_041", - "Zone": "ZONE_LEFT_ARM", - "Price": 300 - }, - { - "Name": "TAT_FM_243", - "LocalizedName": "Scorpion Enflammé", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_042", - "HashNameFemale": "FM_Tat_F_042", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_244", - "LocalizedName": "Bélier Indien", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_043", - "HashNameFemale": "FM_Tat_F_043", - "Zone": "ZONE_RIGHT_LEG", - "Price": 300 - }, - { - "Name": "TAT_FM_245", - "LocalizedName": "Croix de Pierre", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_044", - "HashNameFemale": "FM_Tat_F_044", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_246", - "LocalizedName": "Crânes et Rose", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_045", - "HashNameFemale": "FM_Tat_F_045", - "Zone": "ZONE_TORSO", - "Price": 300 - }, - { - "Name": "TAT_FM_247", - "LocalizedName": "Lion", - "Collection": "multiplayer_overlays", - "HashNameMale": "FM_Tat_M_047", - "HashNameFemale": "FM_Tat_F_047", - "Zone": "ZONE_RIGHT_ARM", - "Price": 300 - } -] diff --git a/resources/[soz]/soz-shops/config/jewelry.lua b/resources/[soz]/soz-shops/config/jewelry.lua deleted file mode 100644 index 6f60c90065..0000000000 --- a/resources/[soz]/soz-shops/config/jewelry.lua +++ /dev/null @@ -1,92 +0,0 @@ -Config.Products["jewelry"] = { - [GetHashKey("mp_m_freemode_01")] = { - { - propId = 0, - label = "Chapeaux", - overlay = "Head", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/male/props_male_hats.json"))[1], - }, - { - propId = 0, - label = "Casques", - overlay = "Helmet", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/male/props_male_helmets.json"))[1], - }, - { - propId = 1, - label = "Lunettes", - overlay = "Glasses", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/male/props_male_glasses.json"))[1], - }, - { - propId = 2, - label = "Oreilles", - overlay = "Ear", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/male/props_male_ears.json"))[1], - }, - { - propId = 6, - label = "Mains gauche", - overlay = "LeftHand", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/male/props_male_lefthand.json"))[1], - }, - { - propId = 7, - label = "Mains droite", - overlay = "RightHand", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/male/props_male_righthand.json"))[1], - }, - }, - [GetHashKey("mp_f_freemode_01")] = { - { - propId = 0, - label = "Chapeaux", - overlay = "Head", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/female/props_female_hats.json"))[1], - }, - { - propId = 0, - label = "Casques", - overlay = "Helmet", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/female/props_female_helmets.json"))[1], - }, - { - propId = 1, - label = "Lunettes", - overlay = "Glasses", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/female/props_female_glasses.json"))[1], - }, - { - propId = 2, - label = "Oreilles", - overlay = "Ear", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/female/props_female_ears.json"))[1], - }, - { - propId = 6, - label = "Mains gauche", - overlay = "LeftHand", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/female/props_female_lefthand.json"))[1], - }, - { - propId = 7, - label = "Mains droite", - overlay = "RightHand", - price = 50, - items = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/jewelry/female/props_female_righthand.json"))[1], - }, - }, -} - -Config.Locations["jewelry"] = {["jewelry"] = vector4(-623.22, -229.24, 38.06, 82.19)} diff --git a/resources/[soz]/soz-shops/config/supermarket.lua b/resources/[soz]/soz-shops/config/supermarket.lua deleted file mode 100644 index 25ffc47494..0000000000 --- a/resources/[soz]/soz-shops/config/supermarket.lua +++ /dev/null @@ -1,58 +0,0 @@ -Config.Products["supermarket"] = { - [1] = {name = "sandwich", price = 4, amount = 2000}, - [2] = {name = "water_bottle", price = 2, amount = 2000}, - [3] = {name = "gps", price = 20, amount = 2000}, - [4] = {name = "compass", price = 15, amount = 2000}, - [5] = {name = "binoculars", price = 8, amount = 2000}, - [6] = {name = "phone", price = 499, amount = 2000}, - [7] = {name = "diving_gear", price = 2600, amount = 2000}, - [8] = {name = "zpad", price = 2400, amount = 2000}, -} - -Config.Products["247supermarket-north"] = Config.Products["supermarket"] -Config.Products["247supermarket-south"] = Config.Products["supermarket"] -Config.Products["ltdgasoline-north"] = Config.Products["supermarket"] -Config.Products["ltdgasoline-south"] = Config.Products["supermarket"] -Config.Products["robsliquor-north"] = Config.Products["supermarket"] -Config.Products["robsliquor-south"] = Config.Products["supermarket"] - -Config.Products["zkea"] = {[1] = {name = "house_map", price = 15, amount = 2000}} - -Config.Locations["247supermarket-north"] = { - ["247supermarket4"] = vector4(1728.33, 6416.87, 35.04, 237.95), - ["247supermarket5"] = vector4(1958.92, 3741.33, 32.34, 299.67), - ["247supermarket6"] = vector4(549.52, 2669.55, 42.16, 98.65), - ["247supermarket7"] = vector4(2676.47, 3280.02, 55.24, 333.41), - ["247supermarket10"] = vector4(-2539.01, 2312.00, 33.41, 94.82), - ["247supermarket11"] = vector4(161.57, 6643.05, 31.71, 222.18), -} -Config.Locations["247supermarket-south"] = { - ["247supermarket"] = vector4(24.17, -1345.49, 29.50, 273.39), - ["247supermarket2"] = vector4(-3040.65, 583.85, 7.91, 22.65), - ["247supermarket3"] = vector4(-3244.07, 999.89, 12.83, 0.41), - ["247supermarket8"] = vector4(2555.43, 380.62, 108.62, 1.74), - ["247supermarket9"] = vector4(372.86, 328.17, 103.57, 253.87), -} - -Config.Locations["ltdgasoline-north"] = {["ltdgasoline5"] = vector4(1697.24, 4923.27, 42.06, 324.94)} -Config.Locations["ltdgasoline-south"] = { - ["ltdgasoline"] = vector4(-47.22, -1758.73, 29.42, 49.1), - ["ltdgasoline2"] = vector4(-705.96, -914.47, 19.22, 88.63), - ["ltdgasoline3"] = vector4(-1819.42, 793.70, 138.08, 126.03), - ["ltdgasoline4"] = vector4(1165.09, -323.52, 69.21, 110.25), - ["ltdgasoline6"] = vector4(-1422.39, -271.12, 46.28, 51.58), - ["ltdgasoline7"] = vector4(-2071.21, -333.42, 13.32, 357.19), -} - -Config.Locations["robsliquor-north"] = { - ["robsliquor4"] = vector4(1165.26, 2710.93, 38.16, 180.89), - ["robsliquor6"] = vector4(-162.42, 6322.55, 31.59, 322.62), -} -Config.Locations["robsliquor-south"] = { - ["robsliquor"] = vector4(-1221.34, -908.13, 12.33, 31.52), - ["robsliquor2"] = vector4(-1486.60, -377.43, 40.16, 135.93), - ["robsliquor3"] = vector4(-2966.06, 391.64, 15.04, 86.14), - ["robsliquor5"] = vector4(1134.02, -983.14, 46.42, 281.3), -} - -Config.Locations["zkea"] = {["zkea"] = vector4(2748.29, 3472.55, 55.68, 254.93)} diff --git a/resources/[soz]/soz-shops/config/tattoo.lua b/resources/[soz]/soz-shops/config/tattoo.lua deleted file mode 100644 index 134a03c872..0000000000 --- a/resources/[soz]/soz-shops/config/tattoo.lua +++ /dev/null @@ -1,48 +0,0 @@ -Config.Products["tattoo"] = json.decode(LoadResourceFile(GetCurrentResourceName(), "config/datasource/tattoos.json")) - -Config.Locations["tattoo"] = { - ["tattooshop"] = vector4(319.67, 181.11, 103.59, 248.97), - ["tattooshop2"] = vector4(1862.56, 3748.41, 33.03, 33.12), - ["tattooshop3"] = vector4(-292.15, 6199.63, 31.49, 232.53), - ["tattooshop4"] = vector4(-1151.95, -1423.96, 4.95, 128.08), - ["tattooshop5"] = vector4(1324.83, -1650.14, 52.28, 129.56), - ["tattooshop6"] = vector4(-3170.73, 1072.86, 20.83, 332.32), -} - -Config.TattooLocationsInShop = { - ["tattooshop"] = vector4(324.69, 180.53, 103.59, 134.05), - ["tattooshop2"] = vector4(1864.91, 3746.62, 33.03, 28.24), - ["tattooshop3"] = vector4(-294.79, 6200.76, 31.49, 212.67), - ["tattooshop4"] = vector4(-1155.23, -1427.59, 4.95, 6.04), - ["tattooshop5"] = vector4(1321.72, -1654.25, 52.28, 9.94), - ["tattooshop6"] = vector4(-3169.81, 1077.92, 20.83, 220.92), -} - -Config.TattooCategories = { - ["ZONE_HEAD"] = { - label = "Visage", - cam = {vec(0.0, 0.7, 0.7), vec(0.7, 0.0, 0.7), vec(0.0, -0.7, 0.7), vec(-0.7, 0.0, 0.7)}, - player = vec(0.0, 0.0, 0.5), - }, - ["ZONE_TORSO"] = {label = "Torse", cam = {vec(0.0, 0.7, 0.2), vec(0.0, -0.7, 0.2)}, player = vec(0.0, 0.0, 0.2)}, - ["ZONE_LEFT_ARM"] = { - label = "Bras gauche", - cam = {vec(-0.4, 0.5, 0.2), vec(-0.7, 0.0, 0.2), vec(-0.4, -0.5, 0.2)}, - player = vec(-0.2, 0.0, 0.2), - }, - ["ZONE_RIGHT_ARM"] = { - label = "Bras droit", - cam = {vec(0.4, 0.5, 0.2), vec(0.7, 0.0, 0.2), vec(0.4, -0.5, 0.2)}, - player = vec(0.2, 0.0, 0.2), - }, - ["ZONE_LEFT_LEG"] = { - label = "Jambe gauche", - cam = {vec(-0.2, 0.7, -0.7), vec(-0.7, 0.0, -0.7), vec(-0.2, -0.7, -0.7)}, - player = vec(-0.2, 0.0, -0.6), - }, - ["ZONE_RIGHT_LEG"] = { - label = "Jambe droite", - cam = {vec(0.2, 0.7, -0.7), vec(0.7, 0.0, -0.7), vec(0.2, -0.7, -0.7)}, - player = vec(0.2, 0.0, -0.6), - }, -} diff --git a/resources/[soz]/soz-shops/config/weapon.lua b/resources/[soz]/soz-shops/config/weapon.lua deleted file mode 100644 index 1a8f3870a0..0000000000 --- a/resources/[soz]/soz-shops/config/weapon.lua +++ /dev/null @@ -1,24 +0,0 @@ -Config.Products["ammunation"] = { - [1] = {name = "parachute", type = "item", price = 250, amount = 250}, - [2] = {name = "weapon_bat", type = "weapon", price = 180, amount = 250}, - [3] = {name = "weapon_golfclub", type = "weapon", price = 450, amount = 250}, - [4] = {name = "weapon_knuckle", type = "weapon", price = 100, amount = 250}, - [5] = {name = "weapon_poolcue", type = "weapon", price = 200, amount = 250}, - [6] = {name = "weapon_stungun", type = "weapon", requiredLicense = true, price = 2500, amount = 250}, - [7] = {name = "weapon_pistol", type = "weapon", requiredLicense = true, price = 7500, amount = 250}, - [8] = {name = "ammo_01", type = "weapon", requiredLicense = true, price = 500, amount = 1000}, -} - -Config.Locations["ammunation"] = { - ["ammunation"] = vector4(-661.61, -933.49, 21.83, 176.46), - ["ammunation2"] = vector4(809.58, -2159.08, 29.62, 359.76), - ["ammunation3"] = vector4(1692.65, 3761.4, 34.71, 225.95), - ["ammunation4"] = vector4(-331.22, 6085.34, 31.45, 225.39), - ["ammunation5"] = vector4(253.6, -51.11, 69.94, 64.6), - ["ammunation6"] = vector4(23.06, -1105.72, 29.8, 162.29), - ["ammunation7"] = vector4(2567.43, 292.62, 108.73, 1.02), - ["ammunation8"] = vector4(-1118.56, 2700.09, 18.55, 229.33), - ["ammunation9"] = vector4(841.8, -1035.26, 28.19, 356.67), - ["ammunation10"] = vector4(-3173.41, 1089.23, 20.84, 223.04), - ["ammunation11"] = vector4(-1304.12, -395.54, 36.70, 61.39), -} diff --git a/resources/[soz]/soz-shops/fxmanifest.lua b/resources/[soz]/soz-shops/fxmanifest.lua deleted file mode 100644 index ebd6b6d938..0000000000 --- a/resources/[soz]/soz-shops/fxmanifest.lua +++ /dev/null @@ -1,26 +0,0 @@ -fx_version "cerulean" -games {"gta5"} -lua54 "yes" - -shared_scripts { - "config/*.lua", - "config/datasource/*.json", - "config/datasource/jewelry/female/*.json", - "config/datasource/jewelry/male/*.json", -} - -client_scripts { - "@PolyZone/client.lua", - "@PolyZone/BoxZone.lua", - "@PolyZone/ComboZone.lua", - "@menuv/menuv.lua", - "@soz-character/client/skin/clothing.lua", - "@soz-character/client/skin/menu/menu.lua", - - "client/main.lua", - "client/shops/*.lua", - "client/shops.lua", -} -server_scripts {"@oxmysql/lib/MySQL.lua", "server/main.lua"} - -dependencies {"oxmysql", "qb-core", "qb-target", "soz-hud", "soz-locations", "menuv", "soz-character"} diff --git a/resources/[soz]/soz-shops/server/main.lua b/resources/[soz]/soz-shops/server/main.lua deleted file mode 100644 index 01e8ebb780..0000000000 --- a/resources/[soz]/soz-shops/server/main.lua +++ /dev/null @@ -1,402 +0,0 @@ -local QBCore = exports["qb-core"]:GetCoreObject() - -local ShopsPed = {} -local Shops = {} -local ShopsContent = { - [1885233650] = {}, -- Homme - [-1667301416] = {}, -- Femme -} - --- Create the shop -MySQL.ready(function() - local shops = MySQL.query.await( - "select shop.id as shop_id, shop.name as shop_name, category.id as category_id, category.parent_id as category_parent_id, category.name as category_name from shop_categories inner join shop on shop_categories.shop_id = shop.id inner join category on shop_categories.category_id = category.id or shop_categories.category_id = category.parent_id") - - for _, shop in pairs(ShopsContent) do - for _, v in pairs(shops or {}) do - Shops[v.shop_name] = v.shop_id - - if shop[v.shop_id] == nil then - shop[v.shop_id] = {name = v.shop_name, items = {}} - end - - if v.category_parent_id then - if shop[v.shop_id].items[v.category_parent_id] == nil then - shop[v.shop_id].items[v.category_parent_id] = {name = v.category_name, items = {}} - end - - shop[v.shop_id].items[v.category_parent_id].items[v.category_id] = {name = v.category_name, items = {}} - else - if shop[v.shop_id].items[v.category_id] == nil then - shop[v.shop_id].items[v.category_id] = {name = v.category_name, items = {}} - end - end - end - end - - local clothes = MySQL.query.await( - "select shop_content.*, category.id as category_id, category.parent_id as category_parent_id from shop_content inner join category on shop_content.category_id = category.id or shop_content.category_id = category.parent_id where shop_id IN (1, 2, 3)") - for _, v in pairs(clothes or {}) do - local data = json.decode(v.data) - - if v.category_parent_id then - ShopsContent[tonumber(data.modelHash)][v.shop_id].items[v.category_parent_id].items[v.category_id].items[v.id] = { - label = v.label, - price = v.price, - data = data, - stock = v.stock, - } - else - ShopsContent[tonumber(data.modelHash)][v.shop_id].items[v.category_id].items[v.id] = { - label = v.label, - price = v.price, - data = data, - stock = v.stock, - } - end - end -end) - --- GetShopContent -QBCore.Functions.CreateCallback("shops:server:GetShopContent", function(source, cb, shop_name) - local Player = QBCore.Functions.GetPlayer(source) - local PlayerModelHash = Player.PlayerData.skin.Model.Hash - - cb(ShopsContent[PlayerModelHash][Shops[shop_name]].items or {}) -end) - ---- Items functions - -local function checkStock(products, productID, amount) - if type(products) ~= "table" then - return false, nil - end - - for productId, product in pairs(products) do - if productId == productID and product.stock then - return (product.stock >= amount), product - end - end - - for _, product in pairs(products) do - if product.items ~= nil then - local stock, p = checkStock(product.items, productID, amount) - if stock then - return stock, p - end - end - end - - if products.items ~= nil then - for _, product in pairs(products.items) do - local stock, p = checkStock(product.items, productID, amount) - if stock then - return stock, p - end - end - end - - return false, nil -end - -local function getItemPrice(brand, product, Player) - if brand == "tattoo" then - for _, tattoo in pairs(Config.Products[brand]) do - local overlayField = Player.PlayerData.charinfo.gender == 0 and "HashNameMale" or "HashNameFemale" - - if tattoo["Collection"] == product.collection and tattoo[overlayField] == product.overlay then - return tattoo["Price"] - end - end - elseif brand == "barber" then - return Config.Products[brand][Player.PlayerData.skin.Model.Hash][product.categoryIndex].price - elseif brand == "jewelry" then - return Config.Products[brand][Player.PlayerData.skin.Model.Hash][product.categoryIndex].price - elseif brand == "ponsonbys" or brand == "suburban" or brand == "binco" then - local _, item = checkStock(ShopsContent[Player.PlayerData.skin.Model.Hash][Shops[brand]], product.item, 1) - if item then - return item.price - end - return 1000000000 -- Safe guard, if no clothe was found - else - return Config.Products[brand][product].price - end -end - -local function shouldCheckAmount(brand) - return brand ~= "tattoo" and brand ~= "barber" and brand ~= "jewelry" and brand ~= "ponsonbys" and brand ~= "suburban" and brand ~= "binco" -end - -RegisterNetEvent("shops:server:pay", function(brand, product, amount) - local Player = QBCore.Functions.GetPlayer(source) - amount = tonumber(amount) or 1 - - if Config.Products[brand] == nil then - return - end - - if Player then - local item = Config.Products[brand][product] - local price = getItemPrice(brand, product, Player) * amount - - if brand ~= "tattoo" and brand ~= "barber" and brand ~= "jewelry" and brand ~= "ponsonbys" and brand ~= "suburban" and brand ~= "binco" and item.amount < - amount then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Ce magasin n'a pas assez de stock", "error") - return - end - - if shouldCheckAmount(brand) then - local qbItem = QBCore.Shared.Items[item.name] - local canCarryItem = exports["soz-inventory"]:CanCarryItem(Player.PlayerData.source, qbItem, amount) - - if not canCarryItem then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous ne pouvez pas porter cette quantité...", "error") - return - end - end - - if Player.Functions.RemoveMoney("money", price) then - if brand == "tattoo" then - local skin = Player.PlayerData.skin - skin.Tattoos = skin.Tattoos or {} - - skin.Tattoos[#skin.Tattoos + 1] = { - Collection = GetHashKey(product.collection), - Overlay = GetHashKey(product.overlay), - } - - Player.Functions.SetSkin(skin, false) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, ("Vous venez de vous faire tatouer pour ~g~$%s"):format(price)) - elseif brand == "barber" then - local barberShop = Config.Products[brand][Player.PlayerData.skin.Model.Hash][product.categoryIndex] - local skin = Player.PlayerData.skin - - for componentID, component in pairs(product.data) do - if barberShop.components[componentID] then - skin[product.overlay][componentID] = component - end - end - - Player.Functions.SetSkin(skin, false) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, ("Vous avez changé de coupe pour ~g~$%s"):format(price)) - elseif brand == "jewelry" then - local clothConfig = Player.PlayerData.cloth_config - - if product.overlay == "Helmet" then - clothConfig["BaseClothSet"].Props["Helmet"] = { - Drawable = tonumber(product.component), - Texture = tonumber(product.drawable), - } - else - clothConfig["BaseClothSet"].Props[tostring(product.category)] = { - Drawable = tonumber(product.component), - Texture = tonumber(product.drawable), - } - end - - Player.Functions.SetClothConfig(clothConfig, false) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, ("Vous avez acheté un bijou pour ~g~$%s"):format(price)) - elseif brand == "ponsonbys" or brand == "suburban" or brand == "binco" then - local clothConfig = Player.PlayerData.cloth_config - local hasStock, clothItem = checkStock(ShopsContent[Player.PlayerData.skin.Model.Hash][Shops[brand]], product.item, amount) - - if not hasStock or clothItem == nil then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Ce magasin n'a pas assez de stock", "error") - return - end - - for componentId, component in pairs(clothItem.data.components or {}) do - local compId = tostring(componentId) - local clothConfigName = "BaseClothSet" - - if product.category == 19 then - clothConfigName = "NakedClothSet" - end - - clothConfig[clothConfigName].Components[compId] = {} - clothConfig[clothConfigName].Components[compId].Drawable = tonumber(component.Drawable) - clothConfig[clothConfigName].Components[compId].Texture = tonumber(component.Texture) or 0 - clothConfig[clothConfigName].Components[compId].Palette = tonumber(component.Palette) or 0 - - -- If the top is modified, update the torso - if compId == "11" then - local currentTop = clothConfig["BaseClothSet"].Components["11"] - local properTorsoDrawable = Config.Torsos[Player.PlayerData.skin.Model.Hash][currentTop.Drawable] - clothConfig["BaseClothSet"].Components["3"].Drawable = properTorsoDrawable - clothConfig["BaseClothSet"].Components["3"].Texture = 0 - clothConfig["BaseClothSet"].Components["3"].Palette = 0 - end - end - - local affectedRows = MySQL.update.await("update shop_content set stock = stock - @stock where id = @id", { - id = product.item, - stock = amount, - }) - if affectedRows then - clothItem.stock = clothItem.stock - amount - end - - Player.Functions.SetClothConfig(clothConfig, false) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, ("Vous avez acheté un habit pour ~g~$%s"):format(price)) - else - if Config.Products[brand][product].requiredLicense and not Player.PlayerData.metadata["licences"]["weapon"] then - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas le permis de port d'arme", "error") - return - end - - exports["soz-inventory"]:AddItem(Player.PlayerData.source, item.name, amount, nil, nil, function(success, reason) - if success then - Config.Products[brand][product].amount = Config.Products[brand][product].amount - amount - if Config.Products[brand][product].amount <= 0 then - Config.Products[brand][product].amount = 0 - end - TriggerClientEvent("shops:client:SetShopItems", -1, brand, Config.Products[brand]) - - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, - ("Vous venez d'acheter ~b~%s %s~s~ pour ~g~$%s"):format(amount, QBCore.Shared.Items[item.name].label, price)) - end - end) - end - else - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous n'avez pas assez d'argent", "error") - end - end -end) - -RegisterNetEvent("shops:server:resetTattoos", function() - local Player = QBCore.Functions.GetPlayer(source) - - if Player then - local skin = Player.PlayerData.skin - skin.Tattoos = {} - - Player.Functions.SetSkin(skin, false) - TriggerClientEvent("hud:client:DrawNotification", Player.PlayerData.source, "Vous venez de vous faire retirer tous vos tatouages") - end -end) - -RegisterNetEvent("shops:server:CheckZkeaStock", function() - local player = QBCore.Functions.GetPlayer(source) - - if player then - local amount = exports["soz-inventory"]:GetItem("cabinet_storage", "cabinet_zkea", nil, true) - TriggerClientEvent("hud:client:DrawNotification", player.PlayerData.source, ("Il reste %s meubles Zkea."):format(amount)); - end -end) - ---- -local garmentToCategory = function(garment) - if garment == "garment_top" or garment == "luxury_garment_top" then - return 1 - elseif garment == "garment_pant" or garment == "luxury_garment_pant" then - return 6 - elseif garment == "garment_shoes" or garment == "luxury_garment_shoes" then - return 10 - elseif garment == "garment_underwear" or garment == "luxury_garment_underwear" then - return 19 - end -end - -local function getItems(products) - if type(products) ~= "table" then - return {} - end - - local items = {} - local buffer = {} - - for productId, product in pairs(products) do - if product.stock and product.stock >= 0 then - buffer[productId] = {id = productId, data = product} - end - end - - for _, product in pairs(products) do - if product.items ~= nil then - local list = getItems(product.items) - for _, p in pairs(list) do - buffer[p.id] = p - end - end - end - - if products.items ~= nil then - for _, product in pairs(products.items) do - local list = getItems(product.items) - for _, p in pairs(list) do - buffer[p.id] = p - end - end - end - - for _, v in pairs(buffer) do - items[#items + 1] = v - end - - return items -end - -exports("RestockShop", function(brand, item, amount) - local category = garmentToCategory(item) - local sexToRefill = -1667301416 - - local amount = amount - - for _ = 1, math.ceil(amount / 10) do - local stack = 10 - if amount < 10 then - stack = amount - end - amount = amount - stack - - if math.random() > 0.5 then - sexToRefill = 1885233650 - end - - local shop = ShopsContent[sexToRefill][Shops[brand]] - - if not shop then - return false - end - - shop = shop.items[category] - if not shop then - return false - end - - local allClothes = getItems(shop.items) - local randomClothes = allClothes[math.random(1, #allClothes)] - local clothesWithSameDrawable = {} - - if not randomClothes then - return false - end - - for _, clothe in pairs(allClothes) do - for k, v in pairs(clothe.data.data.components or {}) do - local originComponent = randomClothes.data.data.components[tostring(k)] - - if originComponent then - if k ~= "8" and k ~= "3" and tonumber(originComponent.Drawable) == tonumber(v.Drawable) then - clothesWithSameDrawable[clothe.id] = clothe.data - end - end - end - end - - local clothesWithSameDrawableID = {} - for clotheId, _ in pairs(clothesWithSameDrawable) do - clothesWithSameDrawableID[#clothesWithSameDrawableID + 1] = clotheId - end - - local affectedRows = MySQL.update.await("update shop_content set stock = stock + @stock where id IN (@id)", - {id = clothesWithSameDrawableID, stock = stack}) - if affectedRows > 0 then - for _, clothe in pairs(clothesWithSameDrawable) do - clothe.stock = clothe.stock + stack - end - end - end - - return true -end) diff --git a/resources/[soz]/soz-talk/client/cibi.lua b/resources/[soz]/soz-talk/client/cibi.lua deleted file mode 100644 index bfc7dc00ba..0000000000 --- a/resources/[soz]/soz-talk/client/cibi.lua +++ /dev/null @@ -1,271 +0,0 @@ -local currentVehicle, radioOpen = 0, false -local primaryRadio, secondaryRadio = nil, nil -local isRegistered = false -local stateBagHandlers = {} - ---- Functions -local function handleUpdateRadio(data, isPrimary) - if isPrimary and data.frequency ~= primaryRadio then - if primaryRadio ~= nil and primaryRadio ~= secondaryRadio then - TriggerServerEvent("voip:server:radio:disconnect", "radio-lr", primaryRadio, "primary") - end - - if data.frequency ~= nil then - TriggerServerEvent("voip:server:radio:connect", "radio-lr", "primary", data.frequency) - end - - primaryRadio = data.frequency - end - - if not isPrimary and data.frequency ~= secondaryRadio then - if secondaryRadio ~= nil and secondaryRadio ~= primaryRadio then - TriggerServerEvent("voip:server:radio:disconnect", "radio-lr", secondaryRadio, "secondary") - end - - if data.frequency ~= nil then - TriggerServerEvent("voip:server:radio:connect", "radio-lr", "secondary", data.frequency) - end - - secondaryRadio = data.frequency - end - - if isPrimary then - exports["soz-voip"]:SetRadioLongRangePrimaryVolume(data.volume or 100) - TriggerEvent("voip:client:radio:set-balance", "radio-lr", "primary", data.ear) - else - exports["soz-voip"]:SetRadioLongRangeSecondaryVolume(data.volume or 100) - TriggerEvent("voip:client:radio:set-balance", "radio-lr", "secondary", data.ear) - end - - SendNUIMessage({type = "cibi", action = "frequency_change", frequency = data.frequency, isPrimary = isPrimary}) - SendNUIMessage({type = "cibi", action = "volume_change", volume = data.volume, isPrimary = isPrimary}) - SendNUIMessage({type = "cibi", action = "ear_change", ear = data.ear, isPrimary = isPrimary}) -end - -local function vehicleRegisterHandlers() - local playerPed = PlayerPedId() - local state = Entity(currentVehicle).state - - if GetPedInVehicleSeat(currentVehicle, -1) ~= playerPed and GetPedInVehicleSeat(currentVehicle, 0) ~= playerPed then - return false - end - - if state.radioEnabled then - handleUpdateRadio(state.primaryRadio, true) - handleUpdateRadio(state.secondaryRadio, false) - end - - SendNUIMessage({type = "cibi", action = "enabled", isEnabled = state.radioEnabled}) - - stateBagHandlers[#stateBagHandlers + 1] = AddStateBagChangeHandler("radioEnabled", "entity:" .. VehToNet(currentVehicle), function(_, _, value, _, _) - if value ~= nil then - SendNUIMessage({type = "cibi", action = "enabled", isEnabled = value}) - end - - if value then - local statePrimary = Entity(currentVehicle).state.primaryRadio - local stateSecondary = Entity(currentVehicle).state.secondaryRadio - - if statePrimary then - handleUpdateRadio(statePrimary, true) - end - - if stateSecondary then - handleUpdateRadio(stateSecondary, false) - end - else - TriggerServerEvent("voip:server:radio:disconnect", "radio-lr", primaryRadio, "primary") - TriggerServerEvent("voip:server:radio:disconnect", "radio-lr", secondaryRadio, "secondary") - - primaryRadio = nil - secondaryRadio = nil - end - end) - - stateBagHandlers[#stateBagHandlers + 1] = AddStateBagChangeHandler("primaryRadio", "entity:" .. VehToNet(currentVehicle), function(_, _, value, _, _) - if value ~= nil then - handleUpdateRadio(value, true) - end - end) - - stateBagHandlers[#stateBagHandlers + 1] = AddStateBagChangeHandler("secondaryRadio", "entity:" .. VehToNet(currentVehicle), function(_, _, value, _, _) - if value ~= nil then - handleUpdateRadio(value, false) - end - end) - - return true -end - -local function toggleRadio(toggle) - if toggle and Entity(currentVehicle).state.radioInUse then - exports["soz-hud"]:DrawNotification("La radio est déjà utilisée", "error") - - return - end - - radioOpen = toggle - SetNuiFocus(radioOpen, radioOpen) - SetNuiFocusKeepInput(radioOpen) - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "radioInUse", radioOpen) - - if radioOpen then - SendNUIMessage({type = "cibi", action = "open"}) - TriggerEvent("talk:action:disable") - else - SendNUIMessage({type = "cibi", action = "close"}) - TriggerEvent("talk:action:enable") - end -end - -local function vehicleUnregisterHandlers() - for _, handler in ipairs(stateBagHandlers) do - RemoveStateBagChangeHandler(handler) - end - - TriggerServerEvent("voip:server:radio:disconnect", "radio-lr", primaryRadio, "primary") - TriggerServerEvent("voip:server:radio:disconnect", "radio-lr", secondaryRadio, "secondary") - primaryRadio = nil - secondaryRadio = nil - - SendNUIMessage({type = "cibi", action = "reset"}) - toggleRadio(false) -end - ---- NUI -RegisterNUICallback("cibi/toggle", function(data, cb) - toggleRadio(data.state) - cb("ok") -end) - -RegisterNUICallback("cibi/enable", function(data, cb) - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "radioEnabled", data.state) - SoundProvider.toggle() - cb("ok") -end) - -RegisterNUICallback("cibi/change_frequency", function(data, cb) - if not Entity(currentVehicle).state.radioEnabled then - cb("nok") - return - end - - if data.primary then - local state = Entity(currentVehicle).state.primaryRadio - state.frequency = tonumber(data.primary) - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "primaryRadio", state) - SoundProvider.default(state.volume) - - cb("ok") - - return - end - if data.secondary then - local state = Entity(currentVehicle).state.secondaryRadio - state.frequency = tonumber(data.secondary) - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "secondaryRadio", state) - SoundProvider.default(state.volume) - - cb("ok") - - return - end - cb("nok") -end) - -RegisterNUICallback("cibi/change_volume", function(data, cb) - if not Entity(currentVehicle).state.radioEnabled then - cb("nok") - return - end - if data.primary then - local state = Entity(currentVehicle).state.primaryRadio - state.volume = data.primary - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "primaryRadio", state) - SoundProvider.default(data.primary) - cb("ok") - return - end - if data.secondary then - local state = Entity(currentVehicle).state.secondaryRadio - state.volume = data.secondary - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "secondaryRadio", state) - SoundProvider.default(data.secondary) - cb("ok") - return - end - cb("nok") -end) - -RegisterNUICallback("cibi/change_ear", function(data, cb) - if not Entity(currentVehicle).state.radioEnabled then - cb("nok") - return - end - if data.primary and tonumber(data.primary) >= 0 and tonumber(data.primary) <= 2 then - local state = Entity(currentVehicle).state.primaryRadio - state.ear = data.primary - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "primaryRadio", state) - SoundProvider.default(state.volume) - - cb("ok") - - return - end - if data.secondary and tonumber(data.secondary) >= 0 and tonumber(data.secondary) <= 2 then - local state = Entity(currentVehicle).state.secondaryRadio - state.ear = data.secondary - - TriggerServerEvent("talk:cibi:sync", VehToNet(currentVehicle), "secondaryRadio", state) - SoundProvider.default(state.volume) - - cb("ok") - - return - end - cb("nok") -end) - ---- Events -RegisterNetEvent("talk:cibi:use", function() - if Entity(currentVehicle).state.hasRadio then - toggleRadio(not radioOpen) - end -end) - ---- Loops -CreateThread(function() - while true do - local ped = PlayerPedId() - - if LocalPlayer.state.isLoggedIn then - if currentVehicle == 0 and not PlayerData.metadata["isdead"] and not PlayerData.metadata["ishandcuffed"] and not PlayerData.metadata["inlaststand"] and - IsPedInAnyVehicle(ped, false) then - currentVehicle = GetVehiclePedIsUsing(ped) - - if Entity(currentVehicle).state.hasRadio then - isRegistered = vehicleRegisterHandlers() - end - end - - if currentVehicle ~= 0 and - (not IsPedInAnyVehicle(ped, false) or PlayerData.metadata["isdead"] or PlayerData.metadata["ishandcuffed"] or PlayerData.metadata["inlaststand"]) then - - if isRegistered then - vehicleUnregisterHandlers() - isRegistered = false - end - - currentVehicle = 0 - end - end - - Wait(1000) - end -end) diff --git a/resources/[soz]/soz-talk/client/main.lua b/resources/[soz]/soz-talk/client/main.lua deleted file mode 100644 index 1b0b6df0c7..0000000000 --- a/resources/[soz]/soz-talk/client/main.lua +++ /dev/null @@ -1,77 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() -PlayerData = QBCore.Functions.GetPlayerData() -local ActionWasDisabled = false - -AddEventHandler("QBCore:Client:OnPlayerLoaded", function() - PlayerData = QBCore.Functions.GetPlayerData() -end) - -RegisterNetEvent("QBCore:Player:SetPlayerData", function(data) - PlayerData = data -end) - -RegisterNetEvent("QBCore:Client:OnPlayerUnload", function() - PlayerData = {} -end) - -RegisterNetEvent("talk:action:enable", function() - ActionWasDisabled = false -end) - -RegisterNetEvent("talk:action:disable", function() - ActionWasDisabled = true - -end) - ---- Functions -SoundProvider = { - ["toggle"] = function() - TriggerEvent("InteractSound_CL:PlayOnOne", "radio/toggle", 0.2) - end, - ["default"] = function(volume) - TriggerEvent("InteractSound_CL:PlayOnOne", "click", (volume / 100) / 4) - end, -} - ---- Loops -CreateThread(function() - while true do - if ActionWasDisabled then - Wait(0) - - DisableControlAction(0, 0, true) -- Next Camera - DisableControlAction(0, 1, true) -- Look Left/Right - DisableControlAction(0, 2, true) -- Look up/Down - DisableControlAction(0, 16, true) -- Next Weapon - DisableControlAction(0, 17, true) -- Select Previous Weapon - DisableControlAction(0, 22, true) -- Jump - DisableControlAction(0, 24, true) -- Attack - DisableControlAction(0, 25, true) -- Aim - DisableControlAction(0, 26, true) -- Look Behind - DisableControlAction(0, 36, true) -- Input Duck/Sneak - DisableControlAction(0, 37, true) -- Weapon Wheel - DisableControlAction(0, 44, true) -- Cover - DisableControlAction(0, 47, true) -- Detonate - DisableControlAction(0, 55, true) -- Dive - DisableControlAction(0, 69, true) -- INPUT_VEH_ATTACK - DisableControlAction(0, 70, true) -- INPUT_VEH_ATTACK2 - DisableControlAction(0, 75, true) -- Exit Vehicle - DisableControlAction(0, 76, true) -- Vehicle Handbrake - DisableControlAction(0, 81, true) -- Next Radio (Vehicle) - DisableControlAction(0, 82, true) -- Previous Radio (Vehicle) - DisableControlAction(0, 91, true) -- Passenger Aim (Vehicle) - DisableControlAction(0, 92, true) -- Passenger Attack (Vehicle) - DisableControlAction(0, 99, true) -- Select Next Weapon (Vehicle) - DisableControlAction(0, 106, true) -- Control Override (Vehicle) - DisableControlAction(0, 114, true) -- Fly Attack (Flying) - DisableControlAction(0, 115, true) -- Next Weapon (Flying) - DisableControlAction(0, 121, true) -- Fly Camera (Flying) - DisableControlAction(0, 122, true) -- Control OVerride (Flying) - DisableControlAction(0, 135, true) -- Control OVerride (Sub) - DisableControlAction(0, 200, true) -- Pause Menu - DisableControlAction(0, 245, true) -- Chat - else - Wait(100) - end - end -end) diff --git a/resources/[soz]/soz-talk/client/megaphone.lua b/resources/[soz]/soz-talk/client/megaphone.lua deleted file mode 100644 index b2d99802c7..0000000000 --- a/resources/[soz]/soz-talk/client/megaphone.lua +++ /dev/null @@ -1,65 +0,0 @@ -local megaphoneInUse, megaphoneProp = false, nil - ---- Functions -local function toggleMegaphoneAnimation(pState) - QBCore.Functions.RequestAnimDict("anim@random@shop_clothes@watches") - if pState then - TaskPlayAnim(PlayerPedId(), "anim@random@shop_clothes@watches", "base", 2.0, 3.0, -1, 49, 0, 0, 0, 0) - megaphoneProp = CreateObject(GetHashKey("prop_megaphone_01"), 1.0, 1.0, 1.0, 1, 1, 0) - SetNetworkIdCanMigrate(ObjToNet(megaphoneProp), false) - AttachEntityToEntity(megaphoneProp, PlayerPedId(), GetPedBoneIndex(PlayerPedId(), 60309), 0.10, 0.05, 0.012, 20.0, 110.0, 70.0, 1, 0, 0, 0, 2, 1) - else - StopAnimTask(PlayerPedId(), "anim@random@shop_clothes@watches", "base", 1.0) - ClearPedTasks(PlayerPedId()) - if megaphoneProp ~= nil then - DeleteObject(megaphoneProp) - megaphoneProp = nil - end - end -end - -local function useMegaphone() - exports["soz-voip"]:SetPlayerMegaphoneInUse(true) -end - -local function resetMegaphone() - exports["soz-voip"]:SetPlayerMegaphoneInUse(false) -end - -local function toggleMegaphone(toggle) - megaphoneInUse = toggle - - if megaphoneInUse then - useMegaphone() - else - resetMegaphone() - end - - toggleMegaphoneAnimation(megaphoneInUse) -end - ---- Events -RegisterNetEvent("talk:megaphone:use", function() - local player = PlayerPedId() - if DoesEntityExist(player) and not PlayerData.metadata["isdead"] and not PlayerData.metadata["ishandcuffed"] and not PlayerData.metadata["inlaststand"] and - not IsPauseMenuActive() then - toggleMegaphone(not megaphoneInUse) - end -end) - -RegisterNetEvent("QBCore:Player:SetPlayerData", function(PlayerData) - local haveItem = false - - for _, item in pairs(PlayerData.items or {}) do - if item.name == "megaphone" then - haveItem = true - break - end - end - - if microphoneInUse and not haveItem then - toggleMegaphoneAnimation(false) - resetMegaphone() - end -end) - diff --git a/resources/[soz]/soz-talk/client/microphone.lua b/resources/[soz]/soz-talk/client/microphone.lua deleted file mode 100644 index af3c097709..0000000000 --- a/resources/[soz]/soz-talk/client/microphone.lua +++ /dev/null @@ -1,68 +0,0 @@ -local microphoneInUse, microphoneProp = false, nil - ---- Functions -local function toggleMicrophoneAnimation(pState) - QBCore.Functions.RequestAnimDict("anim@random@shop_clothes@watches") - if pState then - TaskPlayAnim(PlayerPedId(), "anim@random@shop_clothes@watches", "base", 2.0, 3.0, -1, 49, 0, 0, 0, 0) - microphoneProp = CreateObject(GetHashKey("prop_microphone_02"), 1.0, 1.0, 1.0, 1, 1, 0) - SetNetworkIdCanMigrate(ObjToNet(microphoneProp), false) - AttachEntityToEntity(microphoneProp, PlayerPedId(), GetPedBoneIndex(PlayerPedId(), 60309), 0.10, 0.0, 0.012, 20.0, 110.0, 70.0, 1, 0, 0, 0, 2, 1) - else - StopAnimTask(PlayerPedId(), "anim@random@shop_clothes@watches", "base", 1.0) - ClearPedTasks(PlayerPedId()) - if microphoneProp ~= nil then - DeleteObject(microphoneProp) - microphoneProp = nil - end - end -end - -local function useMicrophone() - exports["soz-voip"]:SetPlayerMicrophoneInUse(true) -end - -local function resetMicrophone() - exports["soz-voip"]:SetPlayerMicrophoneInUse(false) -end - -local function toggleMicrophone(toggle) - microphoneInUse = toggle - - if microphoneInUse then - useMicrophone() - else - resetMicrophone() - end - - toggleMicrophoneAnimation(microphoneInUse) -end - -RegisterNetEvent("talk:microphone:reset", function() - toggleMicrophone(false) -end) - ---- Events -RegisterNetEvent("talk:microphone:use", function() - local player = PlayerPedId() - if DoesEntityExist(player) and not PlayerData.metadata["isdead"] and not PlayerData.metadata["ishandcuffed"] and not PlayerData.metadata["inlaststand"] and - not IsPauseMenuActive() then - toggleMicrophone(not microphoneInUse) - end -end) - -RegisterNetEvent("QBCore:Player:SetPlayerData", function(PlayerData) - local haveItem = false - - for _, item in pairs(PlayerData.items or {}) do - if item.name == "microphone" then - haveItem = true - break - end - end - - if microphoneInUse and not haveItem then - resetMicrophone() - end -end) - diff --git a/resources/[soz]/soz-talk/client/radio.lua b/resources/[soz]/soz-talk/client/radio.lua deleted file mode 100644 index 4092d88904..0000000000 --- a/resources/[soz]/soz-talk/client/radio.lua +++ /dev/null @@ -1,207 +0,0 @@ -local haveItem = false -local radioOpen, radioEnabled, radioProp = false, false, nil -local primaryRadio, secondaryRadio = nil, nil - ---- Functions -local function toggleRadioAnimation(pState) - QBCore.Functions.RequestAnimDict("cellphone@") - if pState then - TriggerEvent("attachItemRadio", "radio01") - TaskPlayAnim(PlayerPedId(), "cellphone@", "cellphone_text_read_base", 2.0, 3.0, -1, 49, 0, 0, 0, 0) - radioProp = CreateObject(GetHashKey("prop_cs_hand_radio"), 1.0, 1.0, 1.0, 1, 1, 0) - SetNetworkIdCanMigrate(ObjToNet(radioProp), false) - AttachEntityToEntity(radioProp, PlayerPedId(), GetPedBoneIndex(PlayerPedId(), 57005), 0.14, 0.01, -0.02, 110.0, 120.0, -15.0, 1, 0, 0, 0, 2, 1) - else - StopAnimTask(PlayerPedId(), "cellphone@", "cellphone_text_read_base", 1.0) - ClearPedTasks(PlayerPedId()) - if radioProp ~= nil then - DeleteObject(radioProp) - radioProp = nil - end - end -end - -local function powerOnRadio() - exports["soz-voip"]:SetRadioShortRangePowerState(true) - if primaryRadio then - TriggerServerEvent("voip:server:radio:connect", "radio-sr", "primary", primaryRadio, "primary") - end - if secondaryRadio then - TriggerServerEvent("voip:server:radio:connect", "radio-sr", "secondary", secondaryRadio, "secondary") - end -end -local function powerOffRadio() - if primaryRadio then - TriggerServerEvent("voip:server:radio:disconnect", "radio-sr", primaryRadio, "primary") - end - if secondaryRadio then - TriggerServerEvent("voip:server:radio:disconnect", "radio-sr", secondaryRadio, "secondary") - end - exports["soz-voip"]:SetRadioShortRangePowerState(false) -end -RegisterNetEvent("soz-talk:client:PowerOffRadio", function() - powerOffRadio() -end) - -local function toggleRadio(toggle) - radioOpen = toggle - SetNuiFocus(radioOpen, radioOpen) - SetNuiFocusKeepInput(radioOpen) - - if radioOpen then - toggleRadioAnimation(true) - SendNUIMessage({type = "radio", action = "open"}) - - TriggerEvent("talk:action:disable") - else - toggleRadioAnimation(false) - SendNUIMessage({type = "radio", action = "close"}) - - TriggerEvent("talk:action:enable") - end -end - ---- NUI -RegisterNUICallback("radio/toggle", function(data, cb) - toggleRadio(data.state) - cb("ok") -end) - -RegisterNUICallback("radio/enable", function(data, cb) - radioEnabled = data.state - if radioEnabled then - powerOnRadio() - else - powerOffRadio() - end - SoundProvider.toggle() - cb("ok") -end) - -RegisterNUICallback("radio/change_frequency", function(data, cb) - if not radioEnabled then - cb("nok") - return - end - if data.primary and tonumber(data.primary) >= Config.Radio.min and tonumber(data.primary) <= Config.Radio.max then - if data.primary ~= primaryRadio and primaryRadio ~= nil then - TriggerServerEvent("voip:server:radio:disconnect", "radio-sr", primaryRadio, "primary") - end - - TriggerServerEvent("voip:server:radio:connect", "radio-sr", "primary", data.primary) - SoundProvider.default(0.5) - - primaryRadio = data.primary - cb("ok") - return - end - if data.secondary and tonumber(data.secondary) >= Config.Radio.min and tonumber(data.secondary) <= Config.Radio.max then - if data.secondary ~= secondaryRadio and secondaryRadio ~= nil then - TriggerServerEvent("voip:server:radio:disconnect", "radio-sr", secondaryRadio, "secondary") - end - - TriggerServerEvent("voip:server:radio:connect", "radio-sr", "secondary", data.secondary) - SoundProvider.default(0.5) - - secondaryRadio = data.secondary - cb("ok") - return - end - cb("nok") -end) - -RegisterNUICallback("radio/change_ear", function(data, cb) - if not radioEnabled then - cb("nok") - return - end - if data.primary and tonumber(data.primary) >= 0 and tonumber(data.primary) <= 2 then - TriggerEvent("voip:client:radio:set-balance", "radio-sr", "primary", data.primary) - SoundProvider.default(0.5) - - cb("ok") - return - end - if data.secondary and tonumber(data.secondary) >= 0 and tonumber(data.secondary) <= 2 then - TriggerEvent("voip:client:radio:set-balance", "radio-sr", "secondary", data.secondary) - SoundProvider.default(0.5) - - cb("ok") - return - end - cb("nok") -end) - -RegisterNUICallback("radio/change_volume", function(data, cb) - if not radioEnabled then - cb("nok") - return - end - if data.primary then - exports["soz-voip"]:SetRadioShortRangePrimaryVolume(data.primary) - SoundProvider.default(data.primary) - - cb("ok") - return - end - if data.secondary then - exports["soz-voip"]:SetRadioShortRangeSecondaryVolume(data.secondary) - SoundProvider.default(data.secondary) - - cb("ok") - return - end - cb("nok") -end) - ---- Events -RegisterNetEvent("talk:radio:use", function() - toggleRadio(not radioOpen) -end) - -RegisterCommand("radio_toggle", function() - local player = PlayerPedId() - if haveItem and (not IsNuiFocused() or radioOpen) and DoesEntityExist(player) and not PlayerData.metadata["isdead"] and - not PlayerData.metadata["ishandcuffed"] and not PlayerData.metadata["inlaststand"] and not IsPauseMenuActive() then - toggleRadio(not radioOpen) - end -end, false) -RegisterKeyMapping("radio_toggle", "Sortir la radio", "keyboard", "N") - -exports("isRadioOpen", function() - return radioOpen -end) - -exports("setRadioOpen", function(status) - toggleRadio(status) -end) - -RegisterNetEvent("QBCore:Client:OnPlayerUnload", function() - powerOffRadio() -end) - -RegisterNetEvent("QBCore:Player:SetPlayerData", function(player) - haveItem = false - - for _, item in pairs(player.items or {}) do - if item.name == "radio" then - haveItem = true - break - end - end - - if not haveItem then - Citizen.CreateThread(function() - Citizen.Wait(1000) - - for _, item in pairs(PlayerData.items or {}) do - if item.name == "radio" then - return - end - end - - powerOffRadio() - SendNUIMessage({type = "radio", action = "reset"}) - end) - end -end) diff --git a/resources/[soz]/soz-talk/config.lua b/resources/[soz]/soz-talk/config.lua deleted file mode 100644 index 7996d63756..0000000000 --- a/resources/[soz]/soz-talk/config.lua +++ /dev/null @@ -1,3 +0,0 @@ -Config = {} - -Config.Radio = {min = 10000, max = 99999} diff --git a/resources/[soz]/soz-talk/fxmanifest.lua b/resources/[soz]/soz-talk/fxmanifest.lua deleted file mode 100644 index 23c3748629..0000000000 --- a/resources/[soz]/soz-talk/fxmanifest.lua +++ /dev/null @@ -1,21 +0,0 @@ -fx_version "cerulean" -game "gta5" -lua54 "yes" - -description "SOZ-Talk" - -ui_page("html/index.html") - -files {"html/index.html", "html/assets/*"} - -shared_script "config.lua" - -client_scripts { - "client/main.lua", - "client/radio.lua", - "client/cibi.lua", - "client/megaphone.lua", - "client/microphone.lua", -} - -server_script "server/main.lua" diff --git a/resources/[soz]/soz-talk/html/assets/index.css b/resources/[soz]/soz-talk/html/assets/index.css deleted file mode 100644 index 0e89ea7d8e..0000000000 --- a/resources/[soz]/soz-talk/html/assets/index.css +++ /dev/null @@ -1 +0,0 @@ -@import"https://fonts.googleapis.com/css2?family=VT323&display=swap";._container_1uio1_1{position:absolute;bottom:-50vh;left:1vw;transition:bottom .3s}._container_show_1uio1_8{bottom:1vh}._container_hide_1uio1_12{bottom:-50vh}._radio_1uio1_16{position:relative;height:40vh;z-index:5}._screen_1uio1_22{position:absolute;bottom:16.5vh;left:2vw;height:7vh;width:5vw}._actions_1uio1_32{position:relative;z-index:10}._action_style_1uio1_36{cursor:pointer;background-color:transparent;-webkit-mask-image:radial-gradient(black,rgba(0,0,0,.1),transparent);mask-image:radial-gradient(black,rgba(0,0,0,.1),transparent);transition:background-color .5s}._action_style_1uio1_36:hover{background-color:#ffffff80}._action_enable_1uio1_47{position:absolute;bottom:26.5vh;left:1.2vw;height:4vh;width:2vw}._action_validate_1uio1_55{position:absolute;bottom:15.1vh;left:8.1vw;height:4vh;width:1vw}._action_mix_1uio1_63{position:absolute;bottom:13.8vh;left:3.7vw;height:2vh;width:1.6vw}._action_close_1uio1_71{position:absolute;bottom:25vh;left:8vw;height:.7rem;width:.7rem;color:#fff;cursor:pointer;background:rgba(0,0,0,.5);border:1px solid rgba(0,0,0,.6);border-radius:.3rem}._action_volume_up_1uio1_84{position:absolute;bottom:13.5vh;left:1.4vw;height:2vh;width:1.5vw}._action_volume_down_1uio1_92{position:absolute;bottom:13.5vh;left:6vw;height:2vh;width:1.5vw}._action_freq_primary_1uio1_101{position:absolute;bottom:11.3vh;left:2.5vw;height:2vh;width:1.5vw}._action_freq_secondary_1uio1_109{position:absolute;bottom:11.3vh;left:4.8vw;height:2vh;width:1.5vw}@media (min-aspect-ratio: 21/9){._screen_1uio1_22{bottom:16.7vh;left:1.5vw;height:6.8vh;width:3.6vw}._action_enable_1uio1_47{bottom:26.2vh;left:1vw;height:4.2vh;width:1.5vw}._action_validate_1uio1_55{bottom:15.2vh;left:6vw;height:9.2vh;width:1vw}._action_close_1uio1_71{bottom:25vh;left:6vw}._action_mix_1uio1_63{bottom:13.8vh;left:2.6vw;height:2.2vh;width:1.5vw}._action_freq_primary_1uio1_101{bottom:11.2vh;left:1.8vw;height:2.2vh;width:1.5vw}._action_freq_secondary_1uio1_109{bottom:11.2vh;left:3.4vw;height:2.2vh;width:1.5vw}._action_volume_up_1uio1_84{bottom:13.5vh;left:.9vw;height:2.2vh;width:1.5vw}._action_volume_down_1uio1_92{bottom:13.5vh;left:4.1vw;height:2.2vh;width:1.5vw}}._container_19dzc_1{position:absolute;bottom:40vh;left:-80vw;transition:left .3s}._container_show_19dzc_8{left:1vw}._container_hide_19dzc_12{left:-80vw}._radio_19dzc_16{position:relative;width:40vw;z-index:5}._screen_19dzc_22{position:absolute;bottom:6vh;left:17.3vw;height:13.2vh;width:15vw}._screen_19dzc_22 *{font-size:1.8rem}._screen_19dzc_22 * span,._screen_19dzc_22 * input{font-size:2.5rem!important}._actions_19dzc_38{position:relative;z-index:10}._action_style_19dzc_42{cursor:pointer;background-color:transparent;-webkit-mask-image:radial-gradient(black,rgba(0,0,0,.1),transparent);mask-image:radial-gradient(black,rgba(0,0,0,.1),transparent);transition:background-color .5s}._action_style_19dzc_42:hover{background-color:#ffffff80}._action_enable_19dzc_53{position:absolute;bottom:13vh;left:35vw;height:7vh;width:5vw}._action_validate_19dzc_61{position:absolute;bottom:2.5vh;left:10.8vw;height:7vh;width:4.5vw}._action_mix_19dzc_69{position:absolute;bottom:2vh;left:17.45vw;height:2.2vh;width:2.6vw}._action_close_19dzc_77{position:absolute;bottom:22vh;left:39vw;height:.7rem;width:.7rem;color:#fff;cursor:pointer;background:rgba(0,0,0,.5);border:1px solid rgba(0,0,0,.6);border-radius:.3rem}._action_volume_up_19dzc_90{position:absolute;bottom:2vh;left:26.6vw;height:2.2vh;width:2.6vw}._action_volume_down_19dzc_98{position:absolute;bottom:2vh;left:29.7vw;height:2.2vh;width:2.6vw}._action_freq_primary_19dzc_107{position:absolute;bottom:2vh;left:20.5vw;height:2.2vh;width:2.6vw}._action_freq_secondary_19dzc_115{position:absolute;bottom:2vh;left:23.6vw;height:2.2vh;width:2.6vw}@media (min-aspect-ratio: 21/9){._radio_19dzc_16{width:30vw}._screen_19dzc_22{bottom:6.4vh;left:13vw;height:13vh;width:11.3vw}._action_enable_19dzc_53{left:26vw;width:4vw}._action_validate_19dzc_61{left:7.8vw;width:3.5vw}._action_close_19dzc_77{bottom:21vh;left:29.5vw}._action_mix_19dzc_69{bottom:2.2vh;left:13vw;height:2.2vh;width:2vw}._action_freq_primary_19dzc_107{bottom:2.2vh;left:15.3vw;height:2.2vh;width:2vw}._action_freq_secondary_19dzc_115{bottom:2.2vh;left:17.6vw;height:2.2vh;width:2vw}._action_volume_up_19dzc_90{bottom:2.2vh;left:19.9vw;height:2.2vh;width:2vw}._action_volume_down_19dzc_98{bottom:2.2vh;left:22.2vw;height:2.2vh;width:2vw}}._screen_1xhmt_1{background:rgb(133,141,122);display:flex;flex-direction:column;justify-content:space-around;width:100%;height:100%}._screen_1xhmt_1._enabled_1xhmt_10{background:rgb(157,150,28)}._frequency_1xhmt_14{display:flex;justify-content:space-between;align-items:center;padding:0 .5vw}._frequency_1xhmt_14 span{font-size:1.2rem}._frequency_1xhmt_14 input{position:relative;font-family:VT323,sans-serif;font-size:1.5rem;background:transparent;text-align:right;border:none;outline:none;width:100%;z-index:15}._meta_1xhmt_37{display:grid;grid-template-columns:repeat(2,1fr);justify-items:left;gap:.5rem;padding:0 .6vw;font-size:.8rem}._meta_1xhmt_37 div{display:flex;align-items:center}._meta_1xhmt_37 svg{height:1.2vh;width:1.2vh;margin-right:.2rem}*{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}input{-webkit-user-select:text;-moz-user-select:text;-ms-user-select:text;user-select:text}body{font-family:VT323,sans-serif;overflow:hidden;padding:0;margin:0}#app{position:absolute;inset:0} diff --git a/resources/[soz]/soz-talk/html/assets/index.js b/resources/[soz]/soz-talk/html/assets/index.js deleted file mode 100644 index ed663baca7..0000000000 --- a/resources/[soz]/soz-talk/html/assets/index.js +++ /dev/null @@ -1 +0,0 @@ -var Q=Object.defineProperty,U=Object.defineProperties;var X=Object.getOwnPropertyDescriptors;var E=Object.getOwnPropertySymbols;var Y=Object.prototype.hasOwnProperty,Z=Object.prototype.propertyIsEnumerable;var M=(e,r,i)=>r in e?Q(e,r,{enumerable:!0,configurable:!0,writable:!0,value:i}):e[r]=i,l=(e,r)=>{for(var i in r||(r={}))Y.call(r,i)&&M(e,i,r[i]);if(E)for(var i of E(r))Z.call(r,i)&&M(e,i,r[i]);return e},d=(e,r)=>U(e,X(r));import{j as N,r as u,u as ee,C as I,N as P,c as ne,R as oe}from"./vendor.js";const te=function(){const r=document.createElement("link").relList;if(r&&r.supports&&r.supports("modulepreload"))return;for(const c of document.querySelectorAll('link[rel="modulepreload"]'))y(c);new MutationObserver(c=>{for(const n of c)if(n.type==="childList")for(const x of n.addedNodes)x.tagName==="LINK"&&x.rel==="modulepreload"&&y(x)}).observe(document,{childList:!0,subtree:!0});function i(c){const n={};return c.integrity&&(n.integrity=c.integrity),c.referrerpolicy&&(n.referrerPolicy=c.referrerpolicy),c.crossorigin==="use-credentials"?n.credentials="include":c.crossorigin==="anonymous"?n.credentials="omit":n.credentials="same-origin",n}function y(c){if(c.ep)return;c.ep=!0;const n=i(c);fetch(c.href,n)}};te();var ce="/html/assets/radio-sr.png",ae="/html/assets/radio-lr.png";const re="_container_1uio1_1",ie="_container_show_1uio1_8",se="_container_hide_1uio1_12",_e="_radio_1uio1_16",le="_screen_1uio1_22",de="_actions_1uio1_32",ue="_action_style_1uio1_36",ye="_action_enable_1uio1_47 _action_style_1uio1_36",me="_action_validate_1uio1_55 _action_style_1uio1_36",fe="_action_mix_1uio1_63 _action_style_1uio1_36",pe="_action_close_1uio1_71",he="_action_volume_up_1uio1_84 _action_style_1uio1_36",ve="_action_volume_down_1uio1_92 _action_style_1uio1_36",ge="_action_freq_primary_1uio1_101 _action_style_1uio1_36",qe="_action_freq_secondary_1uio1_109 _action_style_1uio1_36";var we={container:re,container_show:ie,container_hide:se,radio:_e,screen:le,actions:de,action_style:ue,action_enable:ye,action_validate:me,action_mix:fe,action_close:pe,action_volume_up:he,action_volume_down:ve,action_freq_primary:ge,action_freq_secondary:qe};const xe="_container_19dzc_1",be="_container_show_19dzc_8",Ce="_container_hide_19dzc_12",$e="_radio_19dzc_16",ze="_screen_19dzc_22",ke="_actions_19dzc_38",Fe="_action_style_19dzc_42",Ne="_action_enable_19dzc_53 _action_style_19dzc_42",Se="_action_validate_19dzc_61 _action_style_19dzc_42",Le="_action_mix_19dzc_69 _action_style_19dzc_42",Re="_action_close_19dzc_77",Be="_action_volume_up_19dzc_90 _action_style_19dzc_42",Ae="_action_volume_down_19dzc_98 _action_style_19dzc_42",je="_action_freq_primary_19dzc_107 _action_style_19dzc_42",Ee="_action_freq_secondary_19dzc_115 _action_style_19dzc_42";var Me={container:xe,container_show:be,container_hide:Ce,radio:$e,screen:ze,actions:ke,action_style:Fe,action_enable:Ne,action_validate:Se,action_mix:Le,action_close:Re,action_volume_up:Be,action_volume_down:Ae,action_freq_primary:je,action_freq_secondary:Ee};const Ie="_screen_1xhmt_1",Pe="_enabled_1xhmt_10",Ve="_frequency_1xhmt_14",Oe="_meta_1xhmt_37";var $={screen:Ie,enabled:Pe,frequency:Ve,meta:Oe},v=(e=>(e[e.Left=0]="Left",e[e.Both=1]="Both",e[e.Right=2]="Right",e))(v||{});const Te="https://soz-talk";function C(e,r={},i){e.charAt(0)!=="/"&&(e=`/${e}`),fetch(`${Te}${e}`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify(r)}).then(y=>{y.ok&&y.json().then(c=>{c==="ok"&&i()})}).catch(y=>console.error(y))}const o=N.exports.jsx,w=N.exports.jsxs,T=N.exports.Fragment,De=e=>o("svg",d(l({},e),{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",strokeWidth:"2",children:o("path",{strokeLinecap:"round",strokeLinejoin:"round",d:"M6 18L18 6M6 6l12 12"})})),He=()=>o("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",children:o("path",{fillRule:"evenodd",d:"M9.383 3.076A1 1 0 0110 4v12a1 1 0 01-1.707.707L4.586 13H2a1 1 0 01-1-1V8a1 1 0 011-1h2.586l3.707-3.707a1 1 0 011.09-.217zM14.657 2.929a1 1 0 011.414 0A9.972 9.972 0 0119 10a9.972 9.972 0 01-2.929 7.071 1 1 0 01-1.414-1.414A7.971 7.971 0 0017 10c0-2.21-.894-4.208-2.343-5.657a1 1 0 010-1.414zm-2.829 2.828a1 1 0 011.415 0A5.983 5.983 0 0115 10a5.984 5.984 0 01-1.757 4.243 1 1 0 01-1.415-1.415A3.984 3.984 0 0013 10a3.983 3.983 0 00-1.172-2.828 1 1 0 010-1.415z",clipRule:"evenodd"})}),Ke=()=>o("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 512 512",fill:"currentColor",children:o("path",{d:"M512 287.9l-.0042 112C511.1 444.1 476.1 480 432 480c-26.47 0-48-21.56-48-48.06V304.1C384 277.6 405.5 256 432 256c10.83 0 20.91 2.723 30.3 6.678C449.7 159.1 362.1 80.13 256 80.13S62.29 159.1 49.7 262.7C59.09 258.7 69.17 256 80 256C106.5 256 128 277.6 128 304.1v127.9C128 458.4 106.5 480 80 480c-44.11 0-79.1-35.88-79.1-80.06L0 288c0-141.2 114.8-256 256-256c140.9 0 255.6 114.5 255.1 255.3C511.1 287.5 511.1 287.7 512 287.9z"})}),V=e=>{switch(e){case v.Left:return"L";case v.Both:return"L/R";case v.Right:return"R"}},O=e=>{const[r,i]=u.exports.useState(!1),[y,c]=u.exports.useState(!1),[n,x]=u.exports.useState("primary"),[g,f]=u.exports.useState({frequency:0,volume:100,ear:v.Both}),[q,p]=u.exports.useState({frequency:0,volume:100,ear:v.Both}),{control:S,handleSubmit:D,formState:{errors:We},setValue:b}=ee(),H=e.type==="radio"?ce:ae,_=e.type==="radio"?we:Me,K=u.exports.useCallback(()=>{C(`/${e.type}/enable`,{state:!y},()=>{c(t=>!t)})},[y,c]),L=u.exports.useCallback(t=>{x(t)},[x]),J=u.exports.useCallback(()=>{const t=n==="primary"?g.ear:q.ear;let s=v[t+1]!==void 0?t+1:0;C(`/${e.type}/change_ear`,{[n]:s},()=>{n==="primary"?f(a=>d(l({},a),{ear:s})):p(a=>d(l({},a),{ear:s}))})},[n,g,q,f,p]),R=u.exports.useCallback(t=>{t>=0&&t<=100&&C(`/${e.type}/change_volume`,{[n]:t},()=>{n==="primary"?f(s=>d(l({},s),{volume:t})):p(s=>d(l({},s),{volume:t}))})},[n,f,p]),W=u.exports.useCallback(t=>{const s=n==="primary"?t.primaryFrequency:t.secondaryFrequency,a=parseInt(s.toString().replace(/\./g,""));a>=1e4&&a<=99999?C(`/${e.type}/change_frequency`,{[n]:a},()=>{n==="primary"?f(h=>d(l({},h),{frequency:a})):p(h=>d(l({},h),{frequency:a}))}):n==="primary"?b("primaryFrequency",g.frequency.toString().replace(/\./g,"").padEnd(5,"0")):b("secondaryFrequency",q.frequency.toString().replace(/\./g,"").padEnd(5,"0"))},[n,g,q]),G=u.exports.useCallback(()=>{C(`/${e.type}/toggle`,{state:!1},()=>{i(!1)})},[i]),B=u.exports.useCallback(t=>{const{type:s,action:a,frequency:h,volume:z,ear:k,isPrimary:F,isEnabled:j}=t.data;s===e.type&&(a==="reset"?(i(!1),c(!1),x("primary"),f({frequency:0,volume:100,ear:v.Both}),p({frequency:0,volume:100,ear:v.Both}),b("primaryFrequency","00000"),b("secondaryFrequency","00000")):a==="open"?i(!0):a==="close"?i(!1):a==="enabled"?j!==void 0&&c(j):a==="frequency_change"?h&&(F?(f(m=>d(l({},m),{frequency:h/100})),b("primaryFrequency",h)):(p(m=>d(l({},m),{frequency:h/100})),b("secondaryFrequency",h))):a==="volume_change"?z&&(F?f(m=>d(l({},m),{volume:z})):p(m=>d(l({},m),{volume:z}))):a==="ear_change"&&k&&(F?f(m=>d(l({},m),{ear:k})):p(m=>d(l({},m),{ear:k}))))},[]),A=u.exports.useCallback(t=>{t.key==="Tab"&&t.preventDefault()},[]);return u.exports.useEffect(()=>(window.addEventListener("message",B),window.addEventListener("keydown",A),()=>{window.removeEventListener("message",B),window.removeEventListener("keydown",A)}),[]),o("div",{className:`${_.container} ${r?_.container_show:_.container_hide}`,children:w("form",{onSubmit:D(W),children:[o("img",{className:_.radio,src:H,alt:"Radio"}),o("div",{className:_.screen,children:o("div",{className:`${$.screen} ${y?$.enabled:""}`,children:y&&w(T,{children:[w("div",{className:$.frequency,children:[o("span",{children:n==="primary"?"F1":"F2"}),n==="primary"&&o(I,{control:S,name:"primaryFrequency",render:({field:{onChange:t,name:s,value:a}})=>o(P,{format:"###.##",defaultValue:"000.00",name:s,value:a,onChange:t})}),n==="secondary"&&o(I,{control:S,name:"secondaryFrequency",render:({field:{onChange:t,name:s,value:a}})=>o(P,{format:"###.##",defaultValue:"000.00",name:s,value:a,onChange:t})})]}),w("span",{className:$.meta,children:[w("div",{children:[o(He,{}),n==="primary"?g.volume:q.volume,"%"]}),w("div",{children:[o(Ke,{}),V(n==="primary"?g.ear:q.ear)]})]})]})})}),w("div",{className:_.actions,children:[o("input",{type:"submit",value:"",className:_.action_validate}),o("div",{className:_.action_enable,onClick:K}),o("div",{className:_.action_mix,onClick:J}),o(De,{className:_.action_close,onClick:G}),o("div",{className:_.action_volume_up,onClick:()=>R(n==="primary"?g.volume+10:q.volume+10)}),o("div",{className:_.action_volume_down,onClick:()=>R(n==="primary"?g.volume-10:q.volume-10)}),o("div",{className:_.action_freq_primary,onClick:()=>L("primary")}),o("div",{className:_.action_freq_secondary,onClick:()=>L("secondary")})]})]})})},Je=()=>w(T,{children:[o(O,{type:"radio"}),o(O,{type:"cibi"})]});ne.createRoot(document.getElementById("app")).render(o(oe.StrictMode,{children:o(Je,{})})); diff --git a/resources/[soz]/soz-talk/html/assets/radio-lr.png b/resources/[soz]/soz-talk/html/assets/radio-lr.png deleted file mode 100644 index 8bbaa2e45a..0000000000 Binary files a/resources/[soz]/soz-talk/html/assets/radio-lr.png and /dev/null differ diff --git a/resources/[soz]/soz-talk/html/assets/radio-sr.png b/resources/[soz]/soz-talk/html/assets/radio-sr.png deleted file mode 100644 index ed34c86d7a..0000000000 Binary files a/resources/[soz]/soz-talk/html/assets/radio-sr.png and /dev/null differ diff --git a/resources/[soz]/soz-talk/html/assets/vendor.js b/resources/[soz]/soz-talk/html/assets/vendor.js deleted file mode 100644 index e609b6f9cc..0000000000 --- a/resources/[soz]/soz-talk/html/assets/vendor.js +++ /dev/null @@ -1,46 +0,0 @@ -var Ff=Object.defineProperty,Df=Object.defineProperties;var Tf=Object.getOwnPropertyDescriptors;var Dr=Object.getOwnPropertySymbols;var Tu=Object.prototype.hasOwnProperty,Ru=Object.prototype.propertyIsEnumerable;var Du=(e,t,n)=>t in e?Ff(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n,I=(e,t)=>{for(var n in t||(t={}))Tu.call(t,n)&&Du(e,n,t[n]);if(Dr)for(var n of Dr(t))Ru.call(t,n)&&Du(e,n,t[n]);return e},Ye=(e,t)=>Df(e,Tf(t));var Tr=(e,t)=>{var n={};for(var r in e)Tu.call(e,r)&&t.indexOf(r)<0&&(n[r]=e[r]);if(e!=null&&Dr)for(var r of Dr(e))t.indexOf(r)<0&&Ru.call(e,r)&&(n[r]=e[r]);return n};var Ul={exports:{}},$={};/** - * @license React - * react.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var xr=Symbol.for("react.element"),Rf=Symbol.for("react.portal"),Lf=Symbol.for("react.fragment"),zf=Symbol.for("react.strict_mode"),Of=Symbol.for("react.profiler"),Mf=Symbol.for("react.provider"),Af=Symbol.for("react.context"),Vf=Symbol.for("react.forward_ref"),If=Symbol.for("react.suspense"),jf=Symbol.for("react.memo"),Uf=Symbol.for("react.lazy"),Lu=Symbol.iterator;function $f(e){return e===null||typeof e!="object"?null:(e=Lu&&e[Lu]||e["@@iterator"],typeof e=="function"?e:null)}var ia={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},oa=Object.assign,ua={};function Rn(e,t,n){this.props=e,this.context=t,this.refs=ua,this.updater=n||ia}Rn.prototype.isReactComponent={};Rn.prototype.setState=function(e,t){if(typeof e!="object"&&typeof e!="function"&&e!=null)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,e,t,"setState")};Rn.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this,e,"forceUpdate")};function sa(){}sa.prototype=Rn.prototype;function Do(e,t,n){this.props=e,this.context=t,this.refs=ua,this.updater=n||ia}var To=Do.prototype=new sa;To.constructor=Do;oa(To,Rn.prototype);To.isPureReactComponent=!0;var zu=Array.isArray,aa=Object.prototype.hasOwnProperty,Ro={current:null},ca={key:!0,ref:!0,__self:!0,__source:!0};function fa(e,t,n){var r,l={},i=null,o=null;if(t!=null)for(r in t.ref!==void 0&&(o=t.ref),t.key!==void 0&&(i=""+t.key),t)aa.call(t,r)&&!ca.hasOwnProperty(r)&&(l[r]=t[r]);var u=arguments.length-2;if(u===1)l.children=n;else if(1>>1,G=R[H];if(0>>1;Hl(It,U))wtl(On,It)?(R[H]=On,R[wt]=U,H=wt):(R[H]=It,R[Ke]=U,H=Ke);else if(wtl(On,U))R[H]=On,R[wt]=U,H=wt;else break e}}return j}function l(R,j){var U=R.sortIndex-j.sortIndex;return U!==0?U:R.id-j.id}if(typeof performance=="object"&&typeof performance.now=="function"){var i=performance;e.unstable_now=function(){return i.now()}}else{var o=Date,u=o.now();e.unstable_now=function(){return o.now()-u}}var s=[],a=[],p=1,m=null,f=3,w=!1,g=!1,_=!1,M=typeof setTimeout=="function"?setTimeout:null,d=typeof clearTimeout=="function"?clearTimeout:null,c=typeof setImmediate!="undefined"?setImmediate:null;typeof navigator!="undefined"&&navigator.scheduling!==void 0&&navigator.scheduling.isInputPending!==void 0&&navigator.scheduling.isInputPending.bind(navigator.scheduling);function h(R){for(var j=n(a);j!==null;){if(j.callback===null)r(a);else if(j.startTime<=R)r(a),j.sortIndex=j.expirationTime,t(s,j);else break;j=n(a)}}function k(R){if(_=!1,h(R),!g)if(n(s)!==null)g=!0,qe(x);else{var j=n(a);j!==null&&yt(k,j.startTime-R)}}function x(R,j){g=!1,_&&(_=!1,d(T),T=-1),w=!0;var U=f;try{for(h(j),m=n(s);m!==null&&(!(m.expirationTime>j)||R&&!V());){var H=m.callback;if(typeof H=="function"){m.callback=null,f=m.priorityLevel;var G=H(m.expirationTime<=j);j=e.unstable_now(),typeof G=="function"?m.callback=G:m===n(s)&&r(s),h(j)}else r(s);m=n(s)}if(m!==null)var bt=!0;else{var Ke=n(a);Ke!==null&&yt(k,Ke.startTime-j),bt=!1}return bt}finally{m=null,f=U,w=!1}}var N=!1,P=null,T=-1,B=5,L=-1;function V(){return!(e.unstable_now()-LR||125H?(R.sortIndex=U,t(a,R),n(s)===null&&R===n(a)&&(_?(d(T),T=-1):_=!0,yt(k,U-H))):(R.sortIndex=G,t(s,R),g||w||(g=!0,qe(x))),R},e.unstable_shouldYield=V,e.unstable_wrapCallback=function(R){var j=f;return function(){var U=f;f=j;try{return R.apply(this,arguments)}finally{f=U}}}})(ha);pa.exports=ha;/** - * @license React - * react-dom.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var va=Ul.exports,Oe=pa.exports;function E(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;nt}return!1}function Ee(e,t,n,r,l,i,o){this.acceptsBooleans=t===2||t===3||t===4,this.attributeName=r,this.attributeNamespace=l,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=i,this.removeEmptyString=o}var pe={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach(function(e){pe[e]=new Ee(e,0,!1,e,null,!1,!1)});[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach(function(e){var t=e[0];pe[t]=new Ee(t,1,!1,e[1],null,!1,!1)});["contentEditable","draggable","spellCheck","value"].forEach(function(e){pe[e]=new Ee(e,2,!1,e.toLowerCase(),null,!1,!1)});["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach(function(e){pe[e]=new Ee(e,2,!1,e,null,!1,!1)});"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach(function(e){pe[e]=new Ee(e,3,!1,e.toLowerCase(),null,!1,!1)});["checked","multiple","muted","selected"].forEach(function(e){pe[e]=new Ee(e,3,!0,e,null,!1,!1)});["capture","download"].forEach(function(e){pe[e]=new Ee(e,4,!1,e,null,!1,!1)});["cols","rows","size","span"].forEach(function(e){pe[e]=new Ee(e,6,!1,e,null,!1,!1)});["rowSpan","start"].forEach(function(e){pe[e]=new Ee(e,5,!1,e.toLowerCase(),null,!1,!1)});var zo=/[\-:]([a-z])/g;function Oo(e){return e[1].toUpperCase()}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach(function(e){var t=e.replace(zo,Oo);pe[t]=new Ee(t,1,!1,e,null,!1,!1)});"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach(function(e){var t=e.replace(zo,Oo);pe[t]=new Ee(t,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)});["xml:base","xml:lang","xml:space"].forEach(function(e){var t=e.replace(zo,Oo);pe[t]=new Ee(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)});["tabIndex","crossOrigin"].forEach(function(e){pe[e]=new Ee(e,1,!1,e.toLowerCase(),null,!1,!1)});pe.xlinkHref=new Ee("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1);["src","href","action","formAction"].forEach(function(e){pe[e]=new Ee(e,1,!1,e.toLowerCase(),null,!0,!0)});function Mo(e,t,n,r){var l=pe.hasOwnProperty(t)?pe[t]:null;(l!==null?l.type!==0:r||!(2u||l[o]!==i[u]){var s=` -`+l[o].replace(" at new "," at ");return e.displayName&&s.includes("")&&(s=s.replace("",e.displayName)),s}while(1<=o&&0<=u);break}}}finally{si=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?qn(e):""}function Xf(e){switch(e.tag){case 5:return qn(e.type);case 16:return qn("Lazy");case 13:return qn("Suspense");case 19:return qn("SuspenseList");case 0:case 2:case 15:return e=ai(e.type,!1),e;case 11:return e=ai(e.type.render,!1),e;case 1:return e=ai(e.type,!0),e;default:return""}}function ji(e){if(e==null)return null;if(typeof e=="function")return e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case ln:return"Fragment";case rn:return"Portal";case Ai:return"Profiler";case Ao:return"StrictMode";case Vi:return"Suspense";case Ii:return"SuspenseList"}if(typeof e=="object")switch(e.$$typeof){case ya:return(e.displayName||"Context")+".Consumer";case ga:return(e._context.displayName||"Context")+".Provider";case Vo:var t=e.render;return e=e.displayName,e||(e=t.displayName||t.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case Io:return t=e.displayName||null,t!==null?t:ji(e.type)||"Memo";case St:t=e._payload,e=e._init;try{return ji(e(t))}catch{}}return null}function Zf(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=t.render,e=e.displayName||e.name||"",t.displayName||(e!==""?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return ji(t);case 8:return t===Ao?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if(typeof t=="function")return t.displayName||t.name||null;if(typeof t=="string")return t}return null}function Lt(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":return e;case"object":return e;default:return""}}function Sa(e){var t=e.type;return(e=e.nodeName)&&e.toLowerCase()==="input"&&(t==="checkbox"||t==="radio")}function Jf(e){var t=Sa(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&typeof n!="undefined"&&typeof n.get=="function"&&typeof n.set=="function"){var l=n.get,i=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return l.call(this)},set:function(o){r=""+o,i.call(this,o)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(o){r=""+o},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}function zr(e){e._valueTracker||(e._valueTracker=Jf(e))}function ka(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=Sa(e)?e.checked?"true":"false":e.value),e=r,e!==n?(t.setValue(e),!0):!1}function cl(e){if(e=e||(typeof document!="undefined"?document:void 0),typeof e=="undefined")return null;try{return e.activeElement||e.body}catch{return e.body}}function Ui(e,t){var n=t.checked;return ne({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:n!=null?n:e._wrapperState.initialChecked})}function ju(e,t){var n=t.defaultValue==null?"":t.defaultValue,r=t.checked!=null?t.checked:t.defaultChecked;n=Lt(t.value!=null?t.value:n),e._wrapperState={initialChecked:r,initialValue:n,controlled:t.type==="checkbox"||t.type==="radio"?t.checked!=null:t.value!=null}}function xa(e,t){t=t.checked,t!=null&&Mo(e,"checked",t,!1)}function $i(e,t){xa(e,t);var n=Lt(t.value),r=t.type;if(n!=null)r==="number"?(n===0&&e.value===""||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if(r==="submit"||r==="reset"){e.removeAttribute("value");return}t.hasOwnProperty("value")?Bi(e,t.type,n):t.hasOwnProperty("defaultValue")&&Bi(e,t.type,Lt(t.defaultValue)),t.checked==null&&t.defaultChecked!=null&&(e.defaultChecked=!!t.defaultChecked)}function Uu(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(!(r!=="submit"&&r!=="reset"||t.value!==void 0&&t.value!==null))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}n=e.name,n!==""&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,n!==""&&(e.name=n)}function Bi(e,t,n){(t!=="number"||cl(e.ownerDocument)!==e)&&(n==null?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var Kn=Array.isArray;function gn(e,t,n,r){if(e=e.options,t){t={};for(var l=0;l"+t.valueOf().toString()+"",t=Or.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}});function ir(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&n.nodeType===3){n.nodeValue=t;return}}e.textContent=t}var Xn={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},bf=["Webkit","ms","Moz","O"];Object.keys(Xn).forEach(function(e){bf.forEach(function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),Xn[t]=Xn[e]})});function Na(e,t,n){return t==null||typeof t=="boolean"||t===""?"":n||typeof t!="number"||t===0||Xn.hasOwnProperty(e)&&Xn[e]?(""+t).trim():t+"px"}function Pa(e,t){e=e.style;for(var n in t)if(t.hasOwnProperty(n)){var r=n.indexOf("--")===0,l=Na(n,t[n],r);n==="float"&&(n="cssFloat"),r?e.setProperty(n,l):e[n]=l}}var ed=ne({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function Qi(e,t){if(t){if(ed[e]&&(t.children!=null||t.dangerouslySetInnerHTML!=null))throw Error(E(137,e));if(t.dangerouslySetInnerHTML!=null){if(t.children!=null)throw Error(E(60));if(typeof t.dangerouslySetInnerHTML!="object"||!("__html"in t.dangerouslySetInnerHTML))throw Error(E(61))}if(t.style!=null&&typeof t.style!="object")throw Error(E(62))}}function qi(e,t){if(e.indexOf("-")===-1)return typeof t.is=="string";switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var Ki=null;function jo(e){return e=e.target||e.srcElement||window,e.correspondingUseElement&&(e=e.correspondingUseElement),e.nodeType===3?e.parentNode:e}var Yi=null,yn=null,wn=null;function Wu(e){if(e=Cr(e)){if(typeof Yi!="function")throw Error(E(280));var t=e.stateNode;t&&(t=Ql(t),Yi(e.stateNode,e.type,t))}}function Fa(e){yn?wn?wn.push(e):wn=[e]:yn=e}function Da(){if(yn){var e=yn,t=wn;if(wn=yn=null,Wu(e),t)for(e=0;e>>=0,e===0?32:31-(fd(e)/dd|0)|0}var Mr=64,Ar=4194304;function Yn(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return e&4194240;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return e&130023424;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function hl(e,t){var n=e.pendingLanes;if(n===0)return 0;var r=0,l=e.suspendedLanes,i=e.pingedLanes,o=n&268435455;if(o!==0){var u=o&~l;u!==0?r=Yn(u):(i&=o,i!==0&&(r=Yn(i)))}else o=n&~l,o!==0?r=Yn(o):i!==0&&(r=Yn(i));if(r===0)return 0;if(t!==0&&t!==r&&(t&l)===0&&(l=r&-r,i=t&-t,l>=i||l===16&&(i&4194240)!==0))return t;if((r&4)!==0&&(r|=n&16),t=e.entangledLanes,t!==0)for(e=e.entanglements,t&=r;0n;n++)t.push(e);return t}function Er(e,t,n){e.pendingLanes|=t,t!==536870912&&(e.suspendedLanes=0,e.pingedLanes=0),e=e.eventTimes,t=31-Je(t),e[t]=n}function md(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var r=e.eventTimes;for(e=e.expirationTimes;0=Jn),Ju=String.fromCharCode(32),bu=!1;function Ya(e,t){switch(e){case"keyup":return Hd.indexOf(t.keyCode)!==-1;case"keydown":return t.keyCode!==229;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function Ga(e){return e=e.detail,typeof e=="object"&&"data"in e?e.data:null}var on=!1;function qd(e,t){switch(e){case"compositionend":return Ga(t);case"keypress":return t.which!==32?null:(bu=!0,Ju);case"textInput":return e=t.data,e===Ju&&bu?null:e;default:return null}}function Kd(e,t){if(on)return e==="compositionend"||!Ko&&Ya(e,t)?(e=qa(),el=Ho=_t=null,on=!1,e):null;switch(e){case"paste":return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1=t)return{node:n,offset:t-e};e=r}e:{for(;n;){if(n.nextSibling){n=n.nextSibling;break e}n=n.parentNode}n=void 0}n=rs(n)}}function ba(e,t){return e&&t?e===t?!0:e&&e.nodeType===3?!1:t&&t.nodeType===3?ba(e,t.parentNode):"contains"in e?e.contains(t):e.compareDocumentPosition?!!(e.compareDocumentPosition(t)&16):!1:!1}function ec(){for(var e=window,t=cl();t instanceof e.HTMLIFrameElement;){try{var n=typeof t.contentWindow.location.href=="string"}catch{n=!1}if(n)e=t.contentWindow;else break;t=cl(e.document)}return t}function Yo(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&(t==="input"&&(e.type==="text"||e.type==="search"||e.type==="tel"||e.type==="url"||e.type==="password")||t==="textarea"||e.contentEditable==="true")}function np(e){var t=ec(),n=e.focusedElem,r=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&ba(n.ownerDocument.documentElement,n)){if(r!==null&&Yo(n)){if(t=r.start,e=r.end,e===void 0&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if(e=(t=n.ownerDocument||document)&&t.defaultView||window,e.getSelection){e=e.getSelection();var l=n.textContent.length,i=Math.min(r.start,l);r=r.end===void 0?i:Math.min(r.end,l),!e.extend&&i>r&&(l=r,r=i,i=l),l=ls(n,i);var o=ls(n,r);l&&o&&(e.rangeCount!==1||e.anchorNode!==l.node||e.anchorOffset!==l.offset||e.focusNode!==o.node||e.focusOffset!==o.offset)&&(t=t.createRange(),t.setStart(l.node,l.offset),e.removeAllRanges(),i>r?(e.addRange(t),e.extend(o.node,o.offset)):(t.setEnd(o.node,o.offset),e.addRange(t)))}}for(t=[],e=n;e=e.parentNode;)e.nodeType===1&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for(typeof n.focus=="function"&&n.focus(),n=0;n=document.documentMode,un=null,eo=null,er=null,to=!1;function is(e,t,n){var r=n.window===n?n.document:n.nodeType===9?n:n.ownerDocument;to||un==null||un!==cl(r)||(r=un,"selectionStart"in r&&Yo(r)?r={start:r.selectionStart,end:r.selectionEnd}:(r=(r.ownerDocument&&r.ownerDocument.defaultView||window).getSelection(),r={anchorNode:r.anchorNode,anchorOffset:r.anchorOffset,focusNode:r.focusNode,focusOffset:r.focusOffset}),er&&fr(er,r)||(er=r,r=ml(eo,"onSelect"),0cn||(e.current=oo[cn],oo[cn]=null,cn--)}function X(e,t){cn++,oo[cn]=e.current,e.current=t}var zt={},ye=At(zt),Fe=At(!1),Yt=zt;function _n(e,t){var n=e.type.contextTypes;if(!n)return zt;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var l={},i;for(i in n)l[i]=t[i];return r&&(e=e.stateNode,e.__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=l),l}function De(e){return e=e.childContextTypes,e!=null}function yl(){J(Fe),J(ye)}function ds(e,t,n){if(ye.current!==zt)throw Error(E(168));X(ye,t),X(Fe,n)}function ac(e,t,n){var r=e.stateNode;if(t=t.childContextTypes,typeof r.getChildContext!="function")return n;r=r.getChildContext();for(var l in r)if(!(l in t))throw Error(E(108,Zf(e)||"Unknown",l));return ne({},n,r)}function wl(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||zt,Yt=ye.current,X(ye,e),X(Fe,Fe.current),!0}function ps(e,t,n){var r=e.stateNode;if(!r)throw Error(E(169));n?(e=ac(e,t,Yt),r.__reactInternalMemoizedMergedChildContext=e,J(Fe),J(ye),X(ye,e)):J(Fe),X(Fe,n)}var at=null,ql=!1,Ei=!1;function cc(e){at===null?at=[e]:at.push(e)}function hp(e){ql=!0,cc(e)}function Vt(){if(!Ei&&at!==null){Ei=!0;var e=0,t=Q;try{var n=at;for(Q=1;e>=o,l-=o,ft=1<<32-Je(t)+l|n<T?(B=P,P=null):B=P.sibling;var L=f(d,P,h[T],k);if(L===null){P===null&&(P=B);break}e&&P&&L.alternate===null&&t(d,P),c=i(L,c,T),N===null?x=L:N.sibling=L,N=L,P=B}if(T===h.length)return n(d,P),b&&jt(d,T),x;if(P===null){for(;TT?(B=P,P=null):B=P.sibling;var V=f(d,P,L.value,k);if(V===null){P===null&&(P=B);break}e&&P&&V.alternate===null&&t(d,P),c=i(V,c,T),N===null?x=V:N.sibling=V,N=V,P=B}if(L.done)return n(d,P),b&&jt(d,T),x;if(P===null){for(;!L.done;T++,L=h.next())L=m(d,L.value,k),L!==null&&(c=i(L,c,T),N===null?x=L:N.sibling=L,N=L);return b&&jt(d,T),x}for(P=r(d,P);!L.done;T++,L=h.next())L=w(P,d,T,L.value,k),L!==null&&(e&&L.alternate!==null&&P.delete(L.key===null?T:L.key),c=i(L,c,T),N===null?x=L:N.sibling=L,N=L);return e&&P.forEach(function(K){return t(d,K)}),b&&jt(d,T),x}function M(d,c,h,k){if(typeof h=="object"&&h!==null&&h.type===ln&&h.key===null&&(h=h.props.children),typeof h=="object"&&h!==null){switch(h.$$typeof){case Lr:e:{for(var x=h.key,N=c;N!==null;){if(N.key===x){if(x=h.type,x===ln){if(N.tag===7){n(d,N.sibling),c=l(N,h.props.children),c.return=d,d=c;break e}}else if(N.elementType===x||typeof x=="object"&&x!==null&&x.$$typeof===St&&Ss(x)===N.type){n(d,N.sibling),c=l(N,h.props),c.ref=$n(d,N,h),c.return=d,d=c;break e}n(d,N);break}else t(d,N);N=N.sibling}h.type===ln?(c=Kt(h.props.children,d.mode,k,h.key),c.return=d,d=c):(k=ul(h.type,h.key,h.props,null,d.mode,k),k.ref=$n(d,c,h),k.return=d,d=k)}return o(d);case rn:e:{for(N=h.key;c!==null;){if(c.key===N)if(c.tag===4&&c.stateNode.containerInfo===h.containerInfo&&c.stateNode.implementation===h.implementation){n(d,c.sibling),c=l(c,h.children||[]),c.return=d,d=c;break e}else{n(d,c);break}else t(d,c);c=c.sibling}c=Ti(h,d.mode,k),c.return=d,d=c}return o(d);case St:return N=h._init,M(d,c,N(h._payload),k)}if(Kn(h))return g(d,c,h,k);if(Mn(h))return _(d,c,h,k);Br(d,h)}return typeof h=="string"&&h!==""||typeof h=="number"?(h=""+h,c!==null&&c.tag===6?(n(d,c.sibling),c=l(c,h),c.return=d,d=c):(n(d,c),c=Di(h,d.mode,k),c.return=d,d=c),o(d)):n(d,c)}return M}var Nn=mc(!0),gc=mc(!1),Nr={},lt=At(Nr),vr=At(Nr),mr=At(Nr);function Wt(e){if(e===Nr)throw Error(E(174));return e}function nu(e,t){switch(X(mr,t),X(vr,e),X(lt,Nr),e=t.nodeType,e){case 9:case 11:t=(t=t.documentElement)?t.namespaceURI:Hi(null,"");break;default:e=e===8?t.parentNode:t,t=e.namespaceURI||null,e=e.tagName,t=Hi(t,e)}J(lt),X(lt,t)}function Pn(){J(lt),J(vr),J(mr)}function yc(e){Wt(mr.current);var t=Wt(lt.current),n=Hi(t,e.type);t!==n&&(X(vr,e),X(lt,n))}function ru(e){vr.current===e&&(J(lt),J(vr))}var te=At(0);function Cl(e){for(var t=e;t!==null;){if(t.tag===13){var n=t.memoizedState;if(n!==null&&(n=n.dehydrated,n===null||n.data==="$?"||n.data==="$!"))return t}else if(t.tag===19&&t.memoizedProps.revealOrder!==void 0){if((t.flags&128)!==0)return t}else if(t.child!==null){t.child.return=t,t=t.child;continue}if(t===e)break;for(;t.sibling===null;){if(t.return===null||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}return null}var _i=[];function lu(){for(var e=0;e<_i.length;e++)_i[e]._workInProgressVersionPrimary=null;_i.length=0}var rl=gt.ReactCurrentDispatcher,Be=gt.ReactCurrentBatchConfig,Fn=0,le=null,ge=null,fe=null,Nl=!1,tr=!1,gr=0,mp=0;function ve(){throw Error(E(321))}function iu(e,t){if(t===null)return!1;for(var n=0;nn?n:4,e(!0);var r=Be.transition;Be.transition={};try{e(!1),t()}finally{Q=n,Be.transition=r}}function Lc(){return ot().memoizedState}function yp(e,t,n){var r=Rt(e);n={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null},zc(e)?Oc(t,n):(Mc(e,t,n),n=ke(),e=He(e,r,n),e!==null&&Ac(e,t,r))}function wp(e,t,n){var r=Rt(e),l={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null};if(zc(e))Oc(t,l);else{Mc(e,t,l);var i=e.alternate;if(e.lanes===0&&(i===null||i.lanes===0)&&(i=t.lastRenderedReducer,i!==null))try{var o=t.lastRenderedState,u=i(o,n);if(l.hasEagerState=!0,l.eagerState=u,it(u,o))return}catch{}finally{}n=ke(),e=He(e,r,n),e!==null&&Ac(e,t,r)}}function zc(e){var t=e.alternate;return e===le||t!==null&&t===le}function Oc(e,t){tr=Nl=!0;var n=e.pending;n===null?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function Mc(e,t,n){ae!==null&&(e.mode&1)!==0&&(W&2)===0?(e=t.interleaved,e===null?(n.next=n,tt===null?tt=[t]:tt.push(t)):(n.next=e.next,e.next=n),t.interleaved=n):(e=t.pending,e===null?n.next=n:(n.next=e.next,e.next=n),t.pending=n)}function Ac(e,t,n){if((n&4194240)!==0){var r=t.lanes;r&=e.pendingLanes,n|=r,t.lanes=n,$o(e,n)}}var Pl={readContext:Qe,useCallback:ve,useContext:ve,useEffect:ve,useImperativeHandle:ve,useInsertionEffect:ve,useLayoutEffect:ve,useMemo:ve,useReducer:ve,useRef:ve,useState:ve,useDebugValue:ve,useDeferredValue:ve,useTransition:ve,useMutableSource:ve,useSyncExternalStore:ve,useId:ve,unstable_isNewReconciler:!1},Sp={readContext:Qe,useCallback:function(e,t){return st().memoizedState=[e,t===void 0?null:t],e},useContext:Qe,useEffect:Ni,useImperativeHandle:function(e,t,n){return n=n!=null?n.concat([e]):null,ll(4194308,4,Fc.bind(null,t,e),n)},useLayoutEffect:function(e,t){return ll(4194308,4,e,t)},useInsertionEffect:function(e,t){return ll(4,2,e,t)},useMemo:function(e,t){var n=st();return t=t===void 0?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var r=st();return t=n!==void 0?n(t):t,r.memoizedState=r.baseState=t,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},r.queue=e,e=e.dispatch=yp.bind(null,le,e),[r.memoizedState,e]},useRef:function(e){var t=st();return e={current:e},t.memoizedState=e},useState:Ci,useDebugValue:su,useDeferredValue:function(e){var t=Ci(e),n=t[0],r=t[1];return Ni(function(){var l=Be.transition;Be.transition={};try{r(e)}finally{Be.transition=l}},[e]),n},useTransition:function(){var e=Ci(!1),t=e[0];return e=gp.bind(null,e[1]),st().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var r=le,l=st();if(b){if(n===void 0)throw Error(E(407));n=n()}else{if(n=t(),ae===null)throw Error(E(349));(Fn&30)!==0||kc(r,t,n)}l.memoizedState=n;var i={value:n,getSnapshot:t};return l.queue=i,Ni(Ec.bind(null,r,i,e),[e]),r.flags|=2048,yr(9,xc.bind(null,r,i,n,t),void 0,null),n},useId:function(){var e=st(),t=ae.identifierPrefix;if(b){var n=dt,r=ft;n=(r&~(1<<32-Je(r)-1)).toString(32)+n,t=":"+t+"R"+n,n=gr++,0<\/script>",e=e.removeChild(e.firstChild)):typeof r.is=="string"?e=o.createElement(n,{is:r.is}):(e=o.createElement(n),n==="select"&&(o=e,r.multiple?o.multiple=!0:r.size&&(o.size=r.size))):e=o.createElementNS(e,n),e[et]=t,e[hr]=r,jc(e,t,!1,!1),t.stateNode=e;e:{switch(o=qi(n,r),n){case"dialog":Z("cancel",e),Z("close",e),l=r;break;case"iframe":case"object":case"embed":Z("load",e),l=r;break;case"video":case"audio":for(l=0;lTn&&(t.flags|=128,r=!0,Bn(i,!1),t.lanes=4194304)}else{if(!r)if(e=Cl(o),e!==null){if(t.flags|=128,r=!0,n=e.updateQueue,n!==null&&(t.updateQueue=n,t.flags|=4),Bn(i,!0),i.tail===null&&i.tailMode==="hidden"&&!o.alternate&&!b)return me(t),null}else 2*ue()-i.renderingStartTime>Tn&&n!==1073741824&&(t.flags|=128,r=!0,Bn(i,!1),t.lanes=4194304);i.isBackwards?(o.sibling=t.child,t.child=o):(n=i.last,n!==null?n.sibling=o:t.child=o,i.last=o)}return i.tail!==null?(t=i.tail,i.rendering=t,i.tail=t.sibling,i.renderingStartTime=ue(),t.sibling=null,n=te.current,X(te,r?n&1|2:n&1),t):(me(t),null);case 22:case 23:return hu(),r=t.memoizedState!==null,e!==null&&e.memoizedState!==null!==r&&(t.flags|=8192),r&&(t.mode&1)!==0?(Re&1073741824)!==0&&(me(t),t.subtreeFlags&6&&(t.flags|=8192)):me(t),null;case 24:return null;case 25:return null}throw Error(E(156,t.tag))}var Cp=gt.ReactCurrentOwner,Le=!1;function Se(e,t,n,r){t.child=e===null?gc(t,null,n,r):Nn(t,e.child,n,r)}function _s(e,t,n,r,l){n=n.render;var i=t.ref;return kn(t,l),r=ou(e,t,n,r,i,l),n=uu(),e!==null&&!Le?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~l,mt(e,t,l)):(b&&n&&bo(t),t.flags|=1,Se(e,t,r,l),t.child)}function Cs(e,t,n,r,l){if(e===null){var i=n.type;return typeof i=="function"&&!mu(i)&&i.defaultProps===void 0&&n.compare===null&&n.defaultProps===void 0?(t.tag=15,t.type=i,Bc(e,t,i,r,l)):(e=ul(n.type,null,r,t,t.mode,l),e.ref=t.ref,e.return=t,t.child=e)}if(i=e.child,(e.lanes&l)===0){var o=i.memoizedProps;if(n=n.compare,n=n!==null?n:fr,n(o,r)&&e.ref===t.ref)return mt(e,t,l)}return t.flags|=1,e=Ot(i,r),e.ref=t.ref,e.return=t,t.child=e}function Bc(e,t,n,r,l){if(e!==null&&fr(e.memoizedProps,r)&&e.ref===t.ref)if(Le=!1,(e.lanes&l)!==0)(e.flags&131072)!==0&&(Le=!0);else return t.lanes=e.lanes,mt(e,t,l);return vo(e,t,n,r,l)}function Wc(e,t,n){var r=t.pendingProps,l=r.children,i=e!==null?e.memoizedState:null;if(r.mode==="hidden")if((t.mode&1)===0)t.memoizedState={baseLanes:0,cachePool:null},X(hn,Re),Re|=n;else if((n&1073741824)!==0)t.memoizedState={baseLanes:0,cachePool:null},r=i!==null?i.baseLanes:n,X(hn,Re),Re|=r;else return e=i!==null?i.baseLanes|n:n,t.lanes=t.childLanes=1073741824,t.memoizedState={baseLanes:e,cachePool:null},t.updateQueue=null,X(hn,Re),Re|=e,null;else i!==null?(r=i.baseLanes|n,t.memoizedState=null):r=n,X(hn,Re),Re|=r;return Se(e,t,l,n),t.child}function Hc(e,t){var n=t.ref;(e===null&&n!==null||e!==null&&e.ref!==n)&&(t.flags|=512,t.flags|=2097152)}function vo(e,t,n,r,l){var i=De(n)?Yt:ye.current;return i=_n(t,i),kn(t,l),n=ou(e,t,n,r,i,l),r=uu(),e!==null&&!Le?(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~l,mt(e,t,l)):(b&&r&&bo(t),t.flags|=1,Se(e,t,n,l),t.child)}function Ns(e,t,n,r,l){if(De(n)){var i=!0;wl(t)}else i=!1;if(kn(t,l),t.stateNode===null)e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2),pc(t,n,r),ao(t,n,r,l),r=!0;else if(e===null){var o=t.stateNode,u=t.memoizedProps;o.props=u;var s=o.context,a=n.contextType;typeof a=="object"&&a!==null?a=Qe(a):(a=De(n)?Yt:ye.current,a=_n(t,a));var p=n.getDerivedStateFromProps,m=typeof p=="function"||typeof o.getSnapshotBeforeUpdate=="function";m||typeof o.UNSAFE_componentWillReceiveProps!="function"&&typeof o.componentWillReceiveProps!="function"||(u!==r||s!==a)&&gs(t,o,r,a),kt=!1;var f=t.memoizedState;o.state=f,xl(t,r,o,l),s=t.memoizedState,u!==r||f!==s||Fe.current||kt?(typeof p=="function"&&(so(t,n,p,r),s=t.memoizedState),(u=kt||ms(t,n,u,r,f,s,a))?(m||typeof o.UNSAFE_componentWillMount!="function"&&typeof o.componentWillMount!="function"||(typeof o.componentWillMount=="function"&&o.componentWillMount(),typeof o.UNSAFE_componentWillMount=="function"&&o.UNSAFE_componentWillMount()),typeof o.componentDidMount=="function"&&(t.flags|=4194308)):(typeof o.componentDidMount=="function"&&(t.flags|=4194308),t.memoizedProps=r,t.memoizedState=s),o.props=r,o.state=s,o.context=a,r=u):(typeof o.componentDidMount=="function"&&(t.flags|=4194308),r=!1)}else{o=t.stateNode,fc(e,t),u=t.memoizedProps,a=t.type===t.elementType?u:Ge(t.type,u),o.props=a,m=t.pendingProps,f=o.context,s=n.contextType,typeof s=="object"&&s!==null?s=Qe(s):(s=De(n)?Yt:ye.current,s=_n(t,s));var w=n.getDerivedStateFromProps;(p=typeof w=="function"||typeof o.getSnapshotBeforeUpdate=="function")||typeof o.UNSAFE_componentWillReceiveProps!="function"&&typeof o.componentWillReceiveProps!="function"||(u!==m||f!==s)&&gs(t,o,r,s),kt=!1,f=t.memoizedState,o.state=f,xl(t,r,o,l);var g=t.memoizedState;u!==m||f!==g||Fe.current||kt?(typeof w=="function"&&(so(t,n,w,r),g=t.memoizedState),(a=kt||ms(t,n,a,r,f,g,s)||!1)?(p||typeof o.UNSAFE_componentWillUpdate!="function"&&typeof o.componentWillUpdate!="function"||(typeof o.componentWillUpdate=="function"&&o.componentWillUpdate(r,g,s),typeof o.UNSAFE_componentWillUpdate=="function"&&o.UNSAFE_componentWillUpdate(r,g,s)),typeof o.componentDidUpdate=="function"&&(t.flags|=4),typeof o.getSnapshotBeforeUpdate=="function"&&(t.flags|=1024)):(typeof o.componentDidUpdate!="function"||u===e.memoizedProps&&f===e.memoizedState||(t.flags|=4),typeof o.getSnapshotBeforeUpdate!="function"||u===e.memoizedProps&&f===e.memoizedState||(t.flags|=1024),t.memoizedProps=r,t.memoizedState=g),o.props=r,o.state=g,o.context=s,r=a):(typeof o.componentDidUpdate!="function"||u===e.memoizedProps&&f===e.memoizedState||(t.flags|=4),typeof o.getSnapshotBeforeUpdate!="function"||u===e.memoizedProps&&f===e.memoizedState||(t.flags|=1024),r=!1)}return mo(e,t,n,r,i,l)}function mo(e,t,n,r,l,i){Hc(e,t);var o=(t.flags&128)!==0;if(!r&&!o)return l&&ps(t,n,!1),mt(e,t,i);r=t.stateNode,Cp.current=t;var u=o&&typeof n.getDerivedStateFromError!="function"?null:r.render();return t.flags|=1,e!==null&&o?(t.child=Nn(t,e.child,null,i),t.child=Nn(t,null,u,i)):Se(e,t,u,i),t.memoizedState=r.state,l&&ps(t,n,!0),t.child}function Qc(e){var t=e.stateNode;t.pendingContext?ds(e,t.pendingContext,t.pendingContext!==t.context):t.context&&ds(e,t.context,!1),nu(e,t.containerInfo)}function Ps(e,t,n,r,l){return Cn(),tu(l),t.flags|=256,Se(e,t,n,r),t.child}var Qr={dehydrated:null,treeContext:null,retryLane:0};function qr(e){return{baseLanes:e,cachePool:null}}function qc(e,t,n){var r=t.pendingProps,l=te.current,i=!1,o=(t.flags&128)!==0,u;if((u=o)||(u=e!==null&&e.memoizedState===null?!1:(l&2)!==0),u?(i=!0,t.flags&=-129):(e===null||e.memoizedState!==null)&&(l|=1),X(te,l&1),e===null)return fo(t),e=t.memoizedState,e!==null&&(e=e.dehydrated,e!==null)?((t.mode&1)===0?t.lanes=1:e.data==="$!"?t.lanes=8:t.lanes=1073741824,null):(l=r.children,e=r.fallback,i?(r=t.mode,i=t.child,l={mode:"hidden",children:l},(r&1)===0&&i!==null?(i.childLanes=0,i.pendingProps=l):i=zl(l,r,0,null),e=Kt(e,r,n,null),i.return=t,e.return=t,i.sibling=e,t.child=i,t.child.memoizedState=qr(n),t.memoizedState=Qr,e):go(t,l));if(l=e.memoizedState,l!==null){if(u=l.dehydrated,u!==null){if(o)return t.flags&256?(t.flags&=-257,Kr(e,t,n,Error(E(422)))):t.memoizedState!==null?(t.child=e.child,t.flags|=128,null):(i=r.fallback,l=t.mode,r=zl({mode:"visible",children:r.children},l,0,null),i=Kt(i,l,n,null),i.flags|=2,r.return=t,i.return=t,r.sibling=i,t.child=r,(t.mode&1)!==0&&Nn(t,e.child,null,n),t.child.memoizedState=qr(n),t.memoizedState=Qr,i);if((t.mode&1)===0)t=Kr(e,t,n,null);else if(u.data==="$!")t=Kr(e,t,n,Error(E(419)));else if(r=(n&e.childLanes)!==0,Le||r){if(r=ae,r!==null){switch(n&-n){case 4:i=2;break;case 16:i=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:i=32;break;case 536870912:i=268435456;break;default:i=0}r=(i&(r.suspendedLanes|n))!==0?0:i,r!==0&&r!==l.retryLane&&(l.retryLane=r,He(e,r,-1))}vu(),t=Kr(e,t,n,Error(E(421)))}else u.data==="$?"?(t.flags|=128,t.child=e.child,t=Ip.bind(null,e),u._reactRetry=t,t=null):(n=l.treeContext,Ne=ct(u.nextSibling),ze=t,b=!0,Xe=null,n!==null&&(je[Ue++]=ft,je[Ue++]=dt,je[Ue++]=Gt,ft=n.id,dt=n.overflow,Gt=t),t=go(t,t.pendingProps.children),t.flags|=4096);return t}return i?(r=Ds(e,t,r.children,r.fallback,n),i=t.child,l=e.child.memoizedState,i.memoizedState=l===null?qr(n):{baseLanes:l.baseLanes|n,cachePool:null},i.childLanes=e.childLanes&~n,t.memoizedState=Qr,r):(n=Fs(e,t,r.children,n),t.memoizedState=null,n)}return i?(r=Ds(e,t,r.children,r.fallback,n),i=t.child,l=e.child.memoizedState,i.memoizedState=l===null?qr(n):{baseLanes:l.baseLanes|n,cachePool:null},i.childLanes=e.childLanes&~n,t.memoizedState=Qr,r):(n=Fs(e,t,r.children,n),t.memoizedState=null,n)}function go(e,t){return t=zl({mode:"visible",children:t},e.mode,0,null),t.return=e,e.child=t}function Fs(e,t,n,r){var l=e.child;return e=l.sibling,n=Ot(l,{mode:"visible",children:n}),(t.mode&1)===0&&(n.lanes=r),n.return=t,n.sibling=null,e!==null&&(r=t.deletions,r===null?(t.deletions=[e],t.flags|=16):r.push(e)),t.child=n}function Ds(e,t,n,r,l){var i=t.mode;e=e.child;var o=e.sibling,u={mode:"hidden",children:n};return(i&1)===0&&t.child!==e?(n=t.child,n.childLanes=0,n.pendingProps=u,t.deletions=null):(n=Ot(e,u),n.subtreeFlags=e.subtreeFlags&14680064),o!==null?r=Ot(o,r):(r=Kt(r,i,l,null),r.flags|=2),r.return=t,n.return=t,n.sibling=r,t.child=n,r}function Kr(e,t,n,r){return r!==null&&tu(r),Nn(t,e.child,null,n),e=go(t,t.pendingProps.children),e.flags|=2,t.memoizedState=null,e}function Ts(e,t,n){e.lanes|=t;var r=e.alternate;r!==null&&(r.lanes|=t),uo(e.return,t,n)}function Pi(e,t,n,r,l){var i=e.memoizedState;i===null?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailMode:l}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=r,i.tail=n,i.tailMode=l)}function Kc(e,t,n){var r=t.pendingProps,l=r.revealOrder,i=r.tail;if(Se(e,t,r.children,n),r=te.current,(r&2)!==0)r=r&1|2,t.flags|=128;else{if(e!==null&&(e.flags&128)!==0)e:for(e=t.child;e!==null;){if(e.tag===13)e.memoizedState!==null&&Ts(e,n,t);else if(e.tag===19)Ts(e,n,t);else if(e.child!==null){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;e.sibling===null;){if(e.return===null||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(X(te,r),(t.mode&1)===0)t.memoizedState=null;else switch(l){case"forwards":for(n=t.child,l=null;n!==null;)e=n.alternate,e!==null&&Cl(e)===null&&(l=n),n=n.sibling;n=l,n===null?(l=t.child,t.child=null):(l=n.sibling,n.sibling=null),Pi(t,!1,l,n,i);break;case"backwards":for(n=null,l=t.child,t.child=null;l!==null;){if(e=l.alternate,e!==null&&Cl(e)===null){t.child=l;break}e=l.sibling,l.sibling=n,n=l,l=e}Pi(t,!0,n,null,i);break;case"together":Pi(t,!1,null,null,void 0);break;default:t.memoizedState=null}return t.child}function mt(e,t,n){if(e!==null&&(t.dependencies=e.dependencies),Dn|=t.lanes,(n&t.childLanes)===0)return null;if(e!==null&&t.child!==e.child)throw Error(E(153));if(t.child!==null){for(e=t.child,n=Ot(e,e.pendingProps),t.child=n,n.return=t;e.sibling!==null;)e=e.sibling,n=n.sibling=Ot(e,e.pendingProps),n.return=t;n.sibling=null}return t.child}function Np(e,t,n){switch(t.tag){case 3:Qc(t),Cn();break;case 5:yc(t);break;case 1:De(t.type)&&wl(t);break;case 4:nu(t,t.stateNode.containerInfo);break;case 10:var r=t.type._context,l=t.memoizedProps.value;X(Sl,r._currentValue),r._currentValue=l;break;case 13:if(r=t.memoizedState,r!==null)return r.dehydrated!==null?(X(te,te.current&1),t.flags|=128,null):(n&t.child.childLanes)!==0?qc(e,t,n):(X(te,te.current&1),e=mt(e,t,n),e!==null?e.sibling:null);X(te,te.current&1);break;case 19:if(r=(n&t.childLanes)!==0,(e.flags&128)!==0){if(r)return Kc(e,t,n);t.flags|=128}if(l=t.memoizedState,l!==null&&(l.rendering=null,l.tail=null,l.lastEffect=null),X(te,te.current),r)break;return null;case 22:case 23:return t.lanes=0,Wc(e,t,n)}return mt(e,t,n)}function Pp(e,t){switch(eu(t),t.tag){case 1:return De(t.type)&&yl(),e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 3:return Pn(),J(Fe),J(ye),lu(),e=t.flags,(e&65536)!==0&&(e&128)===0?(t.flags=e&-65537|128,t):null;case 5:return ru(t),null;case 13:if(J(te),e=t.memoizedState,e!==null&&e.dehydrated!==null){if(t.alternate===null)throw Error(E(340));Cn()}return e=t.flags,e&65536?(t.flags=e&-65537|128,t):null;case 19:return J(te),null;case 4:return Pn(),null;case 10:return Zo(t.type._context),null;case 22:case 23:return hu(),null;case 24:return null;default:return null}}var Yr=!1,Ht=!1,Fp=typeof WeakSet=="function"?WeakSet:Set,F=null;function Fl(e,t){var n=e.ref;if(n!==null)if(typeof n=="function")try{n(null)}catch(r){Pe(e,t,r)}else n.current=null}function yo(e,t,n){try{n()}catch(r){Pe(e,t,r)}}var Rs=!1;function Dp(e,t){if(e=ec(),Yo(e)){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{n=(n=e.ownerDocument)&&n.defaultView||window;var r=n.getSelection&&n.getSelection();if(r&&r.rangeCount!==0){n=r.anchorNode;var l=r.anchorOffset,i=r.focusNode;r=r.focusOffset;try{n.nodeType,i.nodeType}catch{n=null;break e}var o=0,u=-1,s=-1,a=0,p=0,m=e,f=null;t:for(;;){for(var w;m!==n||l!==0&&m.nodeType!==3||(u=o+l),m!==i||r!==0&&m.nodeType!==3||(s=o+r),m.nodeType===3&&(o+=m.nodeValue.length),(w=m.firstChild)!==null;)f=m,m=w;for(;;){if(m===e)break t;if(f===n&&++a===l&&(u=o),f===i&&++p===r&&(s=o),(w=m.nextSibling)!==null)break;m=f,f=m.parentNode}m=w}n=u===-1||s===-1?null:{start:u,end:s}}else n=null}n=n||{start:0,end:0}}else n=null;for(no={focusedElem:e,selectionRange:n},F=t;F!==null;)if(t=F,e=t.child,(t.subtreeFlags&1028)!==0&&e!==null)e.return=t,F=e;else for(;F!==null;){t=F;try{var g=t.alternate;if((t.flags&1024)!==0)switch(t.tag){case 0:case 11:case 15:break;case 1:if(g!==null){var _=g.memoizedProps,M=g.memoizedState,d=t.stateNode,c=d.getSnapshotBeforeUpdate(t.elementType===t.type?_:Ge(t.type,_),M);d.__reactInternalSnapshotBeforeUpdate=c}break;case 3:var h=t.stateNode.containerInfo;if(h.nodeType===1)h.textContent="";else if(h.nodeType===9){var k=h.body;k!=null&&(k.textContent="")}break;case 5:case 6:case 4:case 17:break;default:throw Error(E(163))}}catch(x){Pe(t,t.return,x)}if(e=t.sibling,e!==null){e.return=t.return,F=e;break}F=t.return}return g=Rs,Rs=!1,g}function Sr(e,t,n){var r=t.updateQueue;if(r=r!==null?r.lastEffect:null,r!==null){var l=r=r.next;do{if((l.tag&e)===e){var i=l.destroy;l.destroy=void 0,i!==void 0&&yo(t,n,i)}l=l.next}while(l!==r)}}function Gl(e,t){if(t=t.updateQueue,t=t!==null?t.lastEffect:null,t!==null){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function wo(e){var t=e.ref;if(t!==null){var n=e.stateNode;switch(e.tag){case 5:e=n;break;default:e=n}typeof t=="function"?t(e):t.current=e}}function Ls(e,t,n){if(rt&&typeof rt.onCommitFiberUnmount=="function")try{rt.onCommitFiberUnmount($l,t)}catch{}switch(t.tag){case 0:case 11:case 14:case 15:if(e=t.updateQueue,e!==null&&(e=e.lastEffect,e!==null)){var r=e=e.next;do{var l=r,i=l.destroy;l=l.tag,i!==void 0&&((l&2)!==0||(l&4)!==0)&&yo(t,n,i),r=r.next}while(r!==e)}break;case 1:if(Fl(t,n),e=t.stateNode,typeof e.componentWillUnmount=="function")try{e.props=t.memoizedProps,e.state=t.memoizedState,e.componentWillUnmount()}catch(o){Pe(t,n,o)}break;case 5:Fl(t,n);break;case 4:Xc(e,t,n)}}function Yc(e){var t=e.alternate;t!==null&&(e.alternate=null,Yc(t)),e.child=null,e.deletions=null,e.sibling=null,e.tag===5&&(t=e.stateNode,t!==null&&(delete t[et],delete t[hr],delete t[io],delete t[dp],delete t[pp])),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function Gc(e){return e.tag===5||e.tag===3||e.tag===4}function zs(e){e:for(;;){for(;e.sibling===null;){if(e.return===null||Gc(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;e.tag!==5&&e.tag!==6&&e.tag!==18;){if(e.flags&2||e.child===null||e.tag===4)continue e;e.child.return=e,e=e.child}if(!(e.flags&2))return e.stateNode}}function Os(e){e:{for(var t=e.return;t!==null;){if(Gc(t))break e;t=t.return}throw Error(E(160))}var n=t;switch(n.tag){case 5:t=n.stateNode,n.flags&32&&(ir(t,""),n.flags&=-33),n=zs(e),ko(e,n,t);break;case 3:case 4:t=n.stateNode.containerInfo,n=zs(e),So(e,n,t);break;default:throw Error(E(161))}}function So(e,t,n){var r=e.tag;if(r===5||r===6)e=e.stateNode,t?n.nodeType===8?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(n.nodeType===8?(t=n.parentNode,t.insertBefore(e,n)):(t=n,t.appendChild(e)),n=n._reactRootContainer,n!=null||t.onclick!==null||(t.onclick=gl));else if(r!==4&&(e=e.child,e!==null))for(So(e,t,n),e=e.sibling;e!==null;)So(e,t,n),e=e.sibling}function ko(e,t,n){var r=e.tag;if(r===5||r===6)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(r!==4&&(e=e.child,e!==null))for(ko(e,t,n),e=e.sibling;e!==null;)ko(e,t,n),e=e.sibling}function Xc(e,t,n){for(var r=t,l=!1,i,o;;){if(!l){l=r.return;e:for(;;){if(l===null)throw Error(E(160));switch(i=l.stateNode,l.tag){case 5:o=!1;break e;case 3:i=i.containerInfo,o=!0;break e;case 4:i=i.containerInfo,o=!0;break e}l=l.return}l=!0}if(r.tag===5||r.tag===6){e:for(var u=e,s=r,a=n,p=s;;)if(Ls(u,p,a),p.child!==null&&p.tag!==4)p.child.return=p,p=p.child;else{if(p===s)break e;for(;p.sibling===null;){if(p.return===null||p.return===s)break e;p=p.return}p.sibling.return=p.return,p=p.sibling}o?(u=i,s=r.stateNode,u.nodeType===8?u.parentNode.removeChild(s):u.removeChild(s)):i.removeChild(r.stateNode)}else if(r.tag===18)o?(u=i,s=r.stateNode,u.nodeType===8?xi(u.parentNode,s):u.nodeType===1&&xi(u,s),ar(u)):xi(i,r.stateNode);else if(r.tag===4){if(r.child!==null){i=r.stateNode.containerInfo,o=!0,r.child.return=r,r=r.child;continue}}else if(Ls(e,r,n),r.child!==null){r.child.return=r,r=r.child;continue}if(r===t)break;for(;r.sibling===null;){if(r.return===null||r.return===t)return;r=r.return,r.tag===4&&(l=!1)}r.sibling.return=r.return,r=r.sibling}}function Fi(e,t){switch(t.tag){case 0:case 11:case 14:case 15:Sr(3,t,t.return),Gl(3,t),Sr(5,t,t.return);return;case 1:return;case 5:var n=t.stateNode;if(n!=null){var r=t.memoizedProps,l=e!==null?e.memoizedProps:r;e=t.type;var i=t.updateQueue;if(t.updateQueue=null,i!==null){for(e==="input"&&r.type==="radio"&&r.name!=null&&xa(n,r),qi(e,l),t=qi(e,r),l=0;ll&&(l=o),r&=~i}if(r=l,r=ue()-r,r=(120>r?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*Lp(r/1960))-r,10e?16:e,Ct===null)var r=!1;else{if(e=Ct,Ct=null,Rl=0,(W&6)!==0)throw Error(E(331));var l=W;for(W|=4,F=e.current;F!==null;){var i=F,o=i.child;if((F.flags&16)!==0){var u=i.deletions;if(u!==null){for(var s=0;sue()-du?qt(e,0):fu|=n),Te(e,t)}function rf(e,t){t===0&&((e.mode&1)===0?t=1:(t=Ar,Ar<<=1,(Ar&130023424)===0&&(Ar=4194304)));var n=ke();e=Zl(e,t),e!==null&&(Er(e,t,n),Te(e,n))}function Ip(e){var t=e.memoizedState,n=0;t!==null&&(n=t.retryLane),rf(e,n)}function jp(e,t){var n=0;switch(e.tag){case 13:var r=e.stateNode,l=e.memoizedState;l!==null&&(n=l.retryLane);break;case 19:r=e.stateNode;break;default:throw Error(E(314))}r!==null&&r.delete(t),rf(e,n)}var lf;lf=function(e,t,n){if(e!==null)if(e.memoizedProps!==t.pendingProps||Fe.current)Le=!0;else{if((e.lanes&n)===0&&(t.flags&128)===0)return Le=!1,Np(e,t,n);Le=(e.flags&131072)!==0}else Le=!1,b&&(t.flags&1048576)!==0&&hc(t,_l,t.index);switch(t.lanes=0,t.tag){case 2:var r=t.type;e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2),e=t.pendingProps;var l=_n(t,ye.current);kn(t,n),l=ou(null,t,r,e,l,n);var i=uu();return t.flags|=1,typeof l=="object"&&l!==null&&typeof l.render=="function"&&l.$$typeof===void 0?(t.tag=1,t.memoizedState=null,t.updateQueue=null,De(r)?(i=!0,wl(t)):i=!1,t.memoizedState=l.state!==null&&l.state!==void 0?l.state:null,Jo(t),l.updater=Kl,t.stateNode=l,l._reactInternals=t,ao(t,r,e,n),t=mo(null,t,r,!0,i,n)):(t.tag=0,b&&i&&bo(t),Se(null,t,l,n),t=t.child),t;case 16:r=t.elementType;e:{switch(e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2),e=t.pendingProps,l=r._init,r=l(r._payload),t.type=r,l=t.tag=$p(r),e=Ge(r,e),l){case 0:t=vo(null,t,r,e,n);break e;case 1:t=Ns(null,t,r,e,n);break e;case 11:t=_s(null,t,r,e,n);break e;case 14:t=Cs(null,t,r,Ge(r.type,e),n);break e}throw Error(E(306,r,""))}return t;case 0:return r=t.type,l=t.pendingProps,l=t.elementType===r?l:Ge(r,l),vo(e,t,r,l,n);case 1:return r=t.type,l=t.pendingProps,l=t.elementType===r?l:Ge(r,l),Ns(e,t,r,l,n);case 3:e:{if(Qc(t),e===null)throw Error(E(387));r=t.pendingProps,i=t.memoizedState,l=i.element,fc(e,t),xl(t,r,null,n);var o=t.memoizedState;if(r=o.element,i.isDehydrated)if(i={element:r,isDehydrated:!1,cache:o.cache,transitions:o.transitions},t.updateQueue.baseState=i,t.memoizedState=i,t.flags&256){l=Error(E(423)),t=Ps(e,t,r,n,l);break e}else if(r!==l){l=Error(E(424)),t=Ps(e,t,r,n,l);break e}else for(Ne=ct(t.stateNode.containerInfo.firstChild),ze=t,b=!0,Xe=null,n=gc(t,null,r,n),t.child=n;n;)n.flags=n.flags&-3|4096,n=n.sibling;else{if(Cn(),r===l){t=mt(e,t,n);break e}Se(e,t,r,n)}t=t.child}return t;case 5:return yc(t),e===null&&fo(t),r=t.type,l=t.pendingProps,i=e!==null?e.memoizedProps:null,o=l.children,ro(r,l)?o=null:i!==null&&ro(r,i)&&(t.flags|=32),Hc(e,t),Se(e,t,o,n),t.child;case 6:return e===null&&fo(t),null;case 13:return qc(e,t,n);case 4:return nu(t,t.stateNode.containerInfo),r=t.pendingProps,e===null?t.child=Nn(t,null,r,n):Se(e,t,r,n),t.child;case 11:return r=t.type,l=t.pendingProps,l=t.elementType===r?l:Ge(r,l),_s(e,t,r,l,n);case 7:return Se(e,t,t.pendingProps,n),t.child;case 8:return Se(e,t,t.pendingProps.children,n),t.child;case 12:return Se(e,t,t.pendingProps.children,n),t.child;case 10:e:{if(r=t.type._context,l=t.pendingProps,i=t.memoizedProps,o=l.value,X(Sl,r._currentValue),r._currentValue=o,i!==null)if(it(i.value,o)){if(i.children===l.children&&!Fe.current){t=mt(e,t,n);break e}}else for(i=t.child,i!==null&&(i.return=t);i!==null;){var u=i.dependencies;if(u!==null){o=i.child;for(var s=u.firstContext;s!==null;){if(s.context===r){if(i.tag===1){s=pt(-1,n&-n),s.tag=2;var a=i.updateQueue;if(a!==null){a=a.shared;var p=a.pending;p===null?s.next=s:(s.next=p.next,p.next=s),a.pending=s}}i.lanes|=n,s=i.alternate,s!==null&&(s.lanes|=n),uo(i.return,n,t),u.lanes|=n;break}s=s.next}}else if(i.tag===10)o=i.type===t.type?null:i.child;else if(i.tag===18){if(o=i.return,o===null)throw Error(E(341));o.lanes|=n,u=o.alternate,u!==null&&(u.lanes|=n),uo(o,n,t),o=i.sibling}else o=i.child;if(o!==null)o.return=i;else for(o=i;o!==null;){if(o===t){o=null;break}if(i=o.sibling,i!==null){i.return=o.return,o=i;break}o=o.return}i=o}Se(e,t,l.children,n),t=t.child}return t;case 9:return l=t.type,r=t.pendingProps.children,kn(t,n),l=Qe(l),r=r(l),t.flags|=1,Se(e,t,r,n),t.child;case 14:return r=t.type,l=Ge(r,t.pendingProps),l=Ge(r.type,l),Cs(e,t,r,l,n);case 15:return Bc(e,t,t.type,t.pendingProps,n);case 17:return r=t.type,l=t.pendingProps,l=t.elementType===r?l:Ge(r,l),e!==null&&(e.alternate=null,t.alternate=null,t.flags|=2),t.tag=1,De(r)?(e=!0,wl(t)):e=!1,kn(t,n),pc(t,r,l),ao(t,r,l,n),mo(null,t,r,!0,e,n);case 19:return Kc(e,t,n);case 22:return Wc(e,t,n)}throw Error(E(156,t.tag))};function of(e,t){return Aa(e,t)}function Up(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function $e(e,t,n,r){return new Up(e,t,n,r)}function mu(e){return e=e.prototype,!(!e||!e.isReactComponent)}function $p(e){if(typeof e=="function")return mu(e)?1:0;if(e!=null){if(e=e.$$typeof,e===Vo)return 11;if(e===Io)return 14}return 2}function Ot(e,t){var n=e.alternate;return n===null?(n=$e(e.tag,t,e.key,e.mode),n.elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=e.flags&14680064,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=t===null?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function ul(e,t,n,r,l,i){var o=2;if(r=e,typeof e=="function")mu(e)&&(o=1);else if(typeof e=="string")o=5;else e:switch(e){case ln:return Kt(n.children,l,i,t);case Ao:o=8,l|=8;break;case Ai:return e=$e(12,n,t,l|2),e.elementType=Ai,e.lanes=i,e;case Vi:return e=$e(13,n,t,l),e.elementType=Vi,e.lanes=i,e;case Ii:return e=$e(19,n,t,l),e.elementType=Ii,e.lanes=i,e;case wa:return zl(n,l,i,t);default:if(typeof e=="object"&&e!==null)switch(e.$$typeof){case ga:o=10;break e;case ya:o=9;break e;case Vo:o=11;break e;case Io:o=14;break e;case St:o=16,r=null;break e}throw Error(E(130,e==null?e:typeof e,""))}return t=$e(o,n,t,l),t.elementType=e,t.type=r,t.lanes=i,t}function Kt(e,t,n,r){return e=$e(7,e,r,t),e.lanes=n,e}function zl(e,t,n,r){return e=$e(22,e,r,t),e.elementType=wa,e.lanes=n,e.stateNode={},e}function Di(e,t,n){return e=$e(6,e,null,t),e.lanes=n,e}function Ti(e,t,n){return t=$e(4,e.children!==null?e.children:[],e.key,t),t.lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function Bp(e,t,n,r,l){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=fi(0),this.expirationTimes=fi(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=fi(0),this.identifierPrefix=r,this.onRecoverableError=l,this.mutableSourceEagerHydrationData=null}function gu(e,t,n,r,l,i,o,u,s){return e=new Bp(e,t,n,u,s),t===1?(t=1,i===!0&&(t|=8)):t=0,i=$e(3,null,null,t),e.current=i,i.stateNode=e,i.memoizedState={element:r,isDehydrated:n,cache:null,transitions:null},Jo(i),e}function Wp(e,t,n){var r=3e.type==="checkbox",vn=e=>e instanceof Date,_e=e=>e==null;const ff=e=>typeof e=="object";var he=e=>!_e(e)&&!Array.isArray(e)&&ff(e)&&!vn(e),df=e=>he(e)&&e.target?Pr(e.target)?e.target.checked:e.target.value:e,Yp=e=>e.substring(0,e.search(/\.\d+(\.|$)/))||e,pf=(e,t)=>e.has(Yp(t)),ni=e=>Array.isArray(e)?e.filter(Boolean):[],re=e=>e===void 0,z=(e,t,n)=>{if(!t||!he(e))return n;const r=ni(t.split(/[,[\].]+?/)).reduce((l,i)=>_e(l)?l:l[i],e);return re(r)||r===e?re(e[t])?n:e[t]:r};const Ml={BLUR:"blur",FOCUS_OUT:"focusout",CHANGE:"change"},Ze={onBlur:"onBlur",onChange:"onChange",onSubmit:"onSubmit",onTouched:"onTouched",all:"all"},ut={max:"max",min:"min",maxLength:"maxLength",minLength:"minLength",pattern:"pattern",required:"required",validate:"validate"},Gp=q.createContext(null),ku=()=>q.useContext(Gp);var hf=(e,t,n,r=!0)=>{const l={};for(const i in e)Object.defineProperty(l,i,{get:()=>{const o=i;return t[o]!==Ze.all&&(t[o]=!r||Ze.all),n&&(n[o]=!0),e[o]}});return l},Ie=e=>he(e)&&!Object.keys(e).length,vf=(e,t,n)=>{const i=e,{name:r}=i,l=Tr(i,["name"]);return Ie(l)||Object.keys(l).length>=Object.keys(t).length||Object.keys(l).find(o=>t[o]===(!n||Ze.all))},sl=e=>Array.isArray(e)?e:[e],mf=(e,t,n)=>n&&t?e===t:!e||!t||e===t||sl(e).some(r=>r&&(r.startsWith(t)||t.startsWith(r)));function xu(e){const t=q.useRef(e);t.current=e,q.useEffect(()=>{const n=l=>{l&&l.unsubscribe()},r=!e.disabled&&t.current.subject.subscribe({next:t.current.callback});return()=>n(r)},[e.disabled])}function Xp(e){const t=ku(),{control:n=t.control,disabled:r,name:l,exact:i}=e||{},[o,u]=q.useState(n._formState),s=q.useRef({isDirty:!1,dirtyFields:!1,touchedFields:!1,isValidating:!1,isValid:!1,errors:!1}),a=q.useRef(l),p=q.useRef(!0);a.current=l;const m=q.useCallback(f=>p.current&&mf(a.current,f.name,i)&&vf(f,s.current)&&u(I(I({},n._formState),f)),[n,i]);return xu({disabled:r,callback:m,subject:n._subjects.state}),q.useEffect(()=>(p.current=!0,()=>{p.current=!1}),[]),hf(o,n._proxyFormState,s.current,!1)}var nt=e=>typeof e=="string",gf=(e,t,n,r)=>{const l=Array.isArray(e);return nt(e)?(r&&t.watch.add(e),z(n,e)):l?e.map(i=>(r&&t.watch.add(i),z(n,i))):(r&&(t.watchAll=!0),n)},ri=e=>typeof e=="function",Eu=e=>{for(const t in e)if(ri(e[t]))return!0;return!1};function Zp(e){const t=ku(),{control:n=t.control,name:r,defaultValue:l,disabled:i,exact:o}=e||{},u=q.useRef(r);u.current=r;const s=q.useCallback(m=>{if(mf(u.current,m.name,o)){const f=gf(u.current,n._names,m.values||n._formValues);p(re(u.current)||he(f)&&!Eu(f)?I({},f):Array.isArray(f)?[...f]:re(f)?l:f)}},[n,o,l]);xu({disabled:i,subject:n._subjects.watch,callback:s});const[a,p]=q.useState(re(l)?n._getWatch(r):l);return q.useEffect(()=>{n._removeUnmounted()}),a}function Jp(e){const t=ku(),{name:n,control:r=t.control,shouldUnregister:l}=e,i=pf(r._names.array,n),o=Zp({control:r,name:n,defaultValue:z(r._formValues,n,z(r._defaultValues,n,e.defaultValue)),exact:!0}),u=Xp({control:r,name:n}),s=q.useRef(r.register(n,Ye(I({},e.rules),{value:o})));return q.useEffect(()=>{const a=(p,m)=>{const f=z(r._fields,p);f&&(f._f.mount=m)};return a(n,!0),()=>{const p=r._options.shouldUnregister||l;(i?p&&!r._stateFlags.action:p)?r.unregister(n):a(n,!1)}},[n,r,i,l]),{field:{name:n,value:o,onChange:q.useCallback(a=>{s.current.onChange({target:{value:df(a),name:n},type:Ml.CHANGE})},[n]),onBlur:q.useCallback(()=>{s.current.onBlur({target:{value:z(r._formValues,n),name:n},type:Ml.BLUR})},[n,r]),ref:q.useCallback(a=>{const p=z(r._fields,n);a&&p&&a.focus&&(p._f.ref={focus:()=>a.focus(),setCustomValidity:m=>a.setCustomValidity(m),reportValidity:()=>a.reportValidity()})},[n,r._fields])},formState:u,fieldState:r.getFieldState(n,u)}}const Dh=e=>e.render(Jp(e));var bp=(e,t,n,r,l)=>t?Ye(I({},n[e]),{types:Ye(I({},n[e]&&n[e].types?n[e].types:{}),{[r]:l||!0})}):{},_u=e=>/^\w*$/.test(e),yf=e=>ni(e.replace(/["|']|\]/g,"").split(/\.|\[/));function oe(e,t,n){let r=-1;const l=_u(t)?[t]:yf(t),i=l.length,o=i-1;for(;++r{for(const l of n||Object.keys(e)){const i=z(e,l);if(i){const r=i,{_f:o}=r,u=Tr(r,["_f"]);if(o&&t(o.name)){if(o.ref.focus&&re(o.ref.focus()))break;if(o.refs){o.refs[0].focus();break}}else he(u)&&No(u,t)}}};var Hs=(e,t,n)=>!n&&(t.watchAll||t.watch.has(e)||[...t.watch].some(r=>e.startsWith(r)&&/^\.\w+/.test(e.slice(r.length))));function $t(e){let t;const n=Array.isArray(e);if(e instanceof Date)t=new Date(e);else if(e instanceof Set)t=new Set(e);else if(n||he(e)){t=n?[]:{};for(const r in e){if(ri(e[r])){t=e;break}t[r]=$t(e[r])}}else return e;return t}function Ri(){let e=[];return{get observers(){return e},next:l=>{for(const i of e)i.next(l)},subscribe:l=>(e.push(l),{unsubscribe:()=>{e=e.filter(i=>i!==l)}}),unsubscribe:()=>{e=[]}}}var Al=e=>_e(e)||!ff(e);function mn(e,t){if(Al(e)||Al(t))return e===t;if(vn(e)&&vn(t))return e.getTime()===t.getTime();const n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(const l of n){const i=e[l];if(!r.includes(l))return!1;if(l!=="ref"){const o=t[l];if(vn(i)&&vn(o)||he(i)&&he(o)||Array.isArray(i)&&Array.isArray(o)?!mn(i,o):i!==o)return!1}}return!0}var Qs=e=>({isOnSubmit:!e||e===Ze.onSubmit,isOnBlur:e===Ze.onBlur,isOnChange:e===Ze.onChange,isOnAll:e===Ze.all,isOnTouch:e===Ze.onTouched}),Vl=e=>typeof e=="boolean",Cu=e=>e.type==="file",Po=e=>e instanceof HTMLElement,wf=e=>e.type==="select-multiple",Nu=e=>e.type==="radio",eh=e=>Nu(e)||Pr(e),qs=typeof window!="undefined"&&typeof window.HTMLElement!="undefined"&&typeof document!="undefined",Li=e=>Po(e)&&e.isConnected;function th(e,t){const n=t.slice(0,-1).length;let r=0;for(;r0&&(i=e);++u!re(f)).length)&&(i?delete i[m]:delete e[m]),i=s}}return e}function Il(e,t={}){const n=Array.isArray(e);if(he(e)||n)for(const r in e)Array.isArray(e[r])||he(e[r])&&!Eu(e[r])?(t[r]=Array.isArray(e[r])?[]:{},Il(e[r],t[r])):_e(e[r])||(t[r]=!0);return t}function Sf(e,t,n){const r=Array.isArray(e);if(he(e)||r)for(const l in e)Array.isArray(e[l])||he(e[l])&&!Eu(e[l])?re(t)||Al(n[l])?n[l]=Array.isArray(e[l])?Il(e[l],[]):I({},Il(e[l])):Sf(e[l],_e(t)?{}:t[l],n[l]):n[l]=!mn(e[l],t[l]);return n}var Ks=(e,t)=>Sf(e,t,Il(t));const Ys={value:!1,isValid:!1},Gs={value:!0,isValid:!0};var kf=e=>{if(Array.isArray(e)){if(e.length>1){const t=e.filter(n=>n&&n.checked&&!n.disabled).map(n=>n.value);return{value:t,isValid:!!t.length}}return e[0].checked&&!e[0].disabled?e[0].attributes&&!re(e[0].attributes.value)?re(e[0].value)||e[0].value===""?Gs:{value:e[0].value,isValid:!0}:Gs:Ys}return Ys},xf=(e,{valueAsNumber:t,valueAsDate:n,setValueAs:r})=>re(e)?e:t?e===""?NaN:+e:n&&nt(e)?new Date(e):r?r(e):e;const Xs={isValid:!1,value:null};var Ef=e=>Array.isArray(e)?e.reduce((t,n)=>n&&n.checked&&!n.disabled?{isValid:!0,value:n.value}:t,Xs):Xs;function zi(e){const t=e.ref;if(!(e.refs?e.refs.every(n=>n.disabled):t.disabled))return Cu(t)?t.files:Nu(t)?Ef(e.refs).value:wf(t)?[...t.selectedOptions].map(({value:n})=>n):Pr(t)?kf(e.refs).value:xf(re(t.value)?e.ref.value:t.value,e)}var nh=(e,t,n,r)=>{const l={};for(const i of e){const o=z(t,i);o&&oe(l,i,o._f)}return{criteriaMode:n,names:[...e],fields:l,shouldUseNativeValidation:r}},jl=e=>e instanceof RegExp,Hn=e=>re(e)?void 0:jl(e)?e.source:he(e)?jl(e.value)?e.value.source:e.value:e,rh=e=>e.mount&&(e.required||e.min||e.max||e.maxLength||e.minLength||e.pattern||e.validate);function Zs(e,t,n){const r=z(e,n);if(r||_u(n))return{error:r,name:n};const l=n.split(".");for(;l.length;){const i=l.join("."),o=z(t,i),u=z(e,i);if(o&&!Array.isArray(o)&&n!==i)return{name:n};if(u&&u.type)return{name:i,error:u};l.pop()}return{name:n}}var lh=(e,t,n,r,l)=>l.isOnAll?!1:!n&&l.isOnTouch?!(t||e):(n?r.isOnBlur:l.isOnBlur)?!e:(n?r.isOnChange:l.isOnChange)?e:!0,ih=(e,t)=>!ni(z(e,t)).length&&we(e,t),al=e=>nt(e)||q.isValidElement(e);function Js(e,t,n="validate"){if(al(e)||Array.isArray(e)&&e.every(al)||Vl(e)&&!e)return{type:n,message:al(e)?e:"",ref:t}}var tn=e=>he(e)&&!jl(e)?e:{value:e,message:""},bs=async(e,t,n,r)=>{const{ref:l,refs:i,required:o,maxLength:u,minLength:s,min:a,max:p,pattern:m,validate:f,name:w,valueAsNumber:g,mount:_,disabled:M}=e._f;if(!_||M)return{};const d=i?i[0]:l,c=L=>{r&&d.reportValidity&&(d.setCustomValidity(Vl(L)?"":L||" "),d.reportValidity())},h={},k=Nu(l),x=Pr(l),N=k||x,P=(g||Cu(l))&&!l.value||t===""||Array.isArray(t)&&!t.length,T=bp.bind(null,w,n,h),B=(L,V,K,ee=ut.maxLength,ie=ut.minLength)=>{const be=L?V:K;h[w]=I({type:L?ee:ie,message:be,ref:l},T(L?ee:ie,be))};if(o&&(!N&&(P||_e(t))||Vl(t)&&!t||x&&!kf(i).isValid||k&&!Ef(i).isValid)){const{value:L,message:V}=al(o)?{value:!!o,message:o}:tn(o);if(L&&(h[w]=I({type:ut.required,message:V,ref:d},T(ut.required,V)),!n))return c(V),h}if(!P&&(!_e(a)||!_e(p))){let L,V;const K=tn(p),ee=tn(a);if(isNaN(t)){const ie=l.valueAsDate||new Date(t);nt(K.value)&&(L=ie>new Date(K.value)),nt(ee.value)&&(V=ieK.value),_e(ee.value)||(V=ieL.value,ee=!_e(V.value)&&t.length(...S)=>{clearTimeout(a),a=window.setTimeout(()=>v(...S),y)},d=async v=>{let y=!1;return m.isValid&&(y=t.resolver?Ie((await P()).errors):await B(r,!0),!v&&y!==n.isValid&&(n.isValid=y,f.state.next({isValid:y}))),y},c=(v,y=[],S,D,A=!0,C=!0)=>{if(D&&S){if(o.action=!0,C&&Array.isArray(z(r,v))){const O=S(z(r,v),D.argA,D.argB);A&&oe(r,v,O)}if(m.errors&&C&&Array.isArray(z(n.errors,v))){const O=S(z(n.errors,v),D.argA,D.argB);A&&oe(n.errors,v,O),ih(n.errors,v)}if(m.touchedFields&&C&&Array.isArray(z(n.touchedFields,v))){const O=S(z(n.touchedFields,v),D.argA,D.argB);A&&oe(n.touchedFields,v,O)}m.dirtyFields&&(n.dirtyFields=Ks(l,i)),f.state.next({isDirty:V(v,y),dirtyFields:n.dirtyFields,errors:n.errors,isValid:n.isValid})}else oe(i,v,y)},h=(v,y)=>(oe(n.errors,v,y),f.state.next({errors:n.errors})),k=(v,y,S,D)=>{const A=z(r,v);if(A){const C=z(i,v,re(S)?z(l,v):S);re(C)||D&&D.defaultChecked||y?oe(i,v,y?C:zi(A._f)):ie(v,C),o.mount&&d()}},x=(v,y,S,D,A)=>{let C=!1;const O={name:v},Y=z(n.touchedFields,v);if(m.isDirty){const Ve=n.isDirty;n.isDirty=O.isDirty=V(),C=Ve!==O.isDirty}if(m.dirtyFields&&(!S||D)){const Ve=z(n.dirtyFields,v);mn(z(l,v),y)?we(n.dirtyFields,v):oe(n.dirtyFields,v,!0),O.dirtyFields=n.dirtyFields,C=C||Ve!==z(n.dirtyFields,v)}return S&&!Y&&(oe(n.touchedFields,v,S),O.touchedFields=n.touchedFields,C=C||m.touchedFields&&Y!==S),C&&A&&f.state.next(O),C?O:{}},N=async(v,y,S,D,A)=>{const C=z(n.errors,y),O=m.isValid&&n.isValid!==S;if(e.delayError&&D?(s=s||M(h,e.delayError),s(y,D)):(clearTimeout(a),D?oe(n.errors,y,D):we(n.errors,y)),((D?!mn(C,D):C)||!Ie(A)||O)&&!v){const Y=Ye(I(I({},A),O?{isValid:S}:{}),{errors:n.errors,name:y});n=I(I({},n),Y),f.state.next(Y)}p[y]--,m.isValidating&&!Object.values(p).some(Y=>Y)&&(f.state.next({isValidating:!1}),p={})},P=async v=>t.resolver?await t.resolver(I({},i),t.context,nh(v||u.mount,r,t.criteriaMode,t.shouldUseNativeValidation)):{},T=async v=>{const{errors:y}=await P();if(v)for(const S of v){const D=z(y,S);D?oe(n.errors,S,D):we(n.errors,S)}else n.errors=y;return y},B=async(v,y,S={valid:!0})=>{for(const A in v){const C=v[A];if(C){const D=C,{_f:O}=D,Y=Tr(D,["_f"]);if(O){const Ve=await bs(C,z(i,O.name),_,t.shouldUseNativeValidation);if(Ve[O.name]&&(S.valid=!1,y))break;y||(Ve[O.name]?oe(n.errors,O.name,Ve[O.name]):we(n.errors,O.name))}Y&&await B(Y,y,S)}}return S.valid},L=()=>{for(const v of u.unMount){const y=z(r,v);y&&(y._f.refs?y._f.refs.every(S=>!Li(S)):!Li(y._f.ref))&&Ke(v)}u.unMount=new Set},V=(v,y)=>(v&&y&&oe(i,v,y),!mn(j(),l)),K=(v,y,S)=>{const D=I({},o.mount?i:re(y)?l:nt(v)?{[v]:y}:y);return gf(v,u,D,S)},ee=v=>ni(z(o.mount?i:l,v,e.shouldUnregister?z(l,v,[]):[])),ie=(v,y,S={})=>{const D=z(r,v);let A=y;if(D){const C=D._f;C&&(!C.disabled&&oe(i,v,xf(y,C)),A=qs&&Po(C.ref)&&_e(y)?"":y,wf(C.ref)?[...C.ref.options].forEach(O=>O.selected=A.includes(O.value)):C.refs?Pr(C.ref)?C.refs.length>1?C.refs.forEach(O=>!O.disabled&&(O.checked=Array.isArray(A)?!!A.find(Y=>Y===O.value):A===O.value)):C.refs[0]&&(C.refs[0].checked=!!A):C.refs.forEach(O=>O.checked=O.value===A):Cu(C.ref)?C.ref.value="":(C.ref.value=A,C.ref.type||f.watch.next({name:v})))}(S.shouldDirty||S.shouldTouch)&&x(v,A,S.shouldTouch,S.shouldDirty,!0),S.shouldValidate&&R(v)},be=(v,y,S)=>{for(const D in y){const A=y[D],C=`${v}.${D}`,O=z(r,C);(u.array.has(v)||!Al(A)||O&&!O._f)&&!vn(A)?be(C,A,S):ie(C,A,S)}},qe=(v,y,S={})=>{const D=z(r,v),A=u.array.has(v),C=$t(y);oe(i,v,C),A?(f.array.next({name:v,values:i}),(m.isDirty||m.dirtyFields)&&S.shouldDirty&&(n.dirtyFields=Ks(l,i),f.state.next({name:v,dirtyFields:n.dirtyFields,isDirty:V(v,C)}))):D&&!D._f&&!_e(C)?be(v,C,S):ie(v,C,S),Hs(v,u)&&f.state.next({}),f.watch.next({name:v})},yt=async v=>{const y=v.target;let S=y.name;const D=z(r,S);if(D){let A,C;const O=y.type?zi(D._f):df(v),Y=v.type===Ml.BLUR||v.type===Ml.FOCUS_OUT,Ve=!rh(D._f)&&!t.resolver&&!z(n.errors,S)&&!D._f.deps||lh(Y,z(n.touchedFields,S),n.isSubmitted,g,w),Fr=Hs(S,u,Y);oe(i,S,O),Y?D._f.onBlur&&D._f.onBlur(v):D._f.onChange&&D._f.onChange(v);const ii=x(S,O,Y,!1),Nf=!Ie(ii)||Fr;if(!Y&&f.watch.next({name:S,type:v.type}),Ve)return Nf&&f.state.next(I({name:S},Fr?{}:ii));if(!Y&&Fr&&f.state.next({}),p[S]=(p[S],1),f.state.next({isValidating:!0}),t.resolver){const{errors:Pu}=await P([S]),Pf=Zs(n.errors,r,S),Fu=Zs(Pu,r,Pf.name||S);A=Fu.error,S=Fu.name,C=Ie(Pu)}else A=(await bs(D,z(i,S),_,t.shouldUseNativeValidation))[S],C=await d(!0);D._f.deps&&R(D._f.deps),N(!1,S,C,A,ii)}},R=async(v,y={})=>{let S,D;const A=sl(v);if(f.state.next({isValidating:!0}),t.resolver){const C=await T(re(v)?v:A);S=Ie(C),D=v?!A.some(O=>z(C,O)):S}else v?(D=(await Promise.all(A.map(async C=>{const O=z(r,C);return await B(O&&O._f?{[C]:O}:O)}))).every(Boolean),!(!D&&!n.isValid)&&d()):D=S=await B(r);return f.state.next(Ye(I(I({},!nt(v)||m.isValid&&S!==n.isValid?{}:{name:v}),t.resolver?{isValid:S}:{}),{errors:n.errors,isValidating:!1})),y.shouldFocus&&!D&&No(r,C=>z(n.errors,C),v?A:u.mount),D},j=v=>{const y=I(I({},l),o.mount?i:{});return re(v)?y:nt(v)?z(y,v):v.map(S=>z(y,S))},U=(v,y)=>({invalid:!!z((y||n).errors,v),isDirty:!!z((y||n).dirtyFields,v),isTouched:!!z((y||n).touchedFields,v),error:z((y||n).errors,v)}),H=v=>{v?sl(v).forEach(y=>we(n.errors,y)):n.errors={},f.state.next({errors:n.errors})},G=(v,y,S)=>{const D=(z(r,v,{_f:{}})._f||{}).ref;oe(n.errors,v,Ye(I({},y),{ref:D})),f.state.next({name:v,errors:n.errors,isValid:!1}),S&&S.shouldFocus&&D&&D.focus&&D.focus()},bt=(v,y)=>ri(v)?f.watch.subscribe({next:S=>v(K(void 0,y),S)}):K(v,y,!0),Ke=(v,y={})=>{for(const S of v?sl(v):u.mount)u.mount.delete(S),u.array.delete(S),z(r,S)&&(y.keepValue||(we(r,S),we(i,S)),!y.keepError&&we(n.errors,S),!y.keepDirty&&we(n.dirtyFields,S),!y.keepTouched&&we(n.touchedFields,S),!t.shouldUnregister&&!y.keepDefaultValue&&we(l,S));f.watch.next({}),f.state.next(I(I({},n),y.keepDirty?{isDirty:V()}:{})),!y.keepIsValid&&d()},It=(v,y={})=>{let S=z(r,v);const D=Vl(y.disabled);return oe(r,v,{_f:I(Ye(I({},S&&S._f?S._f:{ref:{name:v}}),{name:v,mount:!0}),y)}),u.mount.add(v),S?D&&oe(i,v,y.disabled?void 0:z(i,v,zi(S._f))):k(v,!0,y.value),Ye(I(I({},D?{disabled:y.disabled}:{}),t.shouldUseNativeValidation?{required:!!y.required,min:Hn(y.min),max:Hn(y.max),minLength:Hn(y.minLength),maxLength:Hn(y.maxLength),pattern:Hn(y.pattern)}:{}),{name:v,onChange:yt,onBlur:yt,ref:A=>{if(A){It(v,y),S=z(r,v);const C=re(A.value)&&A.querySelectorAll&&A.querySelectorAll("input,select,textarea")[0]||A,O=eh(C),Y=S._f.refs||[];if(O?Y.find(Ve=>Ve===C):C===S._f.ref)return;oe(r,v,{_f:I(I({},S._f),O?{refs:[...Y.filter(Li),C,...Array.isArray(z(l,v))?[{}]:[]],ref:{type:C.type,name:v}}:{ref:C})}),k(v,!1,void 0,C)}else S=z(r,v,{}),S._f&&(S._f.mount=!1),(t.shouldUnregister||y.shouldUnregister)&&!(pf(u.array,v)&&o.action)&&u.unMount.add(v)}})};return{control:{register:It,unregister:Ke,getFieldState:U,_executeSchema:P,_getWatch:K,_getDirty:V,_updateValid:d,_removeUnmounted:L,_updateFieldArray:c,_getFieldArray:ee,_subjects:f,_proxyFormState:m,get _fields(){return r},get _formValues(){return i},get _stateFlags(){return o},set _stateFlags(v){o=v},get _defaultValues(){return l},get _names(){return u},set _names(v){u=v},get _formState(){return n},set _formState(v){n=v},get _options(){return t},set _options(v){t=I(I({},t),v)}},trigger:R,register:It,handleSubmit:(v,y)=>async S=>{S&&(S.preventDefault&&S.preventDefault(),S.persist&&S.persist());let D=!0,A=$t(i);f.state.next({isSubmitting:!0});try{if(t.resolver){const{errors:C,values:O}=await P();n.errors=C,A=O}else await B(r);Ie(n.errors)&&Object.keys(n.errors).every(C=>z(A,C))?(f.state.next({errors:{},isSubmitting:!0}),await v(A,S)):(y&&await y(I({},n.errors),S),t.shouldFocusError&&No(r,C=>z(n.errors,C),u.mount))}catch(C){throw D=!1,C}finally{n.isSubmitted=!0,f.state.next({isSubmitted:!0,isSubmitting:!1,isSubmitSuccessful:Ie(n.errors)&&D,submitCount:n.submitCount+1,errors:n.errors})}},watch:bt,setValue:qe,getValues:j,reset:(v,y={})=>{const S=v||l,D=$t(S),A=v&&!Ie(v)?D:l;if(y.keepDefaultValues||(l=S),!y.keepValues){if(qs&&re(v))for(const C of u.mount){const O=z(r,C);if(O&&O._f){const Y=Array.isArray(O._f.refs)?O._f.refs[0]:O._f.ref;try{Po(Y)&&Y.closest("form").reset();break}catch{}}}i=e.shouldUnregister?y.keepDefaultValues?$t(l):{}:D,r={},f.array.next({values:A}),f.watch.next({values:A})}u={mount:new Set,unMount:new Set,array:new Set,watch:new Set,watchAll:!1,focus:""},o.mount=!m.isValid||!!y.keepIsValid,o.watch=!!e.shouldUnregister,f.state.next({submitCount:y.keepSubmitCount?n.submitCount:0,isDirty:y.keepDirty?n.isDirty:y.keepDefaultValues?!mn(v,l):!1,isSubmitted:y.keepIsSubmitted?n.isSubmitted:!1,dirtyFields:y.keepDirty?n.dirtyFields:y.keepDefaultValues&&v?Object.entries(v).reduce((C,[O,Y])=>Ye(I({},C),{[O]:Y!==z(l,O)}),{}):{},touchedFields:y.keepTouched?n.touchedFields:{},errors:y.keepErrors?n.errors:{},isSubmitting:!1,isSubmitSuccessful:!1})},resetField:(v,y={})=>{z(r,v)&&(re(y.defaultValue)?qe(v,z(l,v)):(qe(v,y.defaultValue),oe(l,v,y.defaultValue)),y.keepTouched||we(n.touchedFields,v),y.keepDirty||(we(n.dirtyFields,v),n.isDirty=y.defaultValue?V(v,z(l,v)):V()),y.keepError||(we(n.errors,v),m.isValid&&d()),f.state.next(I({},n)))},clearErrors:H,unregister:Ke,setError:G,setFocus:(v,y={})=>{const S=z(r,v)._f,D=S.refs?S.refs[0]:S.ref;y.shouldSelect?D.select():D.focus()},getFieldState:U}}function Th(e={}){const t=q.useRef(),[n,r]=q.useState({isDirty:!1,isValidating:!1,dirtyFields:{},isSubmitted:!1,submitCount:0,touchedFields:{},isSubmitting:!1,isSubmitSuccessful:!1,isValid:!1,errors:{}});t.current?t.current.control._options=e:t.current=Ye(I({},uh(e)),{formState:n});const l=t.current.control,i=q.useCallback(o=>{vf(o,l._proxyFormState,!0)&&(l._formState=I(I({},l._formState),o),r(I({},l._formState)))},[l]);return xu({subject:l._subjects.state,callback:i}),q.useEffect(()=>{l._stateFlags.mount||(l._proxyFormState.isValid&&l._updateValid(),l._stateFlags.mount=!0),l._stateFlags.watch&&(l._stateFlags.watch=!1,l._subjects.state.next({})),l._removeUnmounted()}),t.current.formState=hf(n,l._proxyFormState),t.current}function nn(){}function sh(){return!0}function Qn(e){return!!(e||"").match(/\d/)}function ea(e){return e==null}function ta(e){return e.replace(/[-[\]/{}()*+?.\\^$|]/g,"\\$&")}function ah(e){switch(e){case"lakh":return/(\d+?)(?=(\d\d)+(\d)(?!\d))(\.\d+)?/g;case"wan":return/(\d)(?=(\d{4})+(?!\d))/g;case"thousand":default:return/(\d)(?=(\d{3})+(?!\d))/g}}function ch(e,t,n){var r=ah(n),l=e.search(/[1-9]/);return l=l===-1?e.length:l,e.substring(0,l)+e.substring(l,e.length).replace(r,"$1"+t)}function Fo(e,t){t===void 0&&(t=!0);var n=e[0]==="-",r=n&&t;e=e.replace("-","");var l=e.split("."),i=l[0],o=l[1]||"";return{beforeDecimal:i,afterDecimal:o,hasNagation:n,addNegation:r}}function fh(e){if(!e)return e;var t=e[0]==="-";t&&(e=e.substring(1,e.length));var n=e.split("."),r=n[0].replace(/^0+/,"")||"0",l=n[1]||"";return(t?"-":"")+r+(l?"."+l:"")}function _f(e,t,n){for(var r="",l=n?"0":"",i=0;i<=t-1;i++)r+=e[i]||l;return r}function na(e,t){return Array(t+1).join(e)}function dh(e){e+="";var t=e[0]==="-"?"-":"";t&&(e=e.substring(1));var n=e.split(/[eE]/g),r=n[0],l=n[1];if(l=Number(l),!l)return t+r;r=r.replace(".","");var i=1+l,o=r.length;return i<0?r="0."+na("0",Math.abs(i))+r:i>=o?r=r+na("0",i-o):r=(r.substring(0,i)||"0")+"."+r.substring(i),t+r}function ph(e,t,n){if(["","-"].indexOf(e)!==-1)return e;var r=e.indexOf(".")!==-1&&t,l=Fo(e),i=l.beforeDecimal,o=l.afterDecimal,u=l.hasNagation,s=parseFloat("0."+(o||"0")),a=o.length<=t?"0."+o:s.toFixed(t),p=a.split("."),m=i.split("").reverse().reduce(function(_,M,d){return _.length>d?(Number(_[0])+Number(M)).toString()+_.substring(1,_.length):M+_},p[0]),f=_f(p[1]||"",Math.min(t,o.length),n),w=u?"-":"",g=r?".":"";return""+w+m+g+f}function ra(e,t){if(e.value=e.value,e!==null){if(e.createTextRange){var n=e.createTextRange();return n.move("character",t),n.select(),!0}return e.selectionStart||e.selectionStart===0?(e.focus(),e.setSelectionRange(t,t),!0):(e.focus(),!1)}}function hh(e,t){for(var n=0,r=0,l=e.length,i=t.length;e[n]===t[n]&&nn&&l-r>n;)r++;return{start:n,end:l-r}}function Oi(e,t,n){return Math.min(Math.max(e,t),n)}function la(e){return Math.max(e.selectionStart,e.selectionEnd)}function vh(e){return e||typeof navigator!="undefined"&&!(navigator.platform&&/iPhone|iPod/.test(navigator.platform))}function mh(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&t.indexOf(r)===-1&&(n[r]=e[r]);return n}var gh={displayType:"input",decimalSeparator:".",thousandsGroupStyle:"thousand",fixedDecimalScale:!1,prefix:"",suffix:"",allowNegative:!0,allowEmptyFormatting:!1,allowLeadingZeros:!1,isNumericString:!1,type:"text",onValueChange:nn,onChange:nn,onKeyDown:nn,onMouseUp:nn,onFocus:nn,onBlur:nn,isAllowed:sh},yh=function(e){function t(n){e.call(this,n);var r=n.defaultValue;this.validateProps();var l=this.formatValueProp(r);this.state={value:l,numAsString:this.removeFormatting(l),mounted:!1},this.selectionBeforeInput={selectionStart:0,selectionEnd:0},this.onChange=this.onChange.bind(this),this.onKeyDown=this.onKeyDown.bind(this),this.onMouseUp=this.onMouseUp.bind(this),this.onFocus=this.onFocus.bind(this),this.onBlur=this.onBlur.bind(this)}return e&&(t.__proto__=e),t.prototype=Object.create(e&&e.prototype),t.prototype.constructor=t,t.prototype.componentDidMount=function(){this.setState({mounted:!0})},t.prototype.componentDidUpdate=function(r){this.updateValueIfRequired(r)},t.prototype.componentWillUnmount=function(){clearTimeout(this.focusTimeout),clearTimeout(this.caretPositionTimeout)},t.prototype.updateValueIfRequired=function(r){var l=this,i=l.props,o=l.state,u=l.focusedElm,s=o.value,a=o.numAsString;if(a===void 0&&(a=""),r!==i){this.validateProps();var p=this.formatNumString(a),m=ea(i.value)?p:this.formatValueProp(),f=this.removeFormatting(m),w=parseFloat(f),g=parseFloat(a);((!isNaN(w)||!isNaN(g))&&w!==g||p!==s||u===null&&m!==s)&&this.updateValue({formattedValue:m,numAsString:f,input:u,source:"prop",event:null})}},t.prototype.getFloatString=function(r){r===void 0&&(r="");var l=this.props,i=l.decimalScale,o=this.getSeparators(),u=o.decimalSeparator,s=this.getNumberRegex(!0),a=r[0]==="-";a&&(r=r.replace("-","")),u&&i===0&&(r=r.split(u)[0]),r=(r.match(s)||[]).join("").replace(u,".");var p=r.indexOf(".");return p!==-1&&(r=r.substring(0,p)+"."+r.substring(p+1,r.length).replace(new RegExp(ta(u),"g"),"")),a&&(r="-"+r),r},t.prototype.getNumberRegex=function(r,l){var i=this.props,o=i.format,u=i.decimalScale,s=i.customNumerals,a=this.getSeparators(),p=a.decimalSeparator;return new RegExp("[0-9"+(s?s.join(""):"")+"]"+(p&&u!==0&&!l&&!o?"|"+ta(p):""),r?"g":void 0)},t.prototype.getSeparators=function(){var r=this.props,l=r.decimalSeparator,i=this.props,o=i.thousandSeparator,u=i.allowedDecimalSeparators;return o===!0&&(o=","),u||(u=[l,"."]),{decimalSeparator:l,thousandSeparator:o,allowedDecimalSeparators:u}},t.prototype.getMaskAtIndex=function(r){var l=this.props,i=l.mask;return i===void 0&&(i=" "),typeof i=="string"?i:i[r]||" "},t.prototype.getValueObject=function(r,l){var i=parseFloat(l);return{formattedValue:r,value:l,floatValue:isNaN(i)?void 0:i}},t.prototype.validateProps=function(){var r=this.props,l=r.mask,i=this.getSeparators(),o=i.decimalSeparator,u=i.thousandSeparator;if(o===u)throw new Error(` - Decimal separator can't be same as thousand separator. - thousandSeparator: `+u+` (thousandSeparator = {true} is same as thousandSeparator = ",") - decimalSeparator: `+o+` (default value for decimalSeparator is .) - `);if(l){var s=l==="string"?l:l.toString();if(s.match(/\d/g))throw new Error(` - Mask `+l+` should not contain numeric character; - `)}},t.prototype.setPatchedCaretPosition=function(r,l,i){ra(r,l),this.caretPositionTimeout=setTimeout(function(){r.value===i&&ra(r,l)},0)},t.prototype.correctCaretPosition=function(r,l,i){var o=this.props,u=o.prefix,s=o.suffix,a=o.format;if(r==="")return 0;if(l=Oi(l,0,r.length),!a){var p=r[0]==="-";return Oi(l,u.length+(p?1:0),r.length-s.length)}if(typeof a=="function"||a[l]==="#"&&Qn(r[l])||a[l-1]==="#"&&Qn(r[l-1]))return l;var m=a.indexOf("#"),f=a.lastIndexOf("#");l=Oi(l,m,f+1);for(var w=a.substring(l,a.length).indexOf("#"),g=l,_=l+(w===-1?0:w);g>m&&(a[g]!=="#"||!Qn(r[g]));)g-=1;var M=!Qn(r[_])||i==="left"&&l!==m||l-g<_-l;return M?Qn(r[g])?g+1:g:_},t.prototype.getCaretPosition=function(r,l,i){var o=this.props,u=o.format,s=this.state.value,a=this.getNumberRegex(!0),p=(r.match(a)||[]).join(""),m=(l.match(a)||[]).join(""),f,w;for(f=0,w=0;w=l.length-s.length||a&&p&&l[r]===f))},t.prototype.correctInputValue=function(r,l,i){var o=this,u=this.props,s=u.format,a=u.allowNegative,p=u.prefix,m=u.suffix,f=u.decimalScale,w=this.getSeparators(),g=w.allowedDecimalSeparators,_=w.decimalSeparator,M=this.state.numAsString||"",d=this.selectionBeforeInput,c=d.selectionStart,h=d.selectionEnd,k=hh(l,i),x=k.start,N=k.end;if(!s&&x===N&&g.indexOf(i[c])!==-1){var P=f===0?"":_;return i.substr(0,c)+P+i.substr(c+1,i.length)}var T=s?0:p.length,B=l.length-(s?0:m.length);if(i.length>l.length||!i.length||x===N||c===0&&h===l.length||x===0&&N===l.length||c===T&&h===B)return i;var L=l.substr(x,N-x),V=!![].concat(L).find(function(H,G){return o.isCharacterAFormat(G+x,l)});if(V){var K=l.substr(x),ee={},ie=[];[].concat(K).forEach(function(H,G){o.isCharacterAFormat(G+x,l)?ee[G]=H:G>L.length-1&&ie.push(H)}),Object.keys(ee).forEach(function(H){ie.length>H?ie.splice(H,0,ee[H]):ie.push(ee[H])}),i=l.substr(0,x)+ie.join("")}if(!s){var be=this.removeFormatting(i),qe=Fo(be,a),yt=qe.beforeDecimal,R=qe.afterDecimal,j=qe.addNegation,U=rN;)x--;x=this.correctCaretPosition(s,x,"left")}}(x!==a||aP)&&(r.preventDefault(),this.setPatchedCaretPosition(l,x,s)),r.isUnitTestRun&&this.setPatchedCaretPosition(l,x,s),M(r)},t.prototype.onMouseUp=function(r){var l=r.target,i=l.selectionStart,o=l.selectionEnd,u=l.value;if(u===void 0&&(u=""),i===o){var s=this.correctCaretPosition(u,i);s!==i&&this.setPatchedCaretPosition(l,s,u)}this.props.onMouseUp(r)},t.prototype.onFocus=function(r){var l=this;r.persist(),this.focusedElm=r.target,this.focusTimeout=setTimeout(function(){var i=r.target,o=i.selectionStart,u=i.selectionEnd,s=i.value;s===void 0&&(s="");var a=l.correctCaretPosition(s,o);a!==o&&!(o===0&&u===s.length)&&l.setPatchedCaretPosition(i,a,s),l.props.onFocus(r)},0)},t.prototype.render=function(){var r=this.props,l=r.type,i=r.displayType,o=r.customInput,u=r.renderText,s=r.getInputRef,a=r.format;r.thousandSeparator,r.decimalSeparator,r.allowedDecimalSeparators,r.thousandsGroupStyle,r.decimalScale,r.fixedDecimalScale,r.prefix,r.suffix,r.removeFormatting,r.mask,r.defaultValue,r.isNumericString,r.allowNegative,r.allowEmptyFormatting,r.allowLeadingZeros,r.onValueChange,r.isAllowed,r.customNumerals,r.onChange,r.onKeyDown,r.onMouseUp,r.onFocus,r.onBlur,r.value;var p=mh(r,["type","displayType","customInput","renderText","getInputRef","format","thousandSeparator","decimalSeparator","allowedDecimalSeparators","thousandsGroupStyle","decimalScale","fixedDecimalScale","prefix","suffix","removeFormatting","mask","defaultValue","isNumericString","allowNegative","allowEmptyFormatting","allowLeadingZeros","onValueChange","isAllowed","customNumerals","onChange","onKeyDown","onMouseUp","onFocus","onBlur","value"]),m=p,f=this.state,w=f.value,g=f.mounted,_=g&&vh(a)?"numeric":void 0,M=Object.assign({inputMode:_},m,{type:l,value:w,onChange:this.onChange,onKeyDown:this.onKeyDown,onMouseUp:this.onMouseUp,onFocus:this.onFocus,onBlur:this.onBlur});if(i==="text")return u?u(w,m)||null:q.createElement("span",Object.assign({},m,{ref:s}),w);if(o){var d=o;return q.createElement(d,Object.assign({},M,{ref:s}))}return q.createElement("input",Object.assign({},M,{ref:s}))},t}(q.Component);yh.defaultProps=gh;var wh={exports:{}},li={};/** - * @license React - * react-jsx-runtime.production.min.js - * - * Copyright (c) Facebook, Inc. and its affiliates. - * - * This source code is licensed under the MIT license found in the - * LICENSE file in the root directory of this source tree. - */var Sh=Ul.exports,kh=Symbol.for("react.element"),xh=Symbol.for("react.fragment"),Eh=Object.prototype.hasOwnProperty,_h=Sh.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ReactCurrentOwner,Ch={key:!0,ref:!0,__self:!0,__source:!0};function Cf(e,t,n){var r,l={},i=null,o=null;n!==void 0&&(i=""+n),t.key!==void 0&&(i=""+t.key),t.ref!==void 0&&(o=t.ref);for(r in t)Eh.call(t,r)&&!Ch.hasOwnProperty(r)&&(l[r]=t[r]);if(e&&e.defaultProps)for(r in t=e.defaultProps,t)l[r]===void 0&&(l[r]=t[r]);return{$$typeof:kh,type:e,key:i,ref:o,props:l,_owner:_h.current}}li.Fragment=xh;li.jsx=Cf;li.jsxs=Cf;wh.exports=li;export{Dh as C,yh as N,q as R,Mu as c,wh as j,Ul as r,Th as u}; diff --git a/resources/[soz]/soz-talk/html/index.html b/resources/[soz]/soz-talk/html/index.html deleted file mode 100644 index 375a79937c..0000000000 --- a/resources/[soz]/soz-talk/html/index.html +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - Vite App - - - - - -
- - - diff --git a/resources/[soz]/soz-talk/server/main.lua b/resources/[soz]/soz-talk/server/main.lua deleted file mode 100644 index b460f446a6..0000000000 --- a/resources/[soz]/soz-talk/server/main.lua +++ /dev/null @@ -1,22 +0,0 @@ -local QBCore = exports["qb-core"]:GetCoreObject() - ---- Use item function -QBCore.Functions.CreateUseableItem("radio", function(source, item) - TriggerClientEvent("talk:radio:use", source) -end) - -QBCore.Functions.CreateUseableItem("megaphone", function(source, item) - TriggerClientEvent("talk:megaphone:use", source) -end) - -QBCore.Functions.CreateUseableItem("microphone", function(source, item) - TriggerClientEvent("talk:microphone:use", source) -end) - -RegisterNetEvent("talk:cibi:sync", function(vehicle, key, value) - local vehNet = NetworkGetEntityFromNetworkId(vehicle) - - if Entity(vehNet).state.hasRadio then - Entity(vehNet).state:set(key, value, true) - end -end) diff --git a/resources/[soz]/soz-talk/ui/.gitignore b/resources/[soz]/soz-talk/ui/.gitignore deleted file mode 100644 index a547bf36d8..0000000000 --- a/resources/[soz]/soz-talk/ui/.gitignore +++ /dev/null @@ -1,24 +0,0 @@ -# Logs -logs -*.log -npm-debug.log* -yarn-debug.log* -yarn-error.log* -pnpm-debug.log* -lerna-debug.log* - -node_modules -dist -dist-ssr -*.local - -# Editor directories and files -.vscode/* -!.vscode/extensions.json -.idea -.DS_Store -*.suo -*.ntvs* -*.njsproj -*.sln -*.sw? diff --git a/resources/[soz]/soz-talk/ui/index.html b/resources/[soz]/soz-talk/ui/index.html deleted file mode 100644 index 92317c5fa8..0000000000 --- a/resources/[soz]/soz-talk/ui/index.html +++ /dev/null @@ -1,12 +0,0 @@ - - - - - - Vite App - - -
- - - diff --git a/resources/[soz]/soz-talk/ui/package.json b/resources/[soz]/soz-talk/ui/package.json deleted file mode 100644 index 85f30c0c68..0000000000 --- a/resources/[soz]/soz-talk/ui/package.json +++ /dev/null @@ -1,24 +0,0 @@ -{ - "name": "ui", - "private": true, - "version": "0.0.0", - "scripts": { - "dev": "vite", - "build": "tsc && vite build", - "preview": "vite preview" - }, - "dependencies": { - "react": "^18.0.0", - "react-dom": "^18.0.0", - "react-hook-form": "^7.30.0", - "react-number-format": "^4.9.3" - }, - "devDependencies": { - "@babel/core": "^7.17.8", - "@types/react": "^18.0.0", - "@types/react-dom": "^18.0.0", - "@vitejs/plugin-react": "^1.3.0", - "typescript": "^4.5.4", - "vite": "^2.8.0" - } -} diff --git a/resources/[soz]/soz-talk/ui/src/assets/img/radio-lr.png b/resources/[soz]/soz-talk/ui/src/assets/img/radio-lr.png deleted file mode 100644 index 8bbaa2e45a..0000000000 Binary files a/resources/[soz]/soz-talk/ui/src/assets/img/radio-lr.png and /dev/null differ diff --git a/resources/[soz]/soz-talk/ui/src/assets/img/radio-sr.png b/resources/[soz]/soz-talk/ui/src/assets/img/radio-sr.png deleted file mode 100644 index ed34c86d7a..0000000000 Binary files a/resources/[soz]/soz-talk/ui/src/assets/img/radio-sr.png and /dev/null differ diff --git a/resources/[soz]/soz-talk/ui/src/components/app.tsx b/resources/[soz]/soz-talk/ui/src/components/app.tsx deleted file mode 100644 index f0041c582d..0000000000 --- a/resources/[soz]/soz-talk/ui/src/components/app.tsx +++ /dev/null @@ -1,12 +0,0 @@ -import Radio from "./radio"; - -const App = () => { - return ( - <> - - - - ) -} - -export default App; diff --git a/resources/[soz]/soz-talk/ui/src/components/radio/cibi.module.css b/resources/[soz]/soz-talk/ui/src/components/radio/cibi.module.css deleted file mode 100644 index 0a9ba000d4..0000000000 --- a/resources/[soz]/soz-talk/ui/src/components/radio/cibi.module.css +++ /dev/null @@ -1,180 +0,0 @@ -.container { - position: absolute; - bottom: 40vh; - left: -80vw; - transition: left .3s; -} - -.container_show { - left: 1vw; -} - -.container_hide { - left: -80vw; -} - -.radio { - position: relative; - width: 40vw; - z-index: 5; -} - -.screen { - position: absolute; - bottom: 6vh; - left: 17.3vw; - height: 13.2vh; - width: 15vw; -} - -.screen * { - font-size: 1.8rem; -} -.screen * span, .screen * input { - font-size: 2.5rem !important; -} - -/* Actions */ -.actions { - position: relative; - z-index: 10; -} -.action_style { - cursor: pointer; - background-color: transparent; - -webkit-mask-image: radial-gradient(black, rgba(0,0,0,.1), transparent); - mask-image: radial-gradient(black, rgba(0,0,0,.1), transparent); - transition: background-color .5s; -} -.action_style:hover { - background-color: rgba(255,255,255,.50); -} - -.action_enable { - position: absolute; - bottom: 13vh; - left: 35vw; - height: 7vh; - width: 5vw; - composes: action_style; -} -.action_validate { - position: absolute; - bottom: 2.5vh; - left: 10.8vw; - height: 7vh; - width: 4.5vw; - composes: action_style; -} -.action_mix { - position: absolute; - bottom: 2vh; - left: 17.45vw; - height: 2.2vh; - width: 2.6vw; - composes: action_style; -} -.action_close { - position: absolute; - bottom: 22vh; - left: 39vw; - height: .7rem; - width: .7rem; - color: #fff; - cursor: pointer; - background: rgba(0,0,0,.5); - border: 1px solid rgba(0,0,0,.6); - border-radius: .3rem; -} - -.action_volume_up { - position: absolute; - bottom: 2vh; - left: 26.6vw; - height: 2.2vh; - width: 2.6vw; - composes: action_style; -} -.action_volume_down { - position: absolute; - bottom: 2vh; - left: 29.7vw; - height: 2.2vh; - width: 2.6vw; - composes: action_style; -} - -.action_freq_primary { - position: absolute; - bottom: 2vh; - left: 20.5vw; - height: 2.2vh; - width: 2.6vw; - composes: action_style; -} -.action_freq_secondary { - position: absolute; - bottom: 2vh; - left: 23.6vw; - height: 2.2vh; - width: 2.6vw; - composes: action_style; -} - -@media (min-aspect-ratio: 21/9) { - .radio { - width: 30vw; - } - .screen { - bottom: 6.4vh; - left: 13vw; - height: 13vh; - width: 11.3vw; - } - - .action_enable { - left: 26vw; - width: 4vw; - } - .action_validate { - left: 7.8vw; - width: 3.5vw; - } - .action_close { - bottom: 21vh; - left: 29.5vw; - } - - .action_mix { - bottom: 2.2vh; - left: 13vw; - height: 2.2vh; - width: 2vw; - } - - .action_freq_primary { - bottom: 2.2vh; - left: 15.3vw; - height: 2.2vh; - width: 2vw; - } - .action_freq_secondary { - bottom: 2.2vh; - left: 17.6vw; - height: 2.2vh; - width: 2vw; - } - - .action_volume_up { - bottom: 2.2vh; - left: 19.9vw; - height: 2.2vh; - width: 2vw; - } - .action_volume_down { - bottom: 2.2vh; - left: 22.2vw; - height: 2.2vh; - width: 2vw; - } -} diff --git a/resources/[soz]/soz-talk/ui/src/components/radio/index.tsx b/resources/[soz]/soz-talk/ui/src/components/radio/index.tsx deleted file mode 100644 index bfb0521e36..0000000000 --- a/resources/[soz]/soz-talk/ui/src/components/radio/index.tsx +++ /dev/null @@ -1,251 +0,0 @@ -import radio_sr from '../../assets/img/radio-sr.png'; -import radio_lr from '../../assets/img/radio-lr.png'; -import radioStyle from './radio.module.css'; -import cibiStyle from './cibi.module.css'; -import screen from './screen.module.css'; -import {useCallback, useEffect, useState} from "react"; -import {Ear, Frequency, FrequencyType} from "../../types/RadioScreen"; -import fetchAPI from "../../hooks/fetchAPI"; -import {TalkMessageData} from "../../types/TalkMessageEvent"; -import { useForm, Controller } from "react-hook-form"; -import NumberFormat from "react-number-format"; - -const CloseIcon: React.FC = (props) => ( - - - -) - -const VolumeIcon: React.FC = () => ( - - - -) - -const HeadphoneIcon: React.FC = () => ( - - - -) - -const displayEar = (ear: Ear) => { - switch (ear) { - case Ear.Left: - return 'L' - case Ear.Both: - return 'L/R' - case Ear.Right: - return 'R' - } -} - -const Radio: React.FC<{type: 'radio' | 'cibi'}> = (props) => { - const [display, setDisplay] = useState(false) - const [enabled, setEnabled] = useState(false); - const [currentFrequency, setCurrentFrequency] = useState('primary'); - const [primaryFrequency, setPrimaryFrequency] = useState({frequency: 0.0, volume: 100, ear: Ear.Both}); - const [secondaryFrequency, setSecondaryFrequency] = useState({frequency: 0.0, volume: 100, ear: Ear.Both}); - - const {control, handleSubmit, formState: { errors }, setValue} = useForm(); - - /* Design */ - const radio = props.type === 'radio' ? radio_sr : radio_lr - const style = props.type === 'radio' ? radioStyle : cibiStyle - - const toggleRadio = useCallback(() => { - fetchAPI(`/${props.type}/enable`, {state: !enabled}, () => { - setEnabled(s => !s) - }) - }, [enabled, setEnabled]) - const handleCurrentFrequency = useCallback((type: FrequencyType) => { - setCurrentFrequency(type) - }, [setCurrentFrequency]) - const handleMixChange = useCallback(() => { - const ear = (currentFrequency === 'primary' ? primaryFrequency.ear : secondaryFrequency.ear) - let targetEar = Ear[ear+1] !== undefined ? ear+1 : 0 - - fetchAPI(`/${props.type}/change_ear`, {[currentFrequency]: targetEar}, () => { - if (currentFrequency === 'primary') { - setPrimaryFrequency(s => ({...s, ...{ear: targetEar}})) - } else { - setSecondaryFrequency(s => ({...s, ...{ear: targetEar}})) - } - }) - }, [currentFrequency, primaryFrequency, secondaryFrequency, setPrimaryFrequency, setSecondaryFrequency]) - const handleVolumeChange = useCallback((volume: number) => { - if (volume >= 0 && volume <= 100) { - fetchAPI(`/${props.type}/change_volume`, {[currentFrequency]: volume}, () => { - if (currentFrequency === 'primary') { - setPrimaryFrequency(s => ({...s, ...{volume}})) - } else { - setSecondaryFrequency(s => ({...s, ...{volume}})) - } - }) - } - }, [currentFrequency, setPrimaryFrequency, setSecondaryFrequency]) - const handleFrequencyChange = useCallback((data: any) => { - const input = currentFrequency === 'primary' ? data.primaryFrequency : data.secondaryFrequency - const frequency = parseInt(input.toString().replace(/\./g, '')) - if (frequency >= 10000 && frequency <= 99999) { - fetchAPI(`/${props.type}/change_frequency`, { - [currentFrequency]: frequency - }, () => { - if (currentFrequency === 'primary') { - setPrimaryFrequency(s => ({...s, ...{frequency: frequency}})) - } else { - setSecondaryFrequency(s => ({...s, ...{frequency: frequency}})) - } - }) - } else { - if (currentFrequency === 'primary') { - setValue('primaryFrequency', primaryFrequency.frequency.toString().replace(/\./g, '').padEnd(5, '0')) - } else { - setValue('secondaryFrequency', secondaryFrequency.frequency.toString().replace(/\./g, '').padEnd(5, '0')) - } - } - }, [currentFrequency, primaryFrequency, secondaryFrequency]) - const handleClose = useCallback(() => { - fetchAPI(`/${props.type}/toggle`, {state: false}, () => { - setDisplay(false) - }) - }, [setDisplay]) - - /* - * Events handlers - */ - const onMessageReceived = useCallback((event: MessageEvent) => { - const {type, action, frequency, volume, ear, isPrimary, isEnabled} = event.data as TalkMessageData; - - if (type === props.type) { - if (action === 'reset') { - setDisplay(false) - setEnabled(false) - setCurrentFrequency('primary') - setPrimaryFrequency({frequency: 0.0, volume: 100, ear: Ear.Both}) - setSecondaryFrequency({frequency: 0.0, volume: 100, ear: Ear.Both}) - setValue('primaryFrequency', '00000') - setValue('secondaryFrequency', '00000') - } else if (action === 'open') { - setDisplay(true) - } else if (action === 'close') { - setDisplay(false) - } else if (action === 'enabled') { - if (isEnabled !== undefined) { - setEnabled(isEnabled) - } - } else if (action === 'frequency_change') { - if (frequency) { - if (isPrimary) { - setPrimaryFrequency(s => ({...s, ...{frequency: frequency/100}})) - setValue('primaryFrequency', frequency) - } else { - setSecondaryFrequency(s => ({...s, ...{frequency: frequency/100}})) - setValue('secondaryFrequency', frequency) - } - } - } else if (action === 'volume_change') { - if (volume) { - if (isPrimary) { - setPrimaryFrequency(s => ({...s, ...{volume}})) - } else { - setSecondaryFrequency(s => ({...s, ...{volume}})) - } - } - } else if (action === 'ear_change') { - if (ear) { - if (isPrimary) { - setPrimaryFrequency(s => ({...s, ...{ear}})) - } else { - setSecondaryFrequency(s => ({...s, ...{ear}})) - } - } - } - } - }, []) - const onKeyDown = useCallback((event: KeyboardEvent) => { - if (event.key === 'Tab') event.preventDefault(); - }, []) - - useEffect(() => { - window.addEventListener('message', onMessageReceived) - window.addEventListener('keydown', onKeyDown) - - return () => { - window.removeEventListener('message', onMessageReceived) - window.removeEventListener('keydown', onKeyDown) - } - }, []); - - return ( -
-
- Radio -
-
- {enabled && ( - <> -
- {currentFrequency === 'primary' ? 'F1' : 'F2'} - {currentFrequency === 'primary' && ( - - )} - />} - {currentFrequency === 'secondary' && ( - - )} - />} -
- -
- - {currentFrequency === 'primary' ? primaryFrequency.volume : secondaryFrequency.volume}% -
-
- - {currentFrequency === 'primary' ? displayEar(primaryFrequency.ear) : displayEar(secondaryFrequency.ear)} -
-
- - )} -
-
-
- -
-
- - -
handleVolumeChange(currentFrequency === 'primary' ? primaryFrequency.volume + 10 : secondaryFrequency.volume + 10)}/> -
handleVolumeChange(currentFrequency === 'primary' ? primaryFrequency.volume - 10 : secondaryFrequency.volume - 10)}/> - -
handleCurrentFrequency('primary')}/> -
handleCurrentFrequency('secondary')}/> -
- -
- ) -}; - -export default Radio; diff --git a/resources/[soz]/soz-talk/ui/src/components/radio/radio.module.css b/resources/[soz]/soz-talk/ui/src/components/radio/radio.module.css deleted file mode 100644 index 931d497d96..0000000000 --- a/resources/[soz]/soz-talk/ui/src/components/radio/radio.module.css +++ /dev/null @@ -1,175 +0,0 @@ -.container { - position: absolute; - bottom: -50vh; - left: 1vw; - transition: bottom .3s; -} - -.container_show { - bottom: 1vh; -} - -.container_hide { - bottom: -50vh; -} - -.radio { - position: relative; - height: 40vh; - z-index: 5; -} - -.screen { - position: absolute; - bottom: 16.5vh; - left: 2vw; - height: 7vh; - width: 5vw; -} - - -/* Actions */ -.actions { - position: relative; - z-index: 10; -} -.action_style { - cursor: pointer; - background-color: transparent; - -webkit-mask-image: radial-gradient(black, rgba(0,0,0,.1), transparent); - mask-image: radial-gradient(black, rgba(0,0,0,.1), transparent); - transition: background-color .5s; -} -.action_style:hover { - background-color: rgba(255,255,255,.50); -} - -.action_enable { - position: absolute; - bottom: 26.5vh; - left: 1.2vw; - height: 4vh; - width: 2vw; - composes: action_style; -} -.action_validate { - position: absolute; - bottom: 15.1vh; - left: 8.1vw; - height: 4vh; - width: 1vw; - composes: action_style; -} -.action_mix { - position: absolute; - bottom: 13.8vh; - left: 3.7vw; - height: 2vh; - width: 1.6vw; - composes: action_style; -} -.action_close { - position: absolute; - bottom: 25vh; - left: 8vw; - height: .7rem; - width: .7rem; - color: #fff; - cursor: pointer; - background: rgba(0,0,0,.5); - border: 1px solid rgba(0,0,0,.6); - border-radius: .3rem; -} - -.action_volume_up { - position: absolute; - bottom: 13.5vh; - left: 1.4vw; - height: 2vh; - width: 1.5vw; - composes: action_style; -} -.action_volume_down { - position: absolute; - bottom: 13.5vh; - left: 6vw; - height: 2vh; - width: 1.5vw; - composes: action_style; -} - -.action_freq_primary { - position: absolute; - bottom: 11.3vh; - left: 2.5vw; - height: 2vh; - width: 1.5vw; - composes: action_style; -} -.action_freq_secondary { - position: absolute; - bottom: 11.3vh; - left: 4.8vw; - height: 2vh; - width: 1.5vw; - composes: action_style; -} - -@media (min-aspect-ratio: 21/9) { - .screen { - bottom: 16.7vh; - left: 1.5vw; - height: 6.8vh; - width: 3.6vw; - } - - .action_enable { - bottom: 26.2vh; - left: 1vw; - height: 4.2vh; - width: 1.5vw; - } - .action_validate { - bottom: 15.2vh; - left: 6vw; - height: 9.2vh; - width: 1vw; - } - .action_close { - bottom: 25vh; - left: 6vw; - } - - .action_mix { - bottom: 13.8vh; - left: 2.6vw; - height: 2.2vh; - width: 1.5vw; - } - - .action_freq_primary { - bottom: 11.2vh; - left: 1.8vw; - height: 2.2vh; - width: 1.5vw; - } - .action_freq_secondary { - bottom: 11.2vh; - left: 3.4vw; - height: 2.2vh; - width: 1.5vw; - } - - .action_volume_up { - bottom: 13.5vh; - left: 0.9vw; - height: 2.2vh; - width: 1.5vw; - } - .action_volume_down { - bottom: 13.5vh; - left: 4.1vw; - height: 2.2vh; - width: 1.5vw; - } -} diff --git a/resources/[soz]/soz-talk/ui/src/components/radio/screen.module.css b/resources/[soz]/soz-talk/ui/src/components/radio/screen.module.css deleted file mode 100644 index 1011086a2e..0000000000 --- a/resources/[soz]/soz-talk/ui/src/components/radio/screen.module.css +++ /dev/null @@ -1,55 +0,0 @@ -.screen { - background: rgb(133, 141, 122); - display: flex; - flex-direction: column; - justify-content: space-around; - width: 100%; - height: 100%; -} - -.screen.enabled { - background: rgb(157, 150, 28); -} - -.frequency { - display: flex; - justify-content: space-between; - align-items: center; - padding: 0 .5vw; -} - -.frequency span { - font-size: 1.2rem; -} - -.frequency input { - position: relative; - font-family: 'VT323', sans-serif; - font-size: 1.5rem; - background: transparent; - text-align: right; - border: none; - outline: none; - width: 100%; - z-index: 15; -} - -.meta { - display: grid; - grid-template-columns: repeat(2, 1fr); - justify-items: left; - gap: .5rem; - padding: 0 .6vw; - font-size: 0.8rem; -} - -.meta div { - display: flex; - align-items: center; -} - -.meta svg { - height: 1.2vh; - width: 1.2vh; - margin-right: .2rem; -} diff --git a/resources/[soz]/soz-talk/ui/src/hooks/fetchAPI.ts b/resources/[soz]/soz-talk/ui/src/hooks/fetchAPI.ts deleted file mode 100644 index 0d5a8df4d1..0000000000 --- a/resources/[soz]/soz-talk/ui/src/hooks/fetchAPI.ts +++ /dev/null @@ -1,31 +0,0 @@ -const BASE_PATH = 'https://soz-talk' - -export default function fetchAPI(path: string, data: Object = {}, callback: Function) { - if (import.meta.env.DEV) { - console.debug(`fetch ${path}`, data, callback) - callback() - return - } - - if (path.charAt(0) !== "/") { - path = `/${path}` - } - - fetch(`${BASE_PATH}${path}`, { - method: "POST", - headers: { - 'Content-Type': 'application/json' - }, - body: JSON.stringify(data) - }) - .then((response) => { - if (response.ok) { - response.json().then((res) => { - if (res === 'ok') { - callback() - } - }) - } - }) - .catch(error => console.error(error)) -} diff --git a/resources/[soz]/soz-talk/ui/src/main.tsx b/resources/[soz]/soz-talk/ui/src/main.tsx deleted file mode 100644 index ff5c3b06fa..0000000000 --- a/resources/[soz]/soz-talk/ui/src/main.tsx +++ /dev/null @@ -1,10 +0,0 @@ -import React from 'react' -import ReactDOM from 'react-dom/client' -import App from './components/app'; -import './style/index.css'; - -ReactDOM.createRoot(document.getElementById('app')!).render( - - - -) diff --git a/resources/[soz]/soz-talk/ui/src/style/index.css b/resources/[soz]/soz-talk/ui/src/style/index.css deleted file mode 100644 index 73549c57a7..0000000000 --- a/resources/[soz]/soz-talk/ui/src/style/index.css +++ /dev/null @@ -1,28 +0,0 @@ -@import url('https://fonts.googleapis.com/css2?family=VT323&display=swap'); - -* { - -webkit-user-select: none; - -moz-user-select: none; - -ms-user-select: none; - user-select: none; -} - -input { - -webkit-user-select: text; - -moz-user-select: text; - -ms-user-select: text; - user-select: text; -} - -body { - font-family: 'VT323', sans-serif; - overflow: hidden; - padding: 0; - margin: 0; -} - -#app { - /*display:none;*/ - position: absolute; - inset: 0; -} diff --git a/resources/[soz]/soz-talk/ui/src/types/RadioScreen.ts b/resources/[soz]/soz-talk/ui/src/types/RadioScreen.ts deleted file mode 100644 index 57ea795ec3..0000000000 --- a/resources/[soz]/soz-talk/ui/src/types/RadioScreen.ts +++ /dev/null @@ -1,22 +0,0 @@ -export enum Ear { - Left, - Both, - Right -} - -export interface Frequency { - frequency: number - volume: number - ear: Ear -} - -export type FrequencyType = 'primary' | 'secondary' - -export interface RadioScreen { - enabled: boolean - currentFrequency: FrequencyType - primaryFrequency: Frequency - setPrimaryFrequency: any - secondaryFrequency: Frequency - setSecondaryFrequency: any -} diff --git a/resources/[soz]/soz-talk/ui/src/types/TalkMessageEvent.ts b/resources/[soz]/soz-talk/ui/src/types/TalkMessageEvent.ts deleted file mode 100644 index 9397904a8a..0000000000 --- a/resources/[soz]/soz-talk/ui/src/types/TalkMessageEvent.ts +++ /dev/null @@ -1,15 +0,0 @@ -import {Ear} from "./RadioScreen"; - -export type TalkMessageType = 'radio' | 'cibi' -export type TalkMessageAction = 'open' | 'close' | 'enabled' | 'frequency_change' | 'volume_change' | 'ear_change' | 'reset' - -export interface TalkMessageData { - type: TalkMessageType - action: TalkMessageAction - frequency?: number - volume?: number - ear?: Ear - isPrimary?: boolean - isEnabled?: boolean -} - diff --git a/resources/[soz]/soz-talk/ui/src/vite-env.d.ts b/resources/[soz]/soz-talk/ui/src/vite-env.d.ts deleted file mode 100644 index 11f02fe2a0..0000000000 --- a/resources/[soz]/soz-talk/ui/src/vite-env.d.ts +++ /dev/null @@ -1 +0,0 @@ -/// diff --git a/resources/[soz]/soz-talk/ui/tsconfig.json b/resources/[soz]/soz-talk/ui/tsconfig.json deleted file mode 100644 index f2968f3c00..0000000000 --- a/resources/[soz]/soz-talk/ui/tsconfig.json +++ /dev/null @@ -1,41 +0,0 @@ -{ - "compilerOptions": { - "target": "ESNext", - "useDefineForClassFields": true, - "lib": [ - "DOM", - "DOM.Iterable", - "ESNext" - ], - "allowJs": false, - "skipLibCheck": true, - "esModuleInterop": false, - "allowSyntheticDefaultImports": true, - "strict": false, - "forceConsistentCasingInFileNames": true, - "module": "ESNext", - "moduleResolution": "Node", - "resolveJsonModule": true, - "isolatedModules": true, - "noEmit": true, - "jsx": "preserve", - "jsxFactory": "h", - "jsxFragmentFactory": "Fragment", - "paths": { - "@components/*": [ - "./src/components/*" - ], - "@assets/*": [ - "./src/assets/*" - ] - } - }, - "include": [ - "src" - ], - "references": [ - { - "path": "./tsconfig.node.json" - } - ] -} diff --git a/resources/[soz]/soz-talk/ui/tsconfig.node.json b/resources/[soz]/soz-talk/ui/tsconfig.node.json deleted file mode 100644 index e993792cb1..0000000000 --- a/resources/[soz]/soz-talk/ui/tsconfig.node.json +++ /dev/null @@ -1,8 +0,0 @@ -{ - "compilerOptions": { - "composite": true, - "module": "esnext", - "moduleResolution": "node" - }, - "include": ["vite.config.ts"] -} diff --git a/resources/[soz]/soz-talk/ui/vite.config.ts b/resources/[soz]/soz-talk/ui/vite.config.ts deleted file mode 100644 index 1a451ac929..0000000000 --- a/resources/[soz]/soz-talk/ui/vite.config.ts +++ /dev/null @@ -1,26 +0,0 @@ -import {defineConfig} from 'vite' -import react from '@vitejs/plugin-react' -import * as path from 'path'; - -// https://vitejs.dev/config/ -export default defineConfig({ - base: '/html/', - build: { - outDir: '../html', - emptyOutDir: true, - rollupOptions: { - output: { - entryFileNames: `assets/[name].js`, - chunkFileNames: `assets/[name].js`, - assetFileNames: `assets/[name].[ext]` - } - } - }, - resolve: { - alias: [ - {find: '@components', replacement: path.resolve(__dirname, './src/components')}, - {find: '@assets', replacement: path.resolve(__dirname, './src/assets')}, - ] - }, - plugins: [react()] -}) diff --git a/resources/[soz]/soz-taxi/client/cloakroom.lua b/resources/[soz]/soz-taxi/client/cloakroom.lua deleted file mode 100644 index c68165b634..0000000000 --- a/resources/[soz]/soz-taxi/client/cloakroom.lua +++ /dev/null @@ -1,38 +0,0 @@ -RegisterNetEvent("taxi:client:OpenCloakroomMenu", function(storageId) - TaxiJob.Functions.Menu.GenerateMenu(PlayerData.job.id, function(menu) - menu:AddButton({ - label = "Tenue civile", - value = nil, - select = function() - QBCore.Functions.Progressbar("switch_clothes", "Changement d'habits...", 5000, false, true, { - disableMovement = true, - disableCombat = true, - }, {animDict = "anim@mp_yacht@shower@male@", anim = "male_shower_towel_dry_to_get_dressed", flags = 16}, {}, {}, function() -- Done - TriggerServerEvent("soz-character:server:SetPlayerJobClothes", nil, false) - end) - end, - }) - - for name, skin in pairs(Config.Cloakroom[PlayerData.job.id][PlayerData.skin.Model.Hash]) do - menu:AddButton({ - label = name, - value = nil, - select = function() - QBCore.Functions.Progressbar("switch_clothes", "Changement d'habits...", 5000, false, true, { - disableMovement = true, - disableCombat = true, - }, { - animDict = "anim@mp_yacht@shower@male@", - anim = "male_shower_towel_dry_to_get_dressed", - flags = 16, - }, {}, {}, function() -- Done - if storageId then - TriggerServerEvent("soz-core:server:job:use-work-clothes", storageId) - end - TriggerServerEvent("soz-character:server:SetPlayerJobClothes", skin, true) - end) - end, - }) - end - end) -end) diff --git a/resources/[soz]/soz-taxi/client/job.lua b/resources/[soz]/soz-taxi/client/job.lua deleted file mode 100644 index 3939360dac..0000000000 --- a/resources/[soz]/soz-taxi/client/job.lua +++ /dev/null @@ -1,335 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() - -local HorodateurOpen = false -local HorodateurActive = false -local lastLocation = nil -local TotalDistance = 0 -local retval, taxiGroupHash = AddRelationshipGroup("TAXI") - -HorodateurData = {Tarif = 14, TarifActuelle = 0, Distance = 0} - -NpcData = { - Active = false, - CurrentNpc = nil, - LastNpc = nil, - CurrentDeliver = nil, - LastDeliver = nil, - Npc = nil, - NpcBlip = nil, - DeliveryBlip = nil, - NpcTaken = false, - NpcDelivered = false, - CountDown = 180, -} - -function ResetNpcTask() - NpcData = { - Active = false, - CurrentNpc = nil, - LastNpc = nil, - CurrentDeliver = nil, - LastDeliver = nil, - Npc = nil, - NpcBlip = nil, - DeliveryBlip = nil, - NpcTaken = false, - NpcDelivered = false, - } -end - -function ClearNpcMission() - -- clear blip - if NpcData.NpcBlip ~= nil then - RemoveBlip(NpcData.NpcBlip) - end - if NpcData.DeliveryBlip ~= nil then - RemoveBlip(NpcData.DeliveryBlip) - end - -- clear ped - local RemovePed = function(ped) - SetTimeout(60000, function() - DeletePed(ped) - end) - end - -- clear thread - if NpcData.NpcTaken then - TaskLeaveVehicle(NpcData.Npc, GetVehiclePedIsIn(NpcData.Npc, 0), 0) - SetEntityAsMissionEntity(NpcData.Npc, false, true) - SetEntityAsNoLongerNeeded(NpcData.Npc) - else - NpcData.NpcTaken = true - Wait(100) - RemovePed(NpcData.Npc) - end - ResetNpcTask() -end - -local function calculateFareAmount() - if HorodateurActive then - start = lastLocation - - if start then - current = GetEntityCoords(PlayerPedId()) - distance = #(start - current) - TotalDistance = distance + TotalDistance - HorodateurData["Distance"] = TotalDistance - - Tarif = (HorodateurData["Distance"] / 100.00) * HorodateurData["Tarif"] - - HorodateurData["TarifActuelle"] = math.ceil(Tarif) - - SendNUIMessage({action = "updateMeter", HorodateurData = HorodateurData}) - end - end -end - -local function ValidVehicle() - local ped = PlayerPedId() - local model = GetEntityModel(GetVehiclePedIsIn(ped)) - - return Config.AllowedVehicleModel[model] or false -end - --- horodateur - -RegisterNetEvent("taxi:client:toggleHorodateur", function() - if ValidVehicle() then - if not HorodateurOpen then - SendNUIMessage({action = "openMeter", toggle = true, HorodateurData = Config.Horodateur}) - HorodateurOpen = true - else - SendNUIMessage({action = "openMeter", toggle = false}) - HorodateurOpen = false - end - else - if HorodateurOpen then - SendNUIMessage({action = "openMeter", toggle = false}) - HorodateurOpen = false - end - end -end) - -RegisterNetEvent("taxi:client:enableHorodateur", function() - if HorodateurOpen then - SendNUIMessage({action = "toggleMeter"}) - TotalDistance = 0 - end -end) - -AddEventHandler("ems:client:onDeath", function() - if HorodateurOpen == true then - TriggerEvent("taxi:client:toggleHorodateur") - end -end) - --- command - -RegisterCommand("Horodateur-Taxi", function() - TriggerEvent("taxi:client:toggleHorodateur") -end) - -RegisterCommand("Horodateur-Taxi-active", function() - TriggerEvent("taxi:client:enableHorodateur") -end) - -RegisterKeyMapping("Horodateur-Taxi", "Horodateur Taxi", "keyboard", "OEM_7") - -RegisterKeyMapping("Horodateur-Taxi-active", "activer Horodateur Taxi", "keyboard", "OEM_5") - --- boucle - -CreateThread(function() - while true do - Wait(2000) - calculateFareAmount() - lastLocation = GetEntityCoords(PlayerPedId()) - - -- horodateur - - if not ValidVehicle() then - TriggerEvent("taxi:client:toggleHorodateur") - end - end -end) - --- nui - -RegisterNUICallback("enableMeter", function(data) - HorodateurActive = data.enabled - - if not data.enabled then - SendNUIMessage({action = "resetMeter"}) - end - lastLocation = GetEntityCoords(PlayerPedId()) -end) - --- mission pnj - -local function GetDeliveryLocation() - NpcData.CurrentDeliver = math.random(1, #Config.NPCLocations.DeliverLocations) - if NpcData.LastDeliver ~= nil then - while NpcData.LastDeliver ~= NpcData.CurrentDeliver do - NpcData.CurrentDeliver = math.random(1, #Config.NPCLocations.DeliverLocations) - end - end - - if NpcData.DeliveryBlip ~= nil then - RemoveBlip(NpcData.DeliveryBlip) - end - NpcData.DeliveryBlip = AddBlipForCoord(Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].x, - Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].y, - Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].z) - SetBlipColour(NpcData.DeliveryBlip, 3) - SetNewWaypoint(Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].x, Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].y) - NpcData.LastDeliver = NpcData.CurrentDeliver - CreateThread(function() - while NpcData.NpcTaken do - local ped = PlayerPedId() - local pos = GetEntityCoords(ped) - local dist = #(pos - - vector3(Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].x, - Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].y, - Config.NPCLocations.DeliverLocations[NpcData.CurrentDeliver].z)) - if dist < 5 then - if IsVehicleStopped(GetVehiclePedIsIn(ped, 0)) and ValidVehicle() then - local veh = GetVehiclePedIsIn(ped, 0) - if not IsPedInVehicle(NpcData.Npc, veh, false) then - ClearNpcMission() - exports["soz-hud"]:DrawNotification("Vous n'avez pas la personne dans votre véhicule") - return - end - TaskLeaveVehicle(NpcData.Npc, veh, 0) - SetPedRelationshipGroupHash(NpcData.Npc, taxiGroupHash) - SetRelationshipBetweenGroups(0, taxiGroupHash, GetHashKey("PLAYER")) - SetRelationshipBetweenGroups(0, GetHashKey("PLAYER"), taxiGroupHash) - SetEntityAsMissionEntity(NpcData.Npc, false, true) - SetEntityAsNoLongerNeeded(NpcData.Npc) - local targetCoords = Config.NPCLocations.TakeLocations[NpcData.LastNpc] - TaskGoStraightToCoord(NpcData.Npc, targetCoords.x, targetCoords.y, targetCoords.z, 1.0, -1, 0.0, 0.0) - TriggerServerEvent("taxi:server:NpcPay", HorodateurData.TarifActuelle) - HorodateurActive = false - TotalDistance = 0 - exports["soz-hud"]:DrawNotification("Vous avez déposé la personne") - if NpcData.DeliveryBlip ~= nil then - RemoveBlip(NpcData.DeliveryBlip) - end - local RemovePed = function(ped) - SetTimeout(60000, function() - DeletePed(ped) - end) - end - RemovePed(NpcData.Npc) - ResetNpcTask() - break - end - end - Wait(1) - end - end) -end - -RegisterNetEvent("taxi:client:DoTaxiNpc", function() - if ValidVehicle() then - if not NpcData.Active then - NpcData.CurrentNpc = math.random(1, #Config.NPCLocations.TakeLocations) - if NpcData.LastNpc ~= nil then - while NpcData.LastNpc ~= NpcData.CurrentNpc do - NpcData.CurrentNpc = math.random(1, #Config.NPCLocations.TakeLocations) - end - end - - local Gender = math.random(1, #Config.NpcSkins) - local PedSkin = math.random(1, #Config.NpcSkins[Gender]) - local model = GetHashKey(Config.NpcSkins[Gender][PedSkin]) - RequestModel(model) - while not HasModelLoaded(model) do - Wait(0) - end - NpcData.Npc = CreatePed(3, model, Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].x, Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].y, - Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].z - 0.98, Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].w, - false, true) - PlaceObjectOnGroundProperly(NpcData.Npc) - FreezeEntityPosition(NpcData.Npc, true) - if NpcData.NpcBlip ~= nil then - RemoveBlip(NpcData.NpcBlip) - end - - NpcData.NpcBlip = AddBlipForCoord(Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].x, Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].y, - Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].z) - SetBlipColour(NpcData.NpcBlip, 3) - SetNewWaypoint(Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].x, Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].y) - NpcData.LastNpc = NpcData.CurrentNpc - NpcData.Active = true - local hasHonked = false - - CreateThread(function() - while not NpcData.NpcTaken do - - local ped = PlayerPedId() - local pos = GetEntityCoords(ped) - local dist = #(pos - - vector3(Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].x, Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].y, - Config.NPCLocations.TakeLocations[NpcData.CurrentNpc].z)) - - local veh = GetVehiclePedIsIn(ped, 0) - hasHonked = hasHonked or IsHornActive(veh) - local requiredDist = 5 - if (hasHonked) then - requiredDist = 15 - end - if (dist < requiredDist) then - if IsVehicleStopped(GetVehiclePedIsIn(ped, 0)) and ValidVehicle() then - local maxSeats, freeSeat = GetVehicleMaxNumberOfPassengers(veh) - - for i = maxSeats - 1, 0, -1 do - if IsVehicleSeatFree(veh, i) then - freeSeat = i - break - end - end - - HorodateurOpen = true - HorodateurActive = true - TotalDistance = 0 - lastLocation = GetEntityCoords(PlayerPedId()) - ClearPedTasksImmediately(NpcData.Npc) - FreezeEntityPosition(NpcData.Npc, false) - TaskEnterVehicle(NpcData.Npc, veh, -1, freeSeat, 1.0, 0) - local count = 0 - while not IsPedInVehicle(NpcData.Npc, veh, false) do - local requiredDist = 5 - if (hasHonked) then - requiredDist = 15 - end - if count == 15 or dist > requiredDist then - ClearNpcMission() - exports["soz-hud"]:DrawNotification("Ouvre ton véhicule la prochaine fois ?") - return - end - Wait(1000) - TaskEnterVehicle(NpcData.Npc, veh, -1, freeSeat, 1.0, 0) - count = count + 1 - end - exports["soz-hud"]:DrawNotification("Amenez la personne à la destination spécifiée") - if NpcData.NpcBlip ~= nil then - RemoveBlip(NpcData.NpcBlip) - end - GetDeliveryLocation() - NpcData.NpcTaken = true - end - end - - Wait(1) - end - end) - else - exports["soz-hud"]:DrawNotification("Vous êtes déjà en mission") - end - else - exports["soz-hud"]:DrawNotification("Vous n'êtes pas dans un taxi") - end -end) - -RegisterNetEvent("ems:client:onDeath", function() - ClearNpcMission() -end) diff --git a/resources/[soz]/soz-taxi/client/main.lua b/resources/[soz]/soz-taxi/client/main.lua deleted file mode 100644 index 9cf00ef623..0000000000 --- a/resources/[soz]/soz-taxi/client/main.lua +++ /dev/null @@ -1,63 +0,0 @@ -QBCore = exports["qb-core"]:GetCoreObject() -SozJobCore = exports["soz-jobs"]:GetCoreObject() - -PlayerData = QBCore.Functions.GetPlayerData() -TaxiJob = {} - -onDuty = false - -RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() - QBCore.Functions.CreateBlip("CarlJr Services", { - name = "CarlJr Services", - coords = vector3(903.59, -158.47, 75.21), - sprite = 198, - scale = 1.0, - }) -end) - -RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() - PlayerData = QBCore.Functions.GetPlayerData() -end) - -RegisterNetEvent("QBCore:Player:SetPlayerData", function(data) - PlayerData = data -end) - -RegisterNetEvent("QBCore:Client:OnJobUpdate", function(JobInfo) - PlayerData.job = JobInfo -end) - -exports["qb-target"]:AddBoxZone("duty_taxi", vector3(903.47, -157.88, 74.17), 1.0, 1.0, - {name = "duty_taxi", heading = 328, minZ = 73.97, maxZ = 74.77, debugPoly = false}, { - options = { - { - type = "client", - event = "taxi:duty", - icon = "fas fa-sign-in-alt", - label = "Prendre son service", - canInteract = function() - return not PlayerData.job.onduty - end, - job = {["taxi"] = 0}, - }, - { - type = "client", - event = "taxi:duty", - icon = "fas fa-sign-in-alt", - label = "Finir son service", - canInteract = function() - return PlayerData.job.onduty - end, - job = {["taxi"] = 0}, - }, - }, - distance = 2.5, -}) - -RegisterNetEvent("taxi:duty") -AddEventHandler("taxi:duty", function() - TriggerServerEvent("QBCore:ToggleDuty") - if PlayerData.job.onduty then - ClearNpcMission() - end -end) diff --git a/resources/[soz]/soz-taxi/client/menu.lua b/resources/[soz]/soz-taxi/client/menu.lua deleted file mode 100644 index e1fe545030..0000000000 --- a/resources/[soz]/soz-taxi/client/menu.lua +++ /dev/null @@ -1,82 +0,0 @@ -TaxiJob.Functions = {} -TaxiJob.Functions.Menu = {} -TaxiJob.Menus = {} - -CreateThread(function() - TaxiJob.Menus["taxi"] = {menu = MenuV:CreateMenu(nil, "Le transport !", "menu_job_trucker", "soz", "taxi:menu")} -end) - -TaxiJob.Functions.Menu.GenerateMenu = function(job, cb) - if not TaxiJob.Functions.Menu.MenuAccessIsValid(job) then - return - end - - --- @type Menu - local menu = TaxiJob.Menus[job].menu - menu:ClearItems() - - cb(menu) - - if menu.IsOpen then - MenuV:CloseAll(function() - menu:Close() - end) - else - MenuV:CloseAll(function() - menu:Open() - end) - end -end - -TaxiJob.Functions.Menu.GenerateJobMenu = function(job) - TaxiJob.Functions.Menu.GenerateMenu(job, function(menu) - if PlayerData.job.onduty then - menu:AddButton({ - label = "Afficher Horodateur", - value = nil, - select = function() - TriggerEvent("taxi:client:toggleHorodateur") - end, - }) - menu:AddButton({ - label = "Activer Horodateur", - value = nil, - select = function() - TriggerEvent("taxi:client:enableHorodateur") - end, - }) - if not NpcData.Active then - menu:AddButton({ - label = "Prendre une mission", - value = nil, - select = function() - TriggerEvent("taxi:client:DoTaxiNpc") - end, - }) - else - menu:AddButton({ - label = "Annuler la mission", - value = nil, - select = function() - exports["soz-hud"]:DrawNotification("Vous avez annulé la mission") - ClearNpcMission() - end, - }) - end - else - menu:AddButton({label = "Tu n'es pas en service !", disabled = true}) - end - end) -end - ---- Events -RegisterNetEvent("taxi:client:OpenSocietyMenu", function() - TaxiJob.Functions.Menu.GenerateJobMenu(PlayerData.job.id) -end) - -TaxiJob.Functions.Menu.MenuAccessIsValid = function(job) - if PlayerData.job.id == "taxi" then - return true - end - return false -end diff --git a/resources/[soz]/soz-taxi/config.lua b/resources/[soz]/soz-taxi/config.lua deleted file mode 100644 index af2232f7ff..0000000000 --- a/resources/[soz]/soz-taxi/config.lua +++ /dev/null @@ -1,309 +0,0 @@ -Config = {} - -Config.AllowedVehicleModel = { - [GetHashKey("taxi")] = true, - [GetHashKey("dynasty")] = true, - [GetHashKey("dynasty2")] = true, -} - -Config.vehicule_position = {x = 897.24, y = -152.67, z = 76.56, w = 325.62} - -Config.Horodateur = {["defaultPrice"] = 14} - -Config.Cloakroom = { - ["taxi"] = { - [GetHashKey("mp_m_freemode_01")] = { - ["Tenue de service"] = { - Components = { - [3] = {Drawable = 11, Texture = 0, Palette = 0}, - [4] = {Drawable = 25, Texture = 0, Palette = 0}, - [6] = {Drawable = 10, Texture = 0, Palette = 0}, - [7] = {Drawable = 27, Texture = 2, Palette = 0}, - [8] = {Drawable = 6, Texture = 0, Palette = 0}, - [11] = {Drawable = 11, Texture = 1, Palette = 0}, - }, - Props = {}, - }, - ["Tenue d'hiver"] = { - Components = { - [3] = {Drawable = 22, Texture = 0, Palette = 0}, - [4] = {Drawable = 24, Texture = 5, Palette = 0}, - [6] = {Drawable = 10, Texture = 0, Palette = 0}, - [7] = {Drawable = 0, Texture = 0, Palette = 0}, - [8] = {Drawable = 15, Texture = 0, Palette = 0}, - [9] = {Drawable = 0, Texture = 0, Palette = 0}, - [10] = {Drawable = 0, Texture = 0, Palette = 0}, - [11] = {Drawable = 139, Texture = 3, Palette = 0}, - }, - Props = {}, - }, - ["Tenue de direction"] = { - Components = { - [3] = {Drawable = 12, Texture = 0, Palette = 0}, - [4] = {Drawable = 28, Texture = 0, Palette = 0}, - [6] = {Drawable = 10, Texture = 0, Palette = 0}, - [7] = {Drawable = 27, Texture = 2, Palette = 0}, - [8] = {Drawable = 33, Texture = 0, Palette = 0}, - [11] = {Drawable = 31, Texture = 0, Palette = 0}, - }, - Props = {}, - }, - }, - [GetHashKey("mp_f_freemode_01")] = { - ["Tenue de service"] = { - Components = { - [3] = {Drawable = 28, Texture = 0, Palette = 0}, - [4] = {Drawable = 54, Texture = 2, Palette = 0}, - [6] = {Drawable = 13, Texture = 0, Palette = 0}, - [7] = {Drawable = 23, Texture = 0, Palette = 0}, - [8] = {Drawable = 185, Texture = 0, Palette = 0}, - [11] = {Drawable = 334, Texture = 1, Palette = 0}, - }, - Props = {}, - }, - ["Tenue d'hiver"] = { - Components = { - [3] = {Drawable = 23, Texture = 0, Palette = 0}, - [4] = {Drawable = 37, Texture = 5, Palette = 0}, - [6] = {Drawable = 29, Texture = 0, Palette = 0}, - [7] = {Drawable = 0, Texture = 0, Palette = 0}, - [8] = {Drawable = 15, Texture = 0, Palette = 0}, - [9] = {Drawable = 0, Texture = 0, Palette = 0}, - [10] = {Drawable = 0, Texture = 0, Palette = 0}, - [11] = {Drawable = 103, Texture = 3, Palette = 0}, - }, - Props = {}, - }, - ["Tenue de direction"] = { - Components = { - [3] = {Drawable = 3, Texture = 0, Palette = 0}, - [4] = {Drawable = 54, Texture = 2, Palette = 0}, - [6] = {Drawable = 13, Texture = 0, Palette = 0}, - [7] = {Drawable = 0, Texture = 0, Palette = 0}, - [8] = {Drawable = 40, Texture = 2, Palette = 0}, - [11] = {Drawable = 7, Texture = 0, Palette = 0}, - }, - Props = {}, - }, - }, - }, -} - -Config.NPCLocations = { - TakeLocations = { - [1] = vector4(257.61, -380.57, 44.71, 340.5), - [2] = vector4(-48.58, -790.12, 44.22, 340.5), - [3] = vector4(240.06, -862.77, 29.73, 341.5), - [4] = vector4(826.0, -1885.26, 29.32, 81.5), - [5] = vector4(350.84, -1974.13, 24.52, 318.5), - [6] = vector4(-229.11, -2043.16, 27.75, 233.5), - [7] = vector4(-1053.23, -2716.2, 13.75, 329.5), - [8] = vector4(-774.04, -1277.25, 5.15, 171.5), - [9] = vector4(-1184.3, -1304.16, 5.24, 293.5), - [10] = vector4(-1321.28, -833.8, 16.95, 140.5), - [11] = vector4(-1613.99, -1015.82, 13.12, 342.5), - [12] = vector4(-1392.74, -584.91, 30.24, 32.5), - [13] = vector4(-515.19, -260.29, 35.53, 201.5), - [14] = vector4(-760.84, -34.35, 37.83, 208.5), - [15] = vector4(-1284.06, 297.52, 64.93, 148.5), - [16] = vector4(-808.29, 828.88, 202.89, 200.5), - [17] = vector4(1681.84, 3851.03, 35.03, 144.87), - [18] = vector4(2500.22, 4092.98, 37.79, 72.31), - [19] = vector4(2716.62, 4150.77, 43.43, 87.26), - [20] = vector4(3263.07, 5155.3, 19.64, 105.83), - [21] = vector4(2540.92, 2626.55, 37.66, 286.4), - [22] = vector4(2571.87, 475.63, 108.38, 97.73), - [23] = vector4(1681.11, 4827.0, 42.02, 98.42), - [24] = vector4(-2715.43, 1498.76, 106.4, 268.33), - [25] = vector4(-129.13, 6549.18, 29.44, 243.09), - [26] = vector4(-428.75, 6267.24, 30.41, 173.41), - [27] = vector4(-679.94, 5833.96, 17.66, 143.75), - [28] = vector4(1374.76, 1148.84, 113.48, 93.76), - [29] = vector4(-68.69, 887.69, 235.91, 37.78), - [30] = vector4(91.04, -2558.5, 5.94, 4.9), - - }, - DeliverLocations = { - [1] = vector4(-1074.39, -266.64, 37.75, 117.5), - [2] = vector4(-1412.07, -591.75, 30.38, 298.5), - [3] = vector4(-679.9, -845.01, 23.98, 269.5), - [4] = vector4(-158.05, -1565.3, 35.06, 139.5), - [5] = vector4(442.09, -1684.33, 29.25, 320.5), - [6] = vector4(1120.73, -957.31, 47.43, 289.5), - [7] = vector4(1238.85, -377.73, 69.03, 70.5), - [8] = vector4(922.24, -2224.03, 30.39, 354.5), - [9] = vector4(1920.93, 3703.85, 32.63, 120.5), - [10] = vector4(1662.55, 4876.71, 42.05, 185.5), - [11] = vector4(-9.51, 6529.67, 31.37, 136.5), - [12] = vector4(-3232.7, 1013.16, 12.09, 177.5), - [13] = vector4(-1604.09, -401.66, 42.35, 321.5), - [14] = vector4(-586.48, -255.96, 35.91, 210.5), - [15] = vector4(23.66, -60.23, 63.62, 341.5), - [16] = vector4(550.3, 172.55, 100.11, 339.5), - [17] = vector4(-1048.55, -2540.58, 13.69, 148.5), - [18] = vector4(-9.55, -544.0, 38.63, 87.5), - [19] = vector4(-7.86, -258.22, 46.9, 68.5), - [20] = vector4(-743.34, 817.81, 213.6, 219.5), - [21] = vector4(218.34, 677.47, 189.26, 359.5), - [22] = vector4(263.2, 1138.81, 221.75, 203.5), - [23] = vector4(220.64, -1010.81, 29.22, 160.5), - [24] = vector4(-1499.94, 1510.95, 115.65, 172.5), - [25] = vector4(-89.25, 1986.66, 182.99, 282.67), - [26] = vector4(336.49, 2619.37, 44.17, 287.62), - [27] = vector4(1137.82, 2664.52, 37.68, 181.61), - [28] = vector4(1412.57, 3594.21, 34.62, 105.9), - [29] = vector4(911.31, 3637.05, 32.72, 94.65), - [30] = vector4(2242.62, 5190.37, 60.43, 79.67), - [31] = vector4(2635.2, 3262.89, 55.3, 226.06), - [32] = vector4(-1136.23, 2673.41, 18.31, 39.11), - [33] = vector4(174.83, -3088.46, 5.68, 347.54), - - }, -} - -Config.NpcSkins = { - [1] = { - "a_f_m_skidrow_01", - "a_f_m_soucentmc_01", - "a_f_m_soucent_01", - "a_f_m_soucent_02", - "a_f_m_tourist_01", - "a_f_m_trampbeac_01", - "a_f_m_tramp_01", - "a_f_o_genstreet_01", - "a_f_o_indian_01", - "a_f_o_ktown_01", - "a_f_o_salton_01", - "a_f_o_soucent_01", - "a_f_o_soucent_02", - "a_f_y_beach_01", - "a_f_y_bevhills_01", - "a_f_y_bevhills_02", - "a_f_y_bevhills_03", - "a_f_y_bevhills_04", - "a_f_y_business_01", - "a_f_y_business_02", - "a_f_y_business_03", - "a_f_y_business_04", - "a_f_y_eastsa_01", - "a_f_y_eastsa_02", - "a_f_y_eastsa_03", - "a_f_y_epsilon_01", - "a_f_y_fitness_01", - "a_f_y_fitness_02", - "a_f_y_genhot_01", - "a_f_y_golfer_01", - "a_f_y_hiker_01", - "a_f_y_hipster_01", - "a_f_y_hipster_02", - "a_f_y_hipster_03", - "a_f_y_hipster_04", - "a_f_y_indian_01", - "a_f_y_juggalo_01", - "a_f_y_runner_01", - "a_f_y_rurmeth_01", - "a_f_y_scdressy_01", - "a_f_y_skater_01", - "a_f_y_soucent_01", - "a_f_y_soucent_02", - "a_f_y_soucent_03", - "a_f_y_tennis_01", - "a_f_y_tourist_01", - "a_f_y_tourist_02", - "a_f_y_vinewood_01", - "a_f_y_vinewood_02", - "a_f_y_vinewood_03", - "a_f_y_vinewood_04", - "a_f_y_yoga_01", - "g_f_y_ballas_01", - }, - [2] = { - "ig_barry", - "ig_bestmen", - "ig_beverly", - "ig_car3guy1", - "ig_car3guy2", - "ig_casey", - "ig_chef", - "ig_chengsr", - "ig_chrisformage", - "ig_clay", - "ig_claypain", - "ig_cletus", - "ig_dale", - "ig_dreyfuss", - "ig_fbisuit_01", - "ig_floyd", - "ig_groom", - "ig_hao", - "ig_hunter", - "csb_prolsec", - "ig_joeminuteman", - "ig_josef", - "ig_josh", - "ig_lamardavis", - "ig_lazlow", - "ig_lestercrest", - "ig_lifeinvad_01", - "ig_lifeinvad_02", - "ig_manuel", - "ig_milton", - "ig_mrk", - "ig_nervousron", - "ig_nigel", - "ig_old_man1a", - "ig_old_man2", - "ig_oneil", - "ig_orleans", - "ig_ortega", - "ig_paper", - "ig_priest", - "ig_prolsec_02", - "ig_ramp_gang", - "ig_ramp_hic", - "ig_ramp_hipster", - "ig_ramp_mex", - "ig_roccopelosi", - "ig_russiandrunk", - "ig_siemonyetarian", - "ig_solomon", - "ig_stevehains", - "ig_stretch", - "ig_talina", - "ig_taocheng", - "ig_taostranslator", - "ig_tenniscoach", - "ig_terry", - "ig_tomepsilon", - "ig_tylerdix", - "ig_wade", - "ig_zimbor", - "s_m_m_paramedic_01", - "a_m_m_afriamer_01", - "a_m_m_beach_01", - "a_m_m_beach_02", - "a_m_m_bevhills_01", - "a_m_m_bevhills_02", - "a_m_m_business_01", - "a_m_m_eastsa_01", - "a_m_m_eastsa_02", - "a_m_m_farmer_01", - "a_m_m_fatlatin_01", - "a_m_m_genfat_01", - "a_m_m_genfat_02", - "a_m_m_golfer_01", - "a_m_m_hasjew_01", - "a_m_m_hillbilly_01", - "a_m_m_hillbilly_02", - "a_m_m_indian_01", - "a_m_m_ktown_01", - "a_m_m_malibu_01", - "a_m_m_mexcntry_01", - "a_m_m_mexlabor_01", - "a_m_m_og_boss_01", - "a_m_m_paparazzi_01", - "a_m_m_polynesian_01", - "a_m_m_prolhost_01", - "a_m_m_rurmeth_01", - }, -} diff --git a/resources/[soz]/soz-taxi/fxmanifest.lua b/resources/[soz]/soz-taxi/fxmanifest.lua deleted file mode 100644 index e62faf8c2b..0000000000 --- a/resources/[soz]/soz-taxi/fxmanifest.lua +++ /dev/null @@ -1,14 +0,0 @@ -fx_version "cerulean" -games {"gta5"} - -ui_page "html/horodateur.html" - -shared_scripts {"config.lua"} - -client_scripts {"@PolyZone/client.lua", "@PolyZone/BoxZone.lua", "@menuv/menuv.lua", "client/*.lua"} - -server_scripts {"server/*.lua"} - -files {"html/horodateur.css", "html/horodateur.html", "html/horodateur.js", "html/Brouznouf_Z7_.png"} - -dependencies {"qb-core", "menuv", "qb-target", "PolyZone"} diff --git a/resources/[soz]/soz-taxi/html/Brouznouf_Z7_.png b/resources/[soz]/soz-taxi/html/Brouznouf_Z7_.png deleted file mode 100644 index fc4128ce68..0000000000 Binary files a/resources/[soz]/soz-taxi/html/Brouznouf_Z7_.png and /dev/null differ diff --git a/resources/[soz]/soz-taxi/html/horodateur.css b/resources/[soz]/soz-taxi/html/horodateur.css deleted file mode 100644 index d39cba98a6..0000000000 --- a/resources/[soz]/soz-taxi/html/horodateur.css +++ /dev/null @@ -1,124 +0,0 @@ -@import url('https://fonts.googleapis.com/css?family=Lato&display=swap'); - -:root { - --meter-size-width: 45vh; - --meter-size-height: 22.3vh; - overflow: hidden; -} - -.container { - height: 100vh; -} - -#horodateur { - position: absolute; - bottom: 5vh; - right: 5vh; - width: var(--meter-size-width); - height: var(--meter-size-height); -} - -.horodateur { - position: absolute; - bottom: 5vh; - right: 5vh; - width: var(--meter-size-width); - height: var(--meter-size-height); -} - -#total-price { - color: rgb(64, 160, 64); - font-family: 'Lato'; - font-weight: bold; - letter-spacing: 0.1vh; - font-size: 4.1vh; - top: 4vh; - right: 8vh; - float: right; - position: absolute; -} - -#total-price-label { - color: rgba(255, 255, 255, 0.75); - font-family: 'Lato'; - font-weight: lighter; - font-size: 1.1vh; - letter-spacing: 0.1vh; - top: 9vh; - right: 8vh; - float: right; - position: absolute; -} - -#total-distance { - color: rgb(255, 153, 57); - font-family: 'Lato'; - font-weight: bold; - letter-spacing: 0.1vh; - font-size: 4.1vh; - top: 11.5vh; - right: 8vh; - float: right; - position: absolute; -} - -#total-distance-label { - color: rgba(255, 255, 255, 0.75); - font-family: 'Lato'; - font-weight: lighter; - font-size: 1.1vh; - letter-spacing: 0.1vh; - top: 16.5vh; - right: 8vh; - float: right; - position: absolute; -} - -#total-price-per-100m { - color: rgb(56, 143, 243); - font-family: 'Lato'; - font-weight: bold; - letter-spacing: 0.1vh; - font-size: 4.1vh; - top: 11.5vh; - right: 25vh; - float: right; - position: absolute; -} - -#total-price-per-100m-label { - color: rgba(255, 255, 255, 0.75); - font-family: 'Lato'; - font-weight: lighter; - font-size: 1.1vh; - letter-spacing: 0.1vh; - top: 16.5vh; - right: 25vh; - float: right; - position: absolute; -} - -.toggle-meter-btn { - position: absolute; - height: 6vh; - width: 6.7vh; - background: rgba(46, 46, 46, 0.534); - top: 4.15vh; - left: 3.8vh; - border-radius: 0.8vh; - transition: background 0.1s linear; -} - -.toggle-meter-btn > p { - text-align: center; - line-height: 5.8vh; - font-size: 1.2vh; - color: rgb(231, 30, 37); - letter-spacing: 0.1vh; - font-family: sans-serif; - font-weight: bold; -} - -.toggle-meter-btn:hover { - background: rgba(66, 66, 66, 0.657); -} \ No newline at end of file diff --git a/resources/[soz]/soz-taxi/html/horodateur.html b/resources/[soz]/soz-taxi/html/horodateur.html deleted file mode 100644 index e3e7d9b05a..0000000000 --- a/resources/[soz]/soz-taxi/html/horodateur.html +++ /dev/null @@ -1,34 +0,0 @@ - - - - - - - - - - - Taxi horodateur - - -
- horodateur -
- - $ 0.00 - Prix Total $ - - 0.0 Km - Distance Total - - - Prix p/ 100m - -
-

Stopped

-
-
-
- - - \ No newline at end of file diff --git a/resources/[soz]/soz-taxi/html/horodateur.js b/resources/[soz]/soz-taxi/html/horodateur.js deleted file mode 100644 index 84c8279baf..0000000000 --- a/resources/[soz]/soz-taxi/html/horodateur.js +++ /dev/null @@ -1,75 +0,0 @@ -let meterStarted = false; - -$(document).ready(function(){ - - $('.container').hide(); - - window.addEventListener('message', function(event){ - var eventData = event.data; - - if (eventData.action === "openMeter") { - if (eventData.toggle) { - openMeter(eventData.HorodateurData) - } else { - closeMeter() - } - } - - if (eventData.action === "toggleMeter") { - meterToggle() - } - - if (eventData.action === "updateMeter") { - updateMeter(eventData.HorodateurData) - } - - if (eventData.action === "resetMeter") { - resetMeter() - } - }); -}); - -function updateMeter(HorodateurData) { - $("#total-price").html("$ "+ (HorodateurData.TarifActuelle).toFixed(2)) - $("#total-distance").html((HorodateurData.Distance / 1000).toFixed(1) + " Km") -} - -function resetMeter() { - $("#total-price").html("$ 0.00") - $("#total-distance").html("0.0 Km") -} - -function meterToggle() { - if (!meterStarted) { - $.post('https://soz-taxi/enableMeter', JSON.stringify({ - enabled: true, - })); - toggleMeter(true) - meterStarted = true; - } else { - $.post('https://soz-taxi/enableMeter', JSON.stringify({ - enabled: false, - })); - toggleMeter(false) - meterStarted = false; - } -} - -function toggleMeter(enabled) { - if (enabled) { - $(".toggle-meter-btn").html("

Start

"); - $(".toggle-meter-btn p").css({"color": "rgb(51, 160, 37)"}); - } else { - $(".toggle-meter-btn").html("

Stop

"); - $(".toggle-meter-btn p").css({"color": "rgb(231, 30, 37)"}); - } -} - -function openMeter(HorodateurData) { - $('.container').fadeIn(150); - $('#total-price-per-100m').html("$ " + (HorodateurData.defaultPrice).toFixed(2)) -} - -function closeMeter() { - $('.container').fadeOut(150); -} diff --git a/resources/[soz]/soz-taxi/server/server.lua b/resources/[soz]/soz-taxi/server/server.lua deleted file mode 100644 index bff5d05cd6..0000000000 --- a/resources/[soz]/soz-taxi/server/server.lua +++ /dev/null @@ -1,10 +0,0 @@ -local QBCore = exports["qb-core"]:GetCoreObject() - -RegisterNetEvent("taxi:server:NpcPay", function(Payment) - local src = source - local Player = QBCore.Functions.GetPlayer(src) - - TriggerEvent("banking:server:TransferMoney", "farm_taxi", "safe_taxi", Payment) - TriggerEvent("monitor:server:event", "job_carljr_npc_course", {player_source = Player.PlayerData.source}, - {amount = tonumber(Payment), position = GetEntityCoords(GetPlayerPed(Player.PlayerData.source))}) -end) diff --git a/resources/[soz]/soz-upw/client/main.lua b/resources/[soz]/soz-upw/client/main.lua index f4abd74783..09090d3a81 100644 --- a/resources/[soz]/soz-upw/client/main.lua +++ b/resources/[soz]/soz-upw/client/main.lua @@ -158,6 +158,8 @@ Citizen.CreateThread(function() }) QBCore.Functions.HideBlip("job_upw_resell", true) end + + TriggerEvent("upw:init:end") end) function CreateZone(identifier, zoneType, data) @@ -180,7 +182,7 @@ RegisterNetEvent("soz-upw:client:CreateZone", function(identifier, zoneType, zon if conf.create then conf.create(identifier, zone, data) else - exports["soz-hud"]:DrawNotification("Erreur lors de la création de la zone", "error") + exports["soz-core"]:DrawNotification("Erreur lors de la création de la zone", "error") end end) diff --git a/resources/[soz]/soz-upw/client/menu.lua b/resources/[soz]/soz-upw/client/menu.lua deleted file mode 100644 index 948a6f5794..0000000000 --- a/resources/[soz]/soz-upw/client/menu.lua +++ /dev/null @@ -1,139 +0,0 @@ -local societyMenu = MenuV:CreateMenu(nil, "", "menu_job_upw", "soz", "upw:menu") -local societyMenuState = { - ["displayInverter"] = false, - ["displayJobTerminal"] = false, - ["displayGlobalTerminal"] = false, - ["displayPlant"] = false, - ["displayResell"] = false, -} - -local function SetBlipVisibility(type, visible, entreprise) - local facilities = QBCore.Functions.TriggerRpc("soz-upw:server:GetFacilitiesFromDb", {type}) - - for _, facility in ipairs(facilities) do - local data = json.decode(facility.data) - local blip_id = ("job_upw_%s"):format(facility.identifier) - - if type ~= "terminal" then - QBCore.Functions.HideBlip(blip_id, not visible) - end - - if type == "terminal" and entreprise and data.scope == "entreprise" then - QBCore.Functions.HideBlip(blip_id, not visible) - end - - if type == "terminal" and not entreprise and data.scope ~= "entreprise" then - QBCore.Functions.HideBlip(blip_id, not visible) - end - end - - if type == "resell" then - QBCore.Functions.HideBlip("job_upw_resell", not visible) - end -end - -RegisterNetEvent("jobs:client:upw:OpenSocietyMenu", function() - if societyMenu.IsOpen then - societyMenu:Close() - return - end - - societyMenu:ClearItems() - - if OnDuty() then - societyMenu:AddCheckbox({ - label = "Afficher les Onduleurs", - value = societyMenuState.displayInverter, - change = function(_, value) - societyMenuState.displayInverter = value - SetBlipVisibility("inverter", value) - end, - }) - societyMenu:AddCheckbox({ - label = "Afficher les Bornes entreprises", - value = societyMenuState.displayJobTerminal, - change = function(_, value) - societyMenuState.displayJobTerminal = value - SetBlipVisibility("terminal", value, true) - end, - }) - societyMenu:AddCheckbox({ - label = "Afficher les Bornes civiles", - value = societyMenuState.displayGlobalTerminal, - change = function(_, value) - societyMenuState.displayGlobalTerminal = value - SetBlipVisibility("terminal", value, false) - end, - }) - societyMenu:AddCheckbox({ - label = "Afficher les Installations électriques", - value = societyMenuState.displayPlant, - change = function(_, value) - societyMenuState.displayPlant = value - SetBlipVisibility("plant", value, false) - end, - }) - societyMenu:AddCheckbox({ - label = "Afficher le Stockage de revente", - value = societyMenuState.displayResell, - change = function(_, value) - societyMenuState.displayResell = value - SetBlipVisibility("resell", value) - end, - }) - else - societyMenu:AddButton({label = "Tu n'es pas en service !", disabled = true}) - end - - if societyMenu.IsOpen then - MenuV:CloseAll(function() - societyMenu:Close() - end) - else - MenuV:CloseAll(function() - societyMenu:Open() - end) - end -end) - -RegisterNetEvent("upw:client:OpenCloakroomMenu", function(storageId) - societyMenu:ClearItems() - - societyMenu:AddButton({ - label = "Tenue civile", - value = nil, - select = function() - QBCore.Functions.Progressbar("switch_clothes", "Changement d'habits...", 5000, false, true, { - disableMovement = true, - disableCombat = true, - }, {animDict = "anim@mp_yacht@shower@male@", anim = "male_shower_towel_dry_to_get_dressed", flags = 16}, {}, {}, function() -- Done - TriggerServerEvent("soz-character:server:SetPlayerJobClothes", nil) - end) - end, - }) - - table.sort(Config.Cloakroom[PlayerData.skin.Model.Hash], function(a, b) - return a.name < b.name - end) - - for _, config in pairs(Config.Cloakroom[PlayerData.skin.Model.Hash]) do - societyMenu:AddButton({ - label = config.name, - value = nil, - select = function() - QBCore.Functions.Progressbar("switch_clothes", "Changement d'habits...", 5000, false, true, { - disableMovement = true, - disableCombat = true, - }, {animDict = "anim@mp_yacht@shower@male@", anim = "male_shower_towel_dry_to_get_dressed", flags = 16}, {}, {}, function() -- Done - if storageId then - TriggerServerEvent("soz-core:server:job:use-work-clothes", storageId) - end - TriggerServerEvent("soz-character:server:SetPlayerJobClothes", config.skin) - end) - end, - }) - end - - societyMenu:Open() -end) - diff --git a/resources/[soz]/soz-upw/client/production.lua b/resources/[soz]/soz-upw/client/production.lua index d5f0056ed8..e4a675f7e8 100644 --- a/resources/[soz]/soz-upw/client/production.lua +++ b/resources/[soz]/soz-upw/client/production.lua @@ -3,6 +3,7 @@ function CreateEnergyZone(identifier, data) { label = "Collecter l'énergie", event = "soz-upw:client:HarvestLoop", + icon = "c:upw/collecter.png", identifier = identifier, harvest = "energy", canInteract = function() @@ -11,9 +12,10 @@ function CreateEnergyZone(identifier, data) }, { label = "Taux de pollution", + icon = "c:upw/pollution.png", action = function() local pollution = QBCore.Functions.TriggerRpc("soz-upw:server:GetPollutionPercent", true) - exports["soz-hud"]:DrawNotification("Niveau de pollution : " .. pollution, "info") + exports["soz-core"]:DrawNotification("Niveau de pollution : " .. pollution, "info") end, canInteract = function() return OnDuty() @@ -29,6 +31,7 @@ function CreateWasteZone(identifier, data) { label = "Collecter les déchets", event = "soz-upw:client:HarvestLoop", + icon = "c:upw/recyclage.png", identifier = identifier, harvest = "waste", canInteract = function() @@ -78,9 +81,9 @@ local function Harvest(identifier, harvest) local harvested, message = table.unpack(result) if harvested then - exports["soz-hud"]:DrawNotification(message, "success") + exports["soz-core"]:DrawNotification(message, "success") else - exports["soz-hud"]:DrawNotification("Il y a eu une erreur : " .. message, "error") + exports["soz-core"]:DrawNotification("Il y a eu une erreur : " .. message, "error") end return harvested @@ -102,7 +105,7 @@ local function HarvestLoop(data) HarvestLoop(data) end else - exports["soz-hud"]:DrawNotification(reason, "error") + exports["soz-core"]:DrawNotification(reason, "error") end end AddEventHandler("soz-upw:client:HarvestLoop", HarvestLoop) diff --git a/resources/[soz]/soz-upw/client/resale.lua b/resources/[soz]/soz-upw/client/resale.lua index cd6d55953d..ee1093d3d1 100644 --- a/resources/[soz]/soz-upw/client/resale.lua +++ b/resources/[soz]/soz-upw/client/resale.lua @@ -2,6 +2,7 @@ function CreateResaleZone(data) data.options = { { label = "Vendre l'énergie", + icon = "c:upw/vendre.png", event = "soz-upw:client:ResaleEnergy", canInteract = function() return OnDuty() @@ -24,7 +25,7 @@ AddEventHandler("soz-upw:client:ResaleEnergy", function() }, {animDict = "anim@mp_radio@garage@low", anim = "action_a"}, {}, {}) if not progress then - exports["soz-hud"]:DrawNotification("Il y a eu une erreur", "error") + exports["soz-core"]:DrawNotification("Il y a eu une erreur", "error") return end @@ -32,9 +33,9 @@ AddEventHandler("soz-upw:client:ResaleEnergy", function() local success, message = table.unpack(res) if success then - exports["soz-hud"]:DrawNotification(message, "success") + exports["soz-core"]:DrawNotification(message, "success") TriggerEvent("soz-upw:client:ResaleEnergy") else - exports["soz-hud"]:DrawNotification(message, "error") + exports["soz-core"]:DrawNotification(message, "error") end end) diff --git a/resources/[soz]/soz-upw/client/storage.lua b/resources/[soz]/soz-upw/client/storage.lua index 0ac6474cb9..76cb094cf1 100644 --- a/resources/[soz]/soz-upw/client/storage.lua +++ b/resources/[soz]/soz-upw/client/storage.lua @@ -1,9 +1,13 @@ RunInverterRefreshLoop = false -local entitiesToId = {} +local objectIdJobs = {} function CreateInverterZone(identifier, data) - exports["soz-utils"]:CreateObjectClient(identifier, GetHashKey("upwpile"), data.coords.x, data.coords.y, data.coords.z, data.heading, 8000.0, true) + exports["soz-core"]:CreateObject({ + id = identifier, + position = {data.coords.x, data.coords.y, data.coords.z, data.heading}, + model = GetHashKey("upwpile"), + }); data.options = { { @@ -60,12 +64,24 @@ local function getTerminalProp(scope) end end +local function getTerminalTargetProp(scope) + if scope == "default" then + return {"soz_prop_elec01", "soz_prop_elec01_hs2"} + elseif scope == "entreprise" then + return {"soz_prop_elec02", "soz_prop_elec02_hs2"} + end +end + function CreateTerminalZone(identifier, data, facility) local prop = getTerminalProp(facility.scope) - local entity = - exports["soz-utils"]:CreateObjectClient(identifier, GetHashKey(prop), data.coords.x, data.coords.y, data.coords.z, data.heading, 8000.0, true) - entitiesToId[entity] = {identifier = identifier, job = facility.job}; + exports["soz-core"]:CreateObject({ + id = identifier, + position = {data.coords.x, data.coords.y, data.coords.z, data.heading}, + model = GetHashKey(prop), + }); + + objectIdJobs[identifier] = facility.job end function CreateTerminalTarget() @@ -74,15 +90,19 @@ function CreateTerminalTarget() end function CreateTerminalTargetScope(scope) - local prop = getTerminalProp(scope) + local prop = getTerminalTargetProp(scope) local options = { { label = "Déposer l'énergie", + icon = "c:upw/deposer.png", action = function(entity) - TriggerEvent("soz-upw:client:HarvestLoop", { - identifier = entitiesToId[entity].identifier, - harvest = "terminal-in", - }) + local objectId = exports["soz-core"]:GetObjectIdFromEntity(entity) + + if not objectId then + return + end + + TriggerEvent("soz-upw:client:HarvestLoop", {identifier = objectId, harvest = "terminal-in"}) end, canInteract = function() return OnDuty() @@ -90,16 +110,26 @@ function CreateTerminalTargetScope(scope) }, { label = "État d'énergie", + icon = "c:fuel/battery.png", action = function(entity) - TriggerServerEvent("soz-upw:server:FacilityCapacity", { - identifier = entitiesToId[entity].identifier, - facility = "terminal", - }) + local objectId = exports["soz-core"]:GetObjectIdFromEntity(entity) + + if not objectId then + return + end + + TriggerServerEvent("soz-upw:server:FacilityCapacity", {identifier = objectId, facility = "terminal"}) end, scope = scope, canInteract = function(entity, distance, data) + local objectId = exports["soz-core"]:GetObjectIdFromEntity(entity) + + if not objectId then + return false + end + if data.scope == "entreprise" then - return OnDutyUpwOrJob(entitiesToId[entity].job) + return OnDutyUpwOrJob(objectIdJobs[objectId]) else return OnDuty() end @@ -109,7 +139,3 @@ function CreateTerminalTargetScope(scope) exports["qb-target"]:AddTargetModel(prop, {options = options, distance = 2}) end - -exports("GetTerminalIdentifierForEntity", function(entity) - return entitiesToId[entity].identifier; -end) diff --git a/resources/[soz]/soz-upw/config.lua b/resources/[soz]/soz-upw/config.lua index 6a6740cad6..eac5abe06f 100644 --- a/resources/[soz]/soz-upw/config.lua +++ b/resources/[soz]/soz-upw/config.lua @@ -14,7 +14,12 @@ Config.Blip = { Config.InverterMaxCapacity = 300000 Config.Items = { - Energy = {fossil1 = "energy_cell_fossil", hydro1 = "energy_cell_hydro", wind1 = "energy_cell_wind"}, + Energy = { + fossil1 = "energy_cell_fossil", + hydro1 = "energy_cell_hydro", + wind1 = "energy_cell_wind", + solar1 = "energy_cell_solar", + }, Waste = {Hydro = "seeweed_acid"}, } @@ -26,9 +31,10 @@ Config.Production = { energy_cell_fossil = GetConvarInt("soz_upw_energy_per_cell_fossil", 1), energy_cell_hydro = GetConvarInt("soz_upw_energy_per_cell_hydro", 1), energy_cell_wind = GetConvarInt("soz_upw_energy_per_cell_wind", 1), + energy_cell_solar = GetConvarInt("soz_upw_energy_per_cell_solar", 1), }, WastePerHarvest = GetConvarInt("soz_upw_waste_per_harvest", 1), - HourBoost = {fossil1 = 1, hydro1 = 1, wind1 = 1}, + HourBoost = {fossil1 = 1, hydro1 = 1, wind1 = 1, solar1 = 1}, } Config.Consumption = { @@ -81,238 +87,17 @@ Config.Upw = {} Config.Upw.Accounts = {FarmAccount = "farm_upw", SafeAccount = "safe_upw"} Config.Upw.Resale = { Duration = 5000, - EnergyCellPrice = {["energy_cell_fossil"] = 20, ["energy_cell_hydro"] = 45, ["energy_cell_wind"] = 100}, - EnergyCellPriceGlobal = {["energy_cell_fossil"] = 30, ["energy_cell_hydro"] = 18, ["energy_cell_wind"] = 12}, - Zone = {coords = vector3(291.97, -2885.82, 6.01), sx = 5.2, sy = 3.8, heading = 0, minZ = 5.01, maxZ = 8.21}, -} - -Config.Cloakroom = { - [GetHashKey("mp_m_freemode_01")] = { - { - name = "Tenue d'apprenti pour été", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 41, Texture = 0}, - [4] = {Palette = 0, Drawable = 98, Texture = 19}, - [6] = {Palette = 0, Drawable = 12, Texture = 5}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 15, Texture = 0}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 146, Texture = 6}, - }, - Props = {[0] = {Drawable = 145, Texture = 0, Palette = 0}}, - }, - }, - { - name = "Tenue d'apprenti pour hiver", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 42, Texture = 0}, - [4] = {Palette = 0, Drawable = 98, Texture = 19}, - [6] = {Palette = 0, Drawable = 12, Texture = 5}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 2, Texture = 2}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 244, Texture = 4}, - }, - Props = {[0] = {Drawable = 145, Texture = 0, Palette = 0}}, - }, - }, - { - name = "Tenue d'électricien pour été", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 41, Texture = 0}, - [4] = {Palette = 0, Drawable = 98, Texture = 19}, - [6] = {Palette = 0, Drawable = 12, Texture = 5}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 15, Texture = 0}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 22, Texture = 1}, - }, - Props = {[0] = {Drawable = 145, Texture = 1, Palette = 0}}, - }, - }, - { - name = "Tenue d'électricien pour hiver", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 42, Texture = 0}, - [4] = {Palette = 0, Drawable = 98, Texture = 19}, - [6] = {Palette = 0, Drawable = 12, Texture = 5}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 2, Texture = 2}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 244, Texture = 6}, - }, - Props = {[0] = {Drawable = 145, Texture = 1, Palette = 0}}, - }, - }, - { - name = "Tenue de chef électricien pour été", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 41, Texture = 0}, - [4] = {Palette = 0, Drawable = 98, Texture = 19}, - [6] = {Palette = 0, Drawable = 12, Texture = 5}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 15, Texture = 0}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 241, Texture = 2}, - }, - Props = {[0] = {Drawable = 145, Texture = 2, Palette = 0}}, - }, - }, - { - name = "Tenue de chef électricien pour hiver", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 42, Texture = 0}, - [4] = {Palette = 0, Drawable = 98, Texture = 19}, - [6] = {Palette = 0, Drawable = 12, Texture = 5}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 2, Texture = 2}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 244, Texture = 7}, - }, - Props = {[0] = {Drawable = 145, Texture = 2, Palette = 0}}, - }, - }, - { - name = "Tenue de la Direction", - skin = { - Components = { - [3] = {Palette = 0, Drawable = 1, Texture = 0}, - [4] = {Palette = 0, Drawable = 25, Texture = 0}, - [6] = {Palette = 0, Drawable = 56, Texture = 1}, - [7] = {Palette = 0, Drawable = 0, Texture = 0}, - [8] = {Palette = 0, Drawable = 32, Texture = 0}, - [9] = {Palette = 0, Drawable = 0, Texture = 0}, - [10] = {Palette = 0, Drawable = 0, Texture = 0}, - [11] = {Palette = 0, Drawable = 294, Texture = 7}, - }, - Props = {[0] = {Drawable = 145, Texture = 3, Palette = 0}}, - }, - }, + EnergyCellPrice = { + ["energy_cell_fossil"] = 40, + ["energy_cell_hydro"] = 90, + ["energy_cell_wind"] = 200, + ["energy_cell_solar"] = 200, }, - [GetHashKey("mp_f_freemode_01")] = { - { - name = "Tenue d'apprentie pour été", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 57}, - [4] = {Texture = 19, Palette = 0, Drawable = 101}, - [6] = {Texture = 2, Palette = 0, Drawable = 60}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 9, Palette = 0, Drawable = 101}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 1, Palette = 0, Drawable = 141}, - }, - Props = {[0] = {Drawable = 144, Texture = 0, Palette = 0}}, - }, - }, - { - name = "Tenue d'apprentie pour hiver", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 46}, - [4] = {Texture = 19, Palette = 0, Drawable = 101}, - [6] = {Texture = 2, Palette = 0, Drawable = 60}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 5, Palette = 0, Drawable = 213}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 4, Palette = 0, Drawable = 252}, - }, - Props = {[0] = {Drawable = 144, Texture = 0, Palette = 0}}, - }, - }, - { - name = "Tenue d'électricienne pour été", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 57}, - [4] = {Texture = 19, Palette = 0, Drawable = 101}, - [6] = {Texture = 2, Palette = 0, Drawable = 60}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 9, Palette = 0, Drawable = 101}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 1, Palette = 0, Drawable = 286}, - }, - Props = {[0] = {Drawable = 144, Texture = 1, Palette = 0}}, - }, - }, - { - name = "Tenue d'électricienne pour hiver", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 46}, - [4] = {Texture = 19, Palette = 0, Drawable = 101}, - [6] = {Texture = 2, Palette = 0, Drawable = 60}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 5, Palette = 0, Drawable = 213}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 6, Palette = 0, Drawable = 252}, - }, - Props = {[0] = {Drawable = 144, Texture = 1, Palette = 0}}, - }, - }, - { - name = "Tenue de cheffe électricienne pour été", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 57}, - [4] = {Texture = 19, Palette = 0, Drawable = 101}, - [6] = {Texture = 2, Palette = 0, Drawable = 60}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 9, Palette = 0, Drawable = 101}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 2, Palette = 0, Drawable = 249}, - }, - Props = {[0] = {Drawable = 144, Texture = 2, Palette = 0}}, - }, - }, - { - name = "Tenue de cheffe électricienne pour hiver", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 46}, - [4] = {Texture = 19, Palette = 0, Drawable = 101}, - [6] = {Texture = 2, Palette = 0, Drawable = 60}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 5, Palette = 0, Drawable = 213}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 7, Palette = 0, Drawable = 252}, - }, - Props = {[0] = {Drawable = 144, Texture = 2, Palette = 0}}, - }, - }, - { - name = "Tenue de la Direction", - skin = { - Components = { - [3] = {Texture = 0, Palette = 0, Drawable = 5}, - [4] = {Texture = 0, Palette = 0, Drawable = 133}, - [6] = {Texture = 0, Palette = 0, Drawable = 27}, - [7] = {Texture = 0, Palette = 0, Drawable = 0}, - [8] = {Texture = 6, Palette = 0, Drawable = 217}, - [9] = {Texture = 0, Palette = 0, Drawable = 0}, - [10] = {Texture = 0, Palette = 0, Drawable = 0}, - [11] = {Texture = 2, Palette = 0, Drawable = 6}, - }, - Props = {[0] = {Drawable = 144, Texture = 3, Palette = 0}}, - }, - }, + EnergyCellPriceGlobal = { + ["energy_cell_fossil"] = 90, + ["energy_cell_hydro"] = 54, + ["energy_cell_wind"] = 36, + ["energy_cell_solar"] = 36, }, + Zone = {coords = vector3(291.97, -2885.82, 6.01), sx = 5.2, sy = 3.8, heading = 0, minZ = 5.01, maxZ = 8.21}, } diff --git a/resources/[soz]/soz-upw/server/facilities/pollution-manager.lua b/resources/[soz]/soz-upw/server/facilities/pollution-manager.lua index f7732849c9..012cb4d251 100644 --- a/resources/[soz]/soz-upw/server/facilities/pollution-manager.lua +++ b/resources/[soz]/soz-upw/server/facilities/pollution-manager.lua @@ -9,8 +9,6 @@ function PollutionManager:new(identifier, options) setmetatable(self, {__index = PollutionManager}) - TriggerEvent("soz-upw:server:onPollutionManagerReady") - return self end diff --git a/resources/[soz]/soz-upw/server/main.lua b/resources/[soz]/soz-upw/server/main.lua index 3215395a25..fa341ce1e2 100644 --- a/resources/[soz]/soz-upw/server/main.lua +++ b/resources/[soz]/soz-upw/server/main.lua @@ -84,6 +84,8 @@ MySQL.ready(function() StartProductionLoop() StartConsumptionLoop() StartSaveLoop() + + TriggerEvent("soz-upw:server:onPollutionManagerReady") end) -- @@ -124,7 +126,9 @@ RegisterNetEvent("soz-upw:server:AddFacility", function(model, coords, scope, jo if scope and scope == "entreprise" then if job == nil then - TriggerClientEvent("hud:client:DrawNotification", source, "Pas d'entreprise sélectionnée", "error") + TriggerClientEvent("soz-core:client:notification:draw", source, "Pas d'entreprise sélectionnée", "error") + + return end end @@ -179,35 +183,30 @@ end -- -- METRICS -- -exports("GetUpwMetrics", function() - local metrics = {} - if Pm == {} or Pm == nil then - return metrics +exports("GetMetrics", function() + if Pm == nil or #Pm == 0 then + return {} end - -- Pollution Level - metrics["pollution_level"] = {{identifier = Pm.identifier, value = Pm:GetPollutionLevel()}} - metrics["pollution_percent"] = {{identifier = Pm.identifier, value = Pm:GetPollutionPercent()}} - - -- Blackout Level - metrics["blackout_level"] = {{identifier = "blackout", value = GetBlackoutLevel()}} - metrics["blackout_percent"] = {{identifier = "blackout", value = GetBlackoutPercent()}} + local metrics = { + pollution_level = Pm:GetPollutionLevel(), + pollution_percent = Pm:GetPollutionPercent(), + blackout_level = GetBlackoutLevel(), + blackout_percent = GetBlackoutPercent(), + facilities = {}, + } -- Facilities for type_, data in pairs(facilities) do for identifier, facility in pairs(data.arr) do - local metric = {["identifier"] = identifier, value = facility.capacity} + local metric = {["identifier"] = identifier, value = facility.capacity, type = type_} if type_ == "terminal" then metric.scope = facility.scope metric.job = facility.job or nil end - if type(metrics[type_]) == "table" then - table.insert(metrics[type_], metric) - else - metrics[type_] = {metric} - end + table.insert(metrics.facilities, metric) end end diff --git a/resources/[soz]/soz-upw/server/production.lua b/resources/[soz]/soz-upw/server/production.lua index 7fd5eb47e0..5ba1cf8c31 100644 --- a/resources/[soz]/soz-upw/server/production.lua +++ b/resources/[soz]/soz-upw/server/production.lua @@ -187,16 +187,35 @@ QBCore.Functions.CreateCallback("soz-upw:server:Harvest", function(source, cb, i Config.Upw.Resale.EnergyCellPriceGlobal[firstItem.item.name] or 0) end + TriggerEvent("soz-core:server:monitor:add-event", "job_upw_energy_restock", { + item_id = item, + player_citizen_id = Player.PlayerData.citizenid, + }, { + item_label = item.label, + quantity = 1, + resale_price = Config.Upw.Resale.EnergyCellPriceGlobal[item] or 0, + scope = facility.scope, + terminal_position = facility.zone.coords, + }, true) + p:resolve(true, nil) else local count = 1 - + local sharedItem = QBCore.Shared.Items[item] if harvestType == "waste" and identifier == "hydro1" then count = 3 end - exports["soz-inventory"]:AddItem(Player.PlayerData.source, item, count, nil, nil, function(success, reason) + exports["soz-inventory"]:AddItem(Player.PlayerData.source, Player.PlayerData.source, item, count, nil, nil, function(success, reason) p:resolve(success, reason) + + TriggerEvent("soz-core:server:monitor:add-event", "job_upw_energy_collect", + {item_id = sharedItem.name, player_citizen_id = Player.PlayerData.citizenid}, + { + item_label = sharedItem.label, + quantity = 1, + terminal_position = facility.zones.energyZone.coords, + }, true) end) end diff --git a/resources/[soz]/soz-upw/server/resale.lua b/resources/[soz]/soz-upw/server/resale.lua index f6b0a4e97a..9b4d56222c 100644 --- a/resources/[soz]/soz-upw/server/resale.lua +++ b/resources/[soz]/soz-upw/server/resale.lua @@ -17,6 +17,11 @@ QBCore.Functions.CreateCallback("soz-upw:server:ResaleEnergy", function(source, TriggerEvent("banking:server:TransferMoney", Config.Upw.Accounts.FarmAccount, Config.Upw.Accounts.SafeAccount, Config.Upw.Resale.EnergyCellPrice[item.name] or 0) + TriggerEvent("soz-core:server:monitor:add-event", "job_upw_energy_resale", { + item_id = item.name, + player_citizen_id = Player.PlayerData.citizenid, + }, {item_label = item.label, quantity = 1, resale_price = Config.Upw.Resale.EnergyCellPrice[item.name] or 0}, true) + cb({true, "Vous avez vendu ~g~1 " .. item.label}) return else diff --git a/resources/[soz]/soz-upw/server/storage.lua b/resources/[soz]/soz-upw/server/storage.lua index 1c2b19e3d9..199f654f76 100644 --- a/resources/[soz]/soz-upw/server/storage.lua +++ b/resources/[soz]/soz-upw/server/storage.lua @@ -9,7 +9,7 @@ RegisterNetEvent("soz-upw:server:FacilityCapacity", function(data) local facility = getter(data.identifier) if facility then - TriggerClientEvent("hud:client:DrawNotification", source, + TriggerClientEvent("soz-core:client:notification:draw", source, string.format("État d'énergie : %s%%", math.floor(facility.capacity / facility.maxCapacity * 100))) end end) @@ -128,7 +128,6 @@ end) function StartConsumptionLoop() Citizen.CreateThread(function() consumptionLoopRunning = true - GlobalState.job_energy = GlobalState.job_energy or {} while consumptionLoopRunning do local connectedPlayers = QBCore.Functions.TriggerRpc("smallresources:server:GetCurrentPlayers")[1] @@ -159,12 +158,15 @@ function StartConsumptionLoop() end local newBlackoutLevel = GetBlackoutLevel() + local globalState = exports["soz-core"]:GetGlobalState() -- Blackout level has changed - if not GlobalState.blackout_override and GlobalState.blackout_level ~= newBlackoutLevel then - GlobalState.blackout_level = newBlackoutLevel + if not globalState.blackoutOverride and globalState.blackoutLevel ~= newBlackoutLevel then + exports["soz-core"]:SetGlobalState({blackoutLevel = newBlackoutLevel}) end + local energies = {} + -- Handle job terminal consumption for jobId, v in pairs(SozJobCore.Jobs) do local terminal = GetTerminalJob(jobId) @@ -177,12 +179,14 @@ function StartConsumptionLoop() terminal:Consume(consumptionJobThisTick) end - GlobalState.job_energy[jobId] = terminal:GetEnergyPercent() + energies[jobId] = terminal:GetEnergyPercent() else - GlobalState.job_energy[jobId] = 100 + energies[jobId] = 100 end end + exports["soz-core"]:SetJobEnergies(energies) + Citizen.Wait(Config.Production.Tick) end end) diff --git a/resources/[soz]/soz-utils/client/component_welcome.lua b/resources/[soz]/soz-utils/client/component_welcome.lua deleted file mode 100644 index 9bc6b97a78..0000000000 --- a/resources/[soz]/soz-utils/client/component_welcome.lua +++ /dev/null @@ -1,20 +0,0 @@ -RegisterNUICallback("welcome-hide", function(data, cb) - SendNUIMessage({action = "hide"}) - SetNuiFocus(false, false) - cb("ok") -end) - -RegisterNetEvent("soz-utils:welcome-show", function() - SendNUIMessage({action = "show"}) - SetNuiFocus(true, true) -end) - -RegisterNetEvent("soz-utils:health-book", function() - SendNUIMessage({action = "show-health"}) - SetNuiFocus(true, true) -end) - -RegisterNetEvent("soz-utils:lsmc-calender-2023", function() - SendNUIMessage({action = "show-lsmc-calendar-2023"}) - SetNuiFocus(true, true) -end) diff --git a/resources/[soz]/soz-utils/client/consumables.lua b/resources/[soz]/soz-utils/client/consumables.lua index 21a50e0ba3..98a28051ff 100644 --- a/resources/[soz]/soz-utils/client/consumables.lua +++ b/resources/[soz]/soz-utils/client/consumables.lua @@ -1,51 +1,3 @@ -local PlayWalking = function(animation) - RequestAnimSet(animation) - while not HasAnimSetLoaded(animation) do - Wait(1) - end - - SetPedMovementClipset(PlayerPedId(), animation, 1) - RemoveAnimSet(animation) -end - ---- Effects -RegisterNetEvent("QBCore:Player:SetPlayerData", function(PlayerData) - if PlayerData.metadata["drug"] > 0 and not AnimpostfxIsRunning("DrugsMichaelAliensFight") then - AnimpostfxPlay("DrugsMichaelAliensFightIn", 0, false) - AnimpostfxPlay("DrugsMichaelAliensFight", 0, true) - elseif PlayerData.metadata["drug"] <= 0 and AnimpostfxIsRunning("DrugsMichaelAliensFight") then - AnimpostfxStopAndDoUnk("DrugsMichaelAliensFight") - AnimpostfxStopAndDoUnk("DrugsMichaelAliensFightIn") - TriggerEvent("soz-core:client:player:refresh-walk-style") - end - - if PlayerData.metadata["alcohol"] > 0 and not AnimpostfxIsRunning("DrugsTrevorClownsFight") then - AnimpostfxPlay("DrugsTrevorClownsFightIn", 0, false) - AnimpostfxPlay("DrugsTrevorClownsFight", 0, true) - elseif PlayerData.metadata["alcohol"] <= 0 and AnimpostfxIsRunning("DrugsTrevorClownsFight") then - AnimpostfxStopAndDoUnk("DrugsTrevorClownsFight") - AnimpostfxStopAndDoUnk("DrugsTrevorClownsFightIn") - TriggerEvent("soz-core:client:player:refresh-walk-style") - end - - if PlayerData.metadata["alcohol"] > 80 or PlayerData.metadata["drug"] > 80 then - ShakeGameplayCam("DRUNK_SHAKE", 1.0) - SetPedIsDrunk(PlayerPedId(), true) - TriggerEvent("soz-core:client:player:update-walk-style", "move_m@drunk@verydrunk") - elseif PlayerData.metadata["alcohol"] > 40 or PlayerData.metadata["drug"] > 40 then - ShakeGameplayCam("DRUNK_SHAKE", 0.5) - SetPedIsDrunk(PlayerPedId(), true) - TriggerEvent("soz-core:client:player:update-walk-style", "move_m@drunk@moderatedrunk") - elseif PlayerData.metadata["alcohol"] > 0 or PlayerData.metadata["drug"] > 0 then - ShakeGameplayCam("DRUNK_SHAKE", 0.0) - SetPedIsDrunk(PlayerPedId(), false) - TriggerEvent("soz-core:client:player:update-walk-style", "move_m@drunk@slightlydrunk") - else - ShakeGameplayCam("DRUNK_SHAKE", 0.0) - SetPedIsDrunk(PlayerPedId(), false) - end -end) - --- Drugs RegisterNetEvent("consumables:client:UseJoint", function() local animDict, anim, task @@ -142,7 +94,7 @@ RegisterNetEvent("scuba:client:Toggle", function(scuba) disableCombat = true, }, {animDict = "anim@mp_yacht@shower@male@", anim = "male_shower_towel_dry_to_get_dressed", flags = 16}, {}, {}, function() -- Done SetEnableScuba(PlayerPedId(), true) - SetPedMaxTimeUnderwater(PlayerPedId(), 1500.00) + SetPedMaxTimeUnderwater(PlayerPedId(), 86400.00) TriggerServerEvent("soz-character:server:SetPlayerJobClothes", skin[PlayerData.skin.Model.Hash], false) end) else @@ -156,3 +108,13 @@ RegisterNetEvent("scuba:client:Toggle", function(scuba) end) end end) + +RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() + PlayerData = QBCore.Functions.GetPlayerData() + if PlayerData.metadata.scuba then + local ped = PlayerPedId() + SetEnableScuba(ped, true) + SetPedMaxTimeUnderwater(ped, 86400.00) + end +end) + diff --git a/resources/[soz]/soz-utils/client/create_object.lua b/resources/[soz]/soz-utils/client/create_object.lua deleted file mode 100644 index f0a1035962..0000000000 --- a/resources/[soz]/soz-utils/client/create_object.lua +++ /dev/null @@ -1,45 +0,0 @@ -local ObjectList = {} -local ObjectListRef = {} - -local function CreateObject(ref, model, x, y, z, w, culling, freeze) - local entity = CreateObjectNoOffset(model, x, y, z, false, false, false) - ObjectListRef[ref] = entity - - SetEntityHeading(entity, w) - - if freeze then - FreezeEntityPosition(entity, true) - end - - return entity -end - -local function DeleteObject(ref) - local entity = ObjectListRef[ref] - - if DoesEntityExist(entity) then - DeleteEntity(entity) - ObjectListRef[ref] = nil - end -end - -RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() - ObjectList = QBCore.Functions.TriggerRpc("soz-utils:object:GetList"); - - for _, object in pairs(ObjectList) do - CreateObject(object.ref, object.model, object.x, object.y, object.z, object.w, object.culling, object.freeze) - end -end) - -RegisterNetEvent("soz-utils:client:create-object", function(ref, model, x, y, z, w, culling, freeze) - CreateObject(ref, model, x, y, z, w, culling, freeze) -end) - -RegisterNetEvent("soz-utils:client:delete-object", function(ref) - DeleteObject(ref) -end) - -exports("CreateObjectClient", function(ref, model, x, y, z, w, culling, freeze) - DeleteObject(ref) - return CreateObject(ref, model, x, y, z, w, culling, freeze); -end) diff --git a/resources/[soz]/soz-utils/client/density.lua b/resources/[soz]/soz-utils/client/density.lua index 18efebe627..0b4ad38424 100644 --- a/resources/[soz]/soz-utils/client/density.lua +++ b/resources/[soz]/soz-utils/client/density.lua @@ -1,4 +1,4 @@ -local density = {["parked"] = 1.0, ["vehicle"] = 1.0, ["multiplier"] = 1.0, ["peds"] = 1.0, ["scenario"] = 1.0} +local density = {["parked"] = 1.00, ["vehicle"] = 1.00, ["multiplier"] = 1.00, ["peds"] = 1.00, ["scenario"] = 1.00} CreateThread(function() while true do diff --git a/resources/[soz]/soz-utils/client/discord.lua b/resources/[soz]/soz-utils/client/discord.lua index 7aa394ec50..18ebcd65cf 100644 --- a/resources/[soz]/soz-utils/client/discord.lua +++ b/resources/[soz]/soz-utils/client/discord.lua @@ -2,7 +2,7 @@ CreateThread(function() while true do -- This is the Application ID (Replace this with you own) - SetDiscordAppId(926572229557383208) + SetDiscordAppId(958495562645270608) -- Here you will have to put the image name for the "large" icon. SetDiscordRichPresenceAsset("soz") @@ -20,7 +20,7 @@ CreateThread(function() QBCore.Functions.TriggerCallback("smallresources:server:GetCurrentPlayers", function(result) -- SetRichPresence(result[1] .. "/" .. result[2]) - SetRichPresence(result[1] .. "/150") + SetRichPresence(result[1] .. "/200") end) -- (26-02-2021) New Native: diff --git a/resources/[soz]/soz-utils/client/dispenser.lua b/resources/[soz]/soz-utils/client/dispenser.lua index 90e8cbc297..83c2793625 100644 --- a/resources/[soz]/soz-utils/client/dispenser.lua +++ b/resources/[soz]/soz-utils/client/dispenser.lua @@ -6,28 +6,48 @@ local vending_machine_food = {-654402915} local vending_cafe = {690372739} +local dispenser_eat_price = 10 +local dispenser_drink_price = 10 +local dispenser_cafe_price = 10 + exports["qb-target"]:AddTargetModel(vending_machine_drink, { - options = {{event = "soz-utils:client:dispenser:Drink", label = "Bouteille d'eau", icon = "c:food/bouteille.png"}}, + options = { + { + event = "soz-utils:client:dispenser:Drink", + label = "Bouteille d'eau ($" .. dispenser_eat_price .. ")", + icon = "c:food/bouteille.png", + }, + }, distance = 1, }) exports["qb-target"]:AddTargetModel(vending_machine_food, { - options = {{event = "soz-utils:client:dispenser:Eat", label = "Sandwich", icon = "c:food/baguette.png"}}, + options = { + { + event = "soz-utils:client:dispenser:Eat", + label = "Sandwich ($" .. dispenser_drink_price .. ")", + icon = "c:food/baguette.png", + }, + }, distance = 1, }) -exports["qb-target"]:AddTargetModel(vending_cafe, - { - options = {{event = "soz-utils:client:dispenser:Cafe", label = "Café", icon = "c:food/cafe.png"}}, +exports["qb-target"]:AddTargetModel(vending_cafe, { + options = { + { + event = "soz-utils:client:dispenser:Cafe", + label = "Café ($" .. dispenser_cafe_price .. ")", + icon = "c:food/cafe.png", + }, + }, distance = 1, }) RegisterNetEvent("soz-utils:client:dispenser:Eat") AddEventHandler("soz-utils:client:dispenser:Eat", function() local Player = QBCore.Functions.GetPlayerData() - local price = 10 - if Player.money.money < price then - exports["soz-hud"]:DrawNotification("Vous n'avez pas assez d'argent") + if Player.money.money < dispenser_eat_price then + exports["soz-core"]:DrawNotification("Vous n'avez pas assez d'argent") else QBCore.Functions.Progressbar("dispenser_eat", "Achète à manger...", 5000, false, true, { @@ -36,7 +56,7 @@ AddEventHandler("soz-utils:client:dispenser:Eat", function() disableMouse = false, disableCombat = true, }, {animDict = "mini@sprunk", anim = "plyr_buy_drink_pt1", flags = 16}, {}, {}, function() -- Done - TriggerServerEvent("soz-utils:server:dispenser:pay", price, "sandwich") + TriggerServerEvent("soz-utils:server:dispenser:pay", dispenser_eat_price, "sandwich") end) end end) @@ -44,9 +64,8 @@ end) RegisterNetEvent("soz-utils:client:dispenser:Drink") AddEventHandler("soz-utils:client:dispenser:Drink", function() local Player = QBCore.Functions.GetPlayerData() - local price = 10 - if Player.money.money < price then - exports["soz-hud"]:DrawNotification("Vous n'avez pas assez d'argent") + if Player.money.money < dispenser_drink_price then + exports["soz-core"]:DrawNotification("Vous n'avez pas assez d'argent") else QBCore.Functions.Progressbar("dispenser_drink", "Achète à boire...", 5000, false, true, { @@ -55,7 +74,7 @@ AddEventHandler("soz-utils:client:dispenser:Drink", function() disableMouse = false, disableCombat = true, }, {animDict = "mini@sprunk", anim = "plyr_buy_drink_pt1", flags = 16}, {}, {}, function() -- Done - TriggerServerEvent("soz-utils:server:dispenser:pay", price, "water_bottle") + TriggerServerEvent("soz-utils:server:dispenser:pay", dispenser_drink_price, "water_bottle") end) end end) @@ -63,9 +82,8 @@ end) RegisterNetEvent("soz-utils:client:dispenser:Cafe") AddEventHandler("soz-utils:client:dispenser:Cafe", function() local Player = QBCore.Functions.GetPlayerData() - local price = 10 - if Player.money.money < price then - exports["soz-hud"]:DrawNotification("Vous n'avez pas assez d'argent") + if Player.money.money < dispenser_cafe_price then + exports["soz-core"]:DrawNotification("Vous n'avez pas assez d'argent") else QBCore.Functions.Progressbar("dispenser_cafe", "Achète un Café...", 5000, false, true, { @@ -74,7 +92,7 @@ AddEventHandler("soz-utils:client:dispenser:Cafe", function() disableMouse = false, disableCombat = true, }, {animDict = "mini@sprunk", anim = "plyr_buy_drink_pt1", flags = 16}, {}, {}, function() -- Done - TriggerServerEvent("soz-utils:server:dispenser:pay", price, "coffee") + TriggerServerEvent("soz-utils:server:dispenser:pay", dispenser_cafe_price, "coffee") end) end end) diff --git a/resources/[soz]/soz-utils/client/elevators.lua b/resources/[soz]/soz-utils/client/elevators.lua index bef4848b98..90021f72da 100644 --- a/resources/[soz]/soz-utils/client/elevators.lua +++ b/resources/[soz]/soz-utils/client/elevators.lua @@ -161,6 +161,7 @@ local Elevators = { upTo = "admin:0", downTo = nil, spawnPoint = vector4(2154.62, 2920.95, -81.08, 272.4), + job = {fbi = 0, lspd = 0, bcso = 0, sasp = 0, gouv = 0}, }, --- MTP ["mtp:0"] = { @@ -221,6 +222,7 @@ local function CreateTargetOptions(elevatorData) icon = dir.icon, label = string.format(dir.label, destination.label), event = elevatorData.event or "soz-utils:client:elevator", + job = destination.job, destination = dest, }) end diff --git a/resources/[soz]/soz-utils/client/ignore.lua b/resources/[soz]/soz-utils/client/ignore.lua index beddc3b517..ae2afcc789 100644 --- a/resources/[soz]/soz-utils/client/ignore.lua +++ b/resources/[soz]/soz-utils/client/ignore.lua @@ -81,7 +81,6 @@ end) CreateThread(function() local weaponUnarmed = GetHashKey("WEAPON_UNARMED") local weaponPetrolCan = GetHashKey("WEAPON_PETROLCAN") - local weaponFireExtinguisher = GetHashKey("WEAPON_FIREEXTINGUISHER") while true do local ped = PlayerPedId() @@ -98,14 +97,6 @@ CreateThread(function() SetPedInfiniteAmmo(ped, true, weaponPetrolCan) end end - - if weapon == weaponFireExtinguisher then - local ammo = GetAmmoInPedWeapon(ped, weaponFireExtinguisher) - if (IsPedShooting(ped) and ammo == 0) or ammo == 0 then - TriggerEvent("inventory:client:StoreWeapon") - TriggerServerEvent("weapons:server:RemoveFireExtinguisher") - end - end else Wait(500) end diff --git a/resources/[soz]/soz-utils/client/sitchair.lua b/resources/[soz]/soz-utils/client/sitchair.lua deleted file mode 100644 index 8f0bd20e7b..0000000000 --- a/resources/[soz]/soz-utils/client/sitchair.lua +++ /dev/null @@ -1,65 +0,0 @@ -local sit = false -local lastCoord = nil -local sitchair = { - 1580642483, - -1278649385, - -109356459, - -1633198649, - -377849416, - 1037469683, - 603897027, - 49088219, - 1339364336, - 444105316, - 536071214, - 1085033290, - 1037469683, - -1108904010, - 98421364, - 49088219, - -1173315865, - 847910771, - "soz_v_club_bahbarstool", - "soz_v_club_baham_bckt_chr", -} - -RegisterCommand("unsit", function() - if lastCoord == nil then - return - end - local player = PlayerPedId() - local distance = #(lastCoord - GetEntityCoords(player)) - if sit == true and distance <= 2.5 then - SetPedCoordsKeepVehicle(player, lastCoord) - sit = false - end -end, false) - -RegisterKeyMapping("unsit", "", "keyboard", "x") - -exports["qb-target"]:AddTargetModel(sitchair, { - options = { - { - icon = "c:global/sit.png", - label = "S'asseoir", - action = function(entity) - local player = PlayerPedId() - local coords = GetEntityCoords(entity) - local heading = GetEntityHeading(entity) - sit = true - lastCoord = GetEntityCoords(player) - if heading >= 180 then - heading = heading - 179 - else - heading = heading + 179 - end - local offset = Config.SeatChairOffset[GetEntityModel(entity)] or { - z = -(GetEntityHeightAboveGround(entity)), - } - TaskStartScenarioAtPosition(player, "PROP_HUMAN_SEAT_CHAIR_MP_PLAYER", coords.x + (offset.x or 0.0), coords.y + (offset.y or 0.0), - coords.z + (offset.z or 0.0), heading, 0, true, true) - end, - }, - }, - distance = 1, -}) diff --git a/resources/[soz]/soz-utils/components/welcome/health/health-book-0.jpg b/resources/[soz]/soz-utils/components/welcome/health/health-book-0.jpg deleted file mode 100644 index f12e7f5e91..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/health/health-book-0.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/health/health-book-1.jpg b/resources/[soz]/soz-utils/components/welcome/health/health-book-1.jpg deleted file mode 100644 index 4c31f82256..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/health/health-book-1.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/health/health-book-2.jpg b/resources/[soz]/soz-utils/components/welcome/health/health-book-2.jpg deleted file mode 100644 index 920a3d4be7..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/health/health-book-2.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/health/health-book-3.jpg b/resources/[soz]/soz-utils/components/welcome/health/health-book-3.jpg deleted file mode 100644 index 4cb76e0ea7..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/health/health-book-3.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-01.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-01.jpg deleted file mode 100644 index d66540ef97..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-01.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-02.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-02.jpg deleted file mode 100644 index bd23402e9b..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-02.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-03.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-03.jpg deleted file mode 100644 index 55172b3dce..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-03.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-04.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-04.jpg deleted file mode 100644 index 5ba9b88294..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-04.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-05.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-05.jpg deleted file mode 100644 index d4647f1504..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-05.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-06.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-06.jpg deleted file mode 100644 index 60c59a0e75..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-06.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-07.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-07.jpg deleted file mode 100644 index 9a0d687136..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-07.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-08.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-08.jpg deleted file mode 100644 index c977a39e74..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-08.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-09.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-09.jpg deleted file mode 100644 index 44e5a8d04e..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-09.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-10.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-10.jpg deleted file mode 100644 index f3d42963d3..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-10.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-11.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-11.jpg deleted file mode 100644 index a3e9ab495f..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-11.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-12.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-12.jpg deleted file mode 100644 index 914064160c..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-12.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-13.jpg b/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-13.jpg deleted file mode 100644 index 12915ac5bd..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/lsmc-calendar-2023/lsmc-calendar-2023-13.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/welcome.html b/resources/[soz]/soz-utils/components/welcome/welcome.html deleted file mode 100644 index e905d32b90..0000000000 --- a/resources/[soz]/soz-utils/components/welcome/welcome.html +++ /dev/null @@ -1,262 +0,0 @@ - - - - - - - - - -
-
-
- - - - - -
-
- - - - -
-
- - - - - - - - - - - - - -
-
- -
- - - -
-
- - - - diff --git a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-0.jpg b/resources/[soz]/soz-utils/components/welcome/welcome/welcome-0.jpg deleted file mode 100644 index fab8951358..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-0.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-1.jpg b/resources/[soz]/soz-utils/components/welcome/welcome/welcome-1.jpg deleted file mode 100644 index f7ecba90d0..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-1.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-2.jpg b/resources/[soz]/soz-utils/components/welcome/welcome/welcome-2.jpg deleted file mode 100644 index f64136d169..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-2.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-3.jpg b/resources/[soz]/soz-utils/components/welcome/welcome/welcome-3.jpg deleted file mode 100644 index 567a220f1a..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-3.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-4.jpg b/resources/[soz]/soz-utils/components/welcome/welcome/welcome-4.jpg deleted file mode 100644 index 7536dd0f34..0000000000 Binary files a/resources/[soz]/soz-utils/components/welcome/welcome/welcome-4.jpg and /dev/null differ diff --git a/resources/[soz]/soz-utils/config.lua b/resources/[soz]/soz-utils/config.lua index f4343a7f0b..78578b3294 100644 --- a/resources/[soz]/soz-utils/config.lua +++ b/resources/[soz]/soz-utils/config.lua @@ -31,55 +31,6 @@ Config.BlacklistedScenarios = { ["GROUPS"] = { --[[ 2017590552, 2141866469, 1409640232, GetHashKey("ng_planes")]] }, } -Config.BlacklistedVehs = { --[[ - [GetHashKey("SHAMAL")] = true, - [GetHashKey("LUXOR")] = true, - [GetHashKey("LUXOR2")] = true, - [GetHashKey("JET")] = true, - [GetHashKey("LAZER")] = true, - [GetHashKey("BUZZARD")] = true, - [GetHashKey("BUZZARD2")] = true, - [GetHashKey("ANNIHILATOR")] = true, - [GetHashKey("SAVAGE")] = true, - [GetHashKey("TITAN")] = true, - [GetHashKey("RHINO")] = true, - [GetHashKey("FIRETRUK")] = true, - [GetHashKey("MULE")] = true, - [GetHashKey("MAVERICK")] = true, - [GetHashKey("BLIMP")] = true, - [GetHashKey("AIRTUG")] = true, - [GetHashKey("CAMPER")] = true, - [GetHashKey("HYDRA")] = true, - [GetHashKey("OPPRESSOR")] = true, - [GetHashKey("technical3")] = true, - [GetHashKey("insurgent3")] = true, - [GetHashKey("apc")] = true, - [GetHashKey("tampa3")] = true, - [GetHashKey("trailersmall2")] = true, - [GetHashKey("halftrack")] = true, - [GetHashKey("hunter")] = true, - [GetHashKey("vigilante")] = true, - [GetHashKey("akula")] = true, - [GetHashKey("barrage")] = true, - [GetHashKey("khanjali")] = true, - [GetHashKey("caracara")] = true, - [GetHashKey("blimp3")] = true, - [GetHashKey("menacer")] = true, - [GetHashKey("oppressor2")] = true, - [GetHashKey("scramjet")] = true, - [GetHashKey("strikeforce")] = true, - [GetHashKey("cerberus")] = true, - [GetHashKey("cerberus2")] = true, - [GetHashKey("cerberus3")] = true, - [GetHashKey("scarab")] = true, - [GetHashKey("scarab2")] = true, - [GetHashKey("scarab3")] = true, - [GetHashKey("rrocket")] = true, - [GetHashKey("ruiner2")] = true, - [GetHashKey("deluxo")] = true, ---]] -} - Config.BlacklistedPeds = { [GetHashKey("s_m_y_ranger_01")] = true, [GetHashKey("s_m_y_sheriff_01")] = true, @@ -89,18 +40,6 @@ Config.BlacklistedPeds = { [GetHashKey("s_m_y_hwaycop_01")] = true, } -Config.SeatChairOffset = { - [444105316] = {z = 0.5}, - [1037469683] = {z = 0.4}, - [-109356459] = {z = 0.5}, - [49088219] = {z = 0.5, y = 0.4}, - [-1173315865] = {z = 0.5}, - [536071214] = {z = 0.5}, - [603897027] = {z = 0.4}, - [GetHashKey("soz_v_club_bahbarstool")] = {x = -0.1, z = 0.35}, - [GetHashKey("soz_v_club_baham_bckt_chr")] = {z = 0.1}, -} - Config.Teleports = {} Config.DisableSpawn = { @@ -140,4 +79,8 @@ Config.DisableSpawn = { [3] = vector2(-547.05, -944.04), [4] = vector2(-547.5, -906.46), }, + { --- Yellow Jack + [1] = vector2(1980.99, 3033.43), + [2] = vector2(2010.96, 3068.37), + }, } diff --git a/resources/[soz]/soz-utils/fxmanifest.lua b/resources/[soz]/soz-utils/fxmanifest.lua index a934061497..81d322aa8e 100644 --- a/resources/[soz]/soz-utils/fxmanifest.lua +++ b/resources/[soz]/soz-utils/fxmanifest.lua @@ -10,8 +10,6 @@ server_scripts {"@oxmysql/lib/MySQL.lua", "server/*.lua"} data_file "FIVEM_LOVES_YOU_4B38E96CC036038F" "events.meta" -files {"components/welcome/welcome.html", "components/welcome/**/*.jpg", "events.meta", "relationships.dat"} - -ui_page "components/welcome/welcome.html" +files {"events.meta", "relationships.dat"} lua54 "yes" diff --git a/resources/[soz]/soz-utils/server/_main.lua b/resources/[soz]/soz-utils/server/_main.lua index 4489760234..d6df09cc2f 100644 --- a/resources/[soz]/soz-utils/server/_main.lua +++ b/resources/[soz]/soz-utils/server/_main.lua @@ -2,7 +2,7 @@ QBCore = exports["qb-core"]:GetCoreObject() QBCore.Commands.Add("id", "Check Your ID #", {}, false, function(source, args) local src = source - TriggerClientEvent("hud:client:DrawNotification", src, "ID: " .. src) + TriggerClientEvent("soz-core:client:notification:draw", src, "ID: " .. src) end) QBCore.Functions.CreateCallback("smallresources:server:GetCurrentPlayers", function(source, cb) @@ -40,8 +40,8 @@ RegisterNetEvent("core:server:zoneIntrusion", function(zone) print(("[SOZ REPORTER] Intrusion de %s dans la zone: %s"):format(Player.Functions.GetName(), zone)) end - TriggerEvent("monitor:server:event", "zone_intrusion", {player_source = Player.PlayerData.source, zone = zone}, - {position = GetEntityCoords(GetPlayerPed(Player.PlayerData.source))}) + exports["soz-core"]:Event("zone_intrusion", {player_source = Player.PlayerData.source, zone = zone}, + {position = GetEntityCoords(GetPlayerPed(Player.PlayerData.source))}) end) exports("SendHTTPRequest", function(convar, data) diff --git a/resources/[soz]/soz-utils/server/component_welcome.lua b/resources/[soz]/soz-utils/server/component_welcome.lua deleted file mode 100644 index 3b7a3fd045..0000000000 --- a/resources/[soz]/soz-utils/server/component_welcome.lua +++ /dev/null @@ -1,10 +0,0 @@ -QBCore.Functions.CreateUseableItem("welcome_book", function(source, item) - TriggerClientEvent("soz-utils:welcome-show", source) -end) -QBCore.Functions.CreateUseableItem("health_book", function(source, item) - TriggerClientEvent("soz-utils:health-book", source) -end) - -QBCore.Functions.CreateUseableItem("lsmc_calendar_2023", function(source, item) - TriggerClientEvent("soz-utils:lsmc-calender-2023", source) -end) diff --git a/resources/[soz]/soz-utils/server/consumables.lua b/resources/[soz]/soz-utils/server/consumables.lua index 551e683d91..921e4e94b6 100644 --- a/resources/[soz]/soz-utils/server/consumables.lua +++ b/resources/[soz]/soz-utils/server/consumables.lua @@ -6,11 +6,6 @@ local function removeItemAndSendEvent(source, item, event, extra) end local function preventUsageWhileHoldingWeapon(source) - local state = Player(source).state - if state.CurrentWeaponData ~= nil then - TriggerClientEvent("hud:client:DrawNotification", source, "Votre main est déjà occupée à porter une arme.", "error") - return false - end return true end @@ -58,35 +53,6 @@ QBCore.Functions.CreateUseableItem("binoculars", function(source, item) TriggerClientEvent("items:binoculars:toggle", source) end) ---- Firework -QBCore.Functions.CreateUseableItem("firework1", function(source, item) - if not preventUsageWhileHoldingWeapon(source) then - return - end - TriggerClientEvent("fireworks:client:UseFirework", source, item.name, "proj_indep_firework") -end) - -QBCore.Functions.CreateUseableItem("firework2", function(source, item) - if not preventUsageWhileHoldingWeapon(source) then - return - end - TriggerClientEvent("fireworks:client:UseFirework", source, item.name, "proj_indep_firework_v2") -end) - -QBCore.Functions.CreateUseableItem("firework3", function(source, item) - if not preventUsageWhileHoldingWeapon(source) then - return - end - TriggerClientEvent("fireworks:client:UseFirework", source, item.name, "proj_xmas_firework") -end) - -QBCore.Functions.CreateUseableItem("firework4", function(source, item) - if not preventUsageWhileHoldingWeapon(source) then - return - end - TriggerClientEvent("fireworks:client:UseFirework", source, item.name, "scr_indep_fireworks") -end) - --- Soz QBCore.Functions.CreateUseableItem("cardbord", function(source) if not preventUsageWhileHoldingWeapon(source) then @@ -111,12 +77,3 @@ QBCore.Functions.CreateUseableItem("diving_gear", function(source) TriggerClientEvent("scuba:client:Toggle", source, scuba) end) - ---- LSMC - -QBCore.Functions.CreateUseableItem("walkstick", function(source, item) - if not preventUsageWhileHoldingWeapon(source) then - return - end - TriggerClientEvent("items:walkstick:toggle", source) -end) diff --git a/resources/[soz]/soz-utils/server/create_object.lua b/resources/[soz]/soz-utils/server/create_object.lua deleted file mode 100644 index a2ac07767e..0000000000 --- a/resources/[soz]/soz-utils/server/create_object.lua +++ /dev/null @@ -1,60 +0,0 @@ -local ObjectList = {} -local ObjectListRef = {} - -local function CreateObjectServerSide(model, x, y, z, w, culling, freeze) - local ref = tostring(model) .. tostring(x) .. tostring(y) .. tostring(z) - local entity = CreateObjectNoOffset(model, x, y, z, true, true, false) - SetEntityHeading(entity, w) - - ObjectListRef[ref] = entity - - -- if culling then - -- SetEntityDistanceCullingRadius(entity, culling) - -- end - - if freeze then - FreezeEntityPosition(entity, true) - end - - return ref -end - -local function CreateObjectClientSide(model, x, y, z, w, culling, freeze) - local ref = tostring(model) .. QBCore.Shared.Round(x) .. QBCore.Shared.Round(y) .. QBCore.Shared.Round(z) - - table.insert(ObjectList, {ref = ref, model = model, x = x, y = y, z = z, w = w, culling = culling, freeze = freeze}) - - TriggerClientEvent("soz-utils:client:create-object", -1, ref, model, x, y, z, w, culling, freeze) - - return ref -end - -local function DeleteObjectServerSide(ref) - -- @TODO -end - -local function DeleteObjectClientSide(ref) - for i, v in pairs(ObjectList) do - if v.ref == ref then - table.remove(ObjectList, i) - TriggerClientEvent("soz-utils:client:delete-object", -1, ref) - - break - end - end -end - -QBCore.Functions.CreateCallback("soz-utils:object:GetList", function(source, cb) - cb(ObjectList) -end) - -function CreateObject(model, x, y, z, w, culling, freeze) - return CreateObjectClientSide(model, x, y, z, w, culling, freeze) -end - -function DeleteObject(ref) - DeleteObjectClientSide(ref) -end - -exports("CreateObject", CreateObject) -exports("DeleteObject", DeleteObject) diff --git a/resources/[soz]/soz-utils/server/dispenser.lua b/resources/[soz]/soz-utils/server/dispenser.lua index 1628e5dc5c..cc13451d17 100644 --- a/resources/[soz]/soz-utils/server/dispenser.lua +++ b/resources/[soz]/soz-utils/server/dispenser.lua @@ -6,6 +6,6 @@ AddEventHandler("soz-utils:server:dispenser:pay", function(amount, item) local CurrentMoney = Player.Functions.GetMoney("money") if tonumber(amount) <= tonumber(CurrentMoney) then Player.Functions.RemoveMoney("money", amount) - exports["soz-inventory"]:AddItem(Player.PlayerData.source, item, 1, nil) + exports["soz-inventory"]:AddItem(Player.PlayerData.source, Player.PlayerData.source, item, 1, nil) end end) diff --git a/resources/[soz]/soz-utils/server/entities.lua b/resources/[soz]/soz-utils/server/entities.lua index df3329baa0..257d9b4d20 100644 --- a/resources/[soz]/soz-utils/server/entities.lua +++ b/resources/[soz]/soz-utils/server/entities.lua @@ -3,7 +3,7 @@ AddEventHandler("entityCreating", function(handle) local entityModel = GetEntityModel(handle) - if Config.BlacklistedVehs[entityModel] or Config.BlacklistedPeds[entityModel] then + if GetEntityType(handle) == 1 and Config.BlacklistedPeds[entityModel] then CancelEvent() end end) diff --git a/resources/[soz]/soz-utils/server/persistent_prop.lua b/resources/[soz]/soz-utils/server/persistent_prop.lua deleted file mode 100644 index 47632b1288..0000000000 --- a/resources/[soz]/soz-utils/server/persistent_prop.lua +++ /dev/null @@ -1,39 +0,0 @@ -local persistent_props = {} - ---- Functions -local function setPersistentProp(prop) - persistent_props[prop.id] = { - id = prop.id, - model = prop.model, - event = prop.event, - position = json.decode(prop.position), - } - - if prop.event == nil or prop.event == "xmas" then - local objCoord = persistent_props[prop.id].position - - CreateObject(prop.model, objCoord.x, objCoord.y, objCoord.z, objCoord.w, 8000.0, true) - end -end - -MySQL.ready(function() - local data = MySQL.Sync.fetchAll("SELECT * FROM persistent_prop") - - for _, prop in pairs(data) do - setPersistentProp(prop) - end -end) - -QBCore.Functions.CreateCallback("core:server:getProps", function(source, cb) - cb(persistent_props) -end) - -RegisterNetEvent("core:server:refreshPersistentProp", function() - local data = MySQL.Sync.fetchAll("SELECT * FROM persistent_prop") - - for _, prop in pairs(data) do - if persistent_props[prop.id] == nil then - setPersistentProp(prop) - end - end -end) diff --git a/resources/[soz]/soz-voip/client/blockscreen.lua b/resources/[soz]/soz-voip/client/blockscreen.lua index 913e757faf..c61dc806f7 100644 --- a/resources/[soz]/soz-voip/client/blockscreen.lua +++ b/resources/[soz]/soz-voip/client/blockscreen.lua @@ -2,7 +2,7 @@ local QBCore = exports["qb-core"]:GetCoreObject() local PlayerData = QBCore.Functions.GetPlayerData() -AddEventHandler("QBCore:Client:OnPlayerLoaded", function() +RegisterNetEvent("QBCore:Client:OnPlayerLoaded", function() PlayerData = QBCore.Functions.GetPlayerData() end) diff --git a/resources/[soz]/soz-voip/client/events.lua b/resources/[soz]/soz-voip/client/events.lua index 0db8112ddd..272de55d12 100644 --- a/resources/[soz]/soz-voip/client/events.lua +++ b/resources/[soz]/soz-voip/client/events.lua @@ -162,7 +162,9 @@ end) local function CreateTransmissionToggle(command, context, volumeKey, module) RegisterCommand("+" .. command, function() - if not LocalPlayer.state.isdead and module:startTransmission() then + local playerState = exports["soz-core"]:GetPlayerState() + + if not playerState.isDead and not playerState.isInHub and not playerState.carryBox and module:startTransmission() then StartRadioAnimationTask() PlayLocalRadioClick(context, true, Config[volumeKey]) end diff --git a/resources/[soz]/soz-voip/client/exports.lua b/resources/[soz]/soz-voip/client/exports.lua index fe5b20f214..b6d56e018b 100644 --- a/resources/[soz]/soz-voip/client/exports.lua +++ b/resources/[soz]/soz-voip/client/exports.lua @@ -1,5 +1,4 @@ local voiceProximity = 2 -local muted = false local function SetVoiceProximity(proximity) local proximityConfig = Config.voiceRanges[proximity] @@ -7,12 +6,14 @@ local function SetVoiceProximity(proximity) ProximityModuleInstance:updateRange(proximityConfig.range) voiceProximity = proximity if not muted then - TriggerEvent("hud:client:UpdateVoiceMode", voiceProximity - 1) + TriggerEvent("soz-core:client:voip:update-mode", voiceProximity - 1) end end local function MutePlayer(state) - if LocalPlayer.state["is_in_hub"] then + local playerState = exports["soz-core"]:GetPlayerState() + + if playerState.isInHub then return end @@ -27,7 +28,7 @@ local function MutePlayer(state) if not muted then SetVoiceProximity(voiceProximity) else - TriggerEvent("hud:client:UpdateVoiceMode", -1) + TriggerEvent("soz-core:client:voip:update-mode", -1) end end @@ -50,17 +51,16 @@ end local function SetPlayerMegaphoneInUse(state, range) if state then ProximityModuleInstance:updateRange(range or Config.megaphoneRange) - TriggerEvent("hud:client:UpdateVoiceMode", 10) + TriggerEvent("soz-core:client:voip:update-mode", 10) else SetVoiceProximity(voiceProximity) end - LocalPlayer.state:set("megaphone", state, true) end local function SetPlayerMicrophoneInUse(state) if state then ProximityModuleInstance:updateRange(Config.microphoneRange) - TriggerEvent("hud:client:UpdateVoiceMode", 9) + TriggerEvent("soz-core:client:voip:update-mode", 9) else SetVoiceProximity(voiceProximity) end diff --git a/resources/[soz]/soz-voip/client/main.lua b/resources/[soz]/soz-voip/client/main.lua index 0fe8bd39be..8d6aafeca2 100644 --- a/resources/[soz]/soz-voip/client/main.lua +++ b/resources/[soz]/soz-voip/client/main.lua @@ -1,4 +1,5 @@ local voiceTarget = 1 +muted = false -- Call module CallModuleInstance = ModuleCall:new(Config.volumeCall) @@ -239,13 +240,13 @@ RegisterNetEvent("voip:client:reset", function() restarting = true Citizen.Wait(200) - exports["soz-hud"]:DrawNotification("Arret de la voip...", "info") + TriggerServerEvent("soz-core:server:monitor:add-event", "voip_restart", {}, {}, true) + + exports["soz-core"]:DrawNotification("Arret de la voip...", "info") -- Clear last state lastState = {} - LocalPlayer.state:set("megaphone", false, true) - -- Remove filters local toRemove = {} FilterRegistryInstance:loop(function(id) @@ -269,5 +270,28 @@ RegisterNetEvent("voip:client:reset", function() -- Allow voice loop to reinit state restarting = false - exports["soz-hud"]:DrawNotification("Voip réactivée.", "info") + exports["soz-core"]:DrawNotification("Voip réactivée.", "info") +end) + +Citizen.CreateThread(function() + RequestAnimDict("facials@gen_female@base") + RequestAnimDict("mp_facial") + + local talkingPlayers = {} + while true do + Citizen.Wait(300) + local player = PlayerId() + + for k, v in pairs(GetActivePlayers()) do + local boolTalking = NetworkIsPlayerTalking(v) and (player ~= v or not muted) + if boolTalking then + PlayFacialAnim(GetPlayerPed(v), "mic_chatter", "mp_facial") + talkingPlayers[v] = true + elseif not boolTalking and talkingPlayers[v] then + -- shortest facial anim to stop mic_chatter animtation + PlayFacialAnim(GetPlayerPed(v), "dead_1", "facials@gen_female@base") + talkingPlayers[v] = nil + end + end + end end) diff --git a/resources/[soz]/soz-voip/client/modules/proximity_culling.lua b/resources/[soz]/soz-voip/client/modules/proximity_culling.lua index ed2aa347b8..b497f3dcf9 100644 --- a/resources/[soz]/soz-voip/client/modules/proximity_culling.lua +++ b/resources/[soz]/soz-voip/client/modules/proximity_culling.lua @@ -3,22 +3,15 @@ ModuleProximityCulling = {} local megaphoneUsers = {} Citizen.CreateThread(function() - local players = GetActivePlayers() - for _, player in pairs(players) do - local serverId = GetPlayerServerId(player) - if Player(serverId).state.megaphone then - megaphoneUsers[serverId] = true - end + local players = exports["soz-core"]:GetPlayersMegaphoneInUse() + + for _, serverId in pairs(players) do + megaphoneUsers[serverId] = true end end) -AddStateBagChangeHandler("megaphone", nil, function(bagName, key, value, _, _) - if key == "megaphone" and type(value) == "boolean" then - local player = GetPlayerFromStateBagName(bagName) - if player ~= 0 then - megaphoneUsers[GetPlayerServerId(player)] = value - end - end +RegisterNetEvent("soz-core:client:voip:set-megaphone", function(playerServerId, value) + megaphoneUsers[playerServerId] = value end) function ModuleProximityCulling:new(range) diff --git a/resources/[soz]/soz-voip/config.lua b/resources/[soz]/soz-voip/config.lua index 039c8841bc..a510cf5cdf 100644 --- a/resources/[soz]/soz-voip/config.lua +++ b/resources/[soz]/soz-voip/config.lua @@ -4,11 +4,11 @@ Config = {} Config.debug = false --- Voice Proximity -Config.whisperRange = 1.5 -Config.normalRange = 4.0 -Config.shoutRange = 7.5 -Config.megaphoneRange = 36.0 -Config.microphoneRange = 36.0 +Config.whisperRange = 2.0 +Config.normalRange = 4.5 +Config.shoutRange = 8.0 +Config.megaphoneRange = 38.0 +Config.microphoneRange = 38.0 Config.voiceRanges = { [1] = {name = "whisper", range = Config.whisperRange}, diff --git a/resources/[soz]/soz-voip/server/modules/call.lua b/resources/[soz]/soz-voip/server/modules/call.lua index e2849facbd..4e683e5c05 100644 --- a/resources/[soz]/soz-voip/server/modules/call.lua +++ b/resources/[soz]/soz-voip/server/modules/call.lua @@ -1,13 +1,13 @@ local CallState = CallStateManager:new() -AddStateBagChangeHandler("blackout_level", "global", function(_, _, value, _, _) - if value > 2 then - CallState:DestroyAll() - end +exports("StopAllPhoneCall", function() + CallState:DestroyAll() end) RegisterNetEvent("voip:server:call:start", function(caller, receiver) - if GlobalState.blackout_level > 2 then + local globalState = exports["soz-core"]:GetGlobalState() + + if globalState.blackoutLevel > 2 then return end diff --git a/resources/[soz]/soz-voip/server/modules/radio.lua b/resources/[soz]/soz-voip/server/modules/radio.lua index 100bf53fa0..58b9f86b13 100644 --- a/resources/[soz]/soz-voip/server/modules/radio.lua +++ b/resources/[soz]/soz-voip/server/modules/radio.lua @@ -34,8 +34,9 @@ end) RegisterNetEvent("voip:server:radio:transmission:start", function(channel, kind) local emitter = source local coord = GetEntityCoords(GetPlayerPed(emitter)) + local globalState = exports["soz-core"]:GetGlobalState() - if GlobalState.blackout_level > 1 then + if globalState.blackoutLevel > 1 then return end diff --git a/resources/[soz]/soz-voip/server/state/call.lua b/resources/[soz]/soz-voip/server/state/call.lua index 7615929372..6e6558daad 100644 --- a/resources/[soz]/soz-voip/server/state/call.lua +++ b/resources/[soz]/soz-voip/server/state/call.lua @@ -58,8 +58,8 @@ function CallStateManager:createCall(emitter, receiver) TriggerClientEvent("voip:client:call:start", call.callerId, call.receiverId, callId) TriggerClientEvent("voip:client:call:start", call.receiverId, call.callerId, callId) - TriggerEvent("monitor:server:event", "voip_call", {player_source = source.PlayerData.source, call_type = "emitter"}, call) - TriggerEvent("monitor:server:event", "voip_call", {player_source = target.PlayerData.source, call_type = "receiver"}, call) + exports["soz-core"]:Event("voip_call", {player_source = source.PlayerData.source, call_type = "emitter"}, call) + exports["soz-core"]:Event("voip_call", {player_source = target.PlayerData.source, call_type = "receiver"}, call) return callId end @@ -80,8 +80,8 @@ function CallStateManager:destroyCall(callId) TriggerClientEvent("voip:client:call:end", call.callerId, call.receiverId, callId) TriggerClientEvent("voip:client:call:end", call.receiverId, call.callerId, callId) - TriggerEvent("monitor:server:event", "voip_call", {player_source = call.callerId, type = "ended"}, CallList[callId]) - TriggerEvent("monitor:server:event", "voip_call", {player_source = call.receiverId, type = "ended"}, CallList[callId]) + exports["soz-core"]:Event("voip_call", {player_source = call.callerId, type = "ended"}, CallList[callId]) + exports["soz-core"]:Event("voip_call", {player_source = call.receiverId, type = "ended"}, CallList[callId]) CallList[callId] = nil end diff --git a/resources/[soz]/soz-voip/server/state/radio.lua b/resources/[soz]/soz-voip/server/state/radio.lua index aeb1523032..7ba9117ed6 100644 --- a/resources/[soz]/soz-voip/server/state/radio.lua +++ b/resources/[soz]/soz-voip/server/state/radio.lua @@ -26,7 +26,7 @@ function RadioStateManager:broadcastToConsumers(channel, cb) local channelNumber = tonumber(channel) if channelNumber == nil then - exports["soz-monitor"]:Log("ERROR", "nil error when converting channel to number, original value: " .. channel, {}) + exports["soz-core"]:Log("ERROR", "nil error when converting channel to number, original value: " .. channel, {}) return end diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/audio/emergency_bana_game.dat151.rel b/resources/[vehicles]/[vehicles-prod]/soz-banalise/audio/emergency_bana_game.dat151.rel index c1b7d53d9e..8339798fb9 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-banalise/audio/emergency_bana_game.dat151.rel and b/resources/[vehicles]/[vehicles-prod]/soz-banalise/audio/emergency_bana_game.dat151.rel differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/carvariations.meta b/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/carvariations.meta index 8c3e07abdd..1ade136f21 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/carvariations.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/carvariations.meta @@ -2346,5 +2346,43 @@ + + dodgebana + + + + 0 + 0 + 55 + 23 + + + + + + + + + + + + + + + 0_default_modkit + 1010_dodgebana_modkit + + + + + + Standard White + + + + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/handling.meta b/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/handling.meta new file mode 100644 index 0000000000..27d675c7eb --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/handling.meta @@ -0,0 +1,67 @@ + + + + + + dodgebana + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 0 + 0 + AVERAGE + + + + + + + + + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/vehicles.meta index a767e18e72..5de6cd9d48 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/vehicles.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-banalise/meta/vehicles.meta @@ -7,8 +7,8 @@ lspdbana1 felon1 FELON - Felonbana - FELONBAN + LSPDBANA1 + LSPDBANA1 null null null @@ -121,8 +121,8 @@ lspdbana2 sultan1 SULTAN - Sultanbana - SULTANBA + LSPDBANA2 + LSPDBANA2 null null null @@ -236,8 +236,8 @@ bcsobana1 fugitive FUGITIVE - FUGIBANA - Fugitiveban + BCSOBANA1 + BCSOBANA1 null null null @@ -351,8 +351,8 @@ bcsobana2 gresley GRESLEY - GRESBANA - Gresleybana + BCSOBANA2 + BCSOBANA2 null null null @@ -462,6 +462,112 @@ STD_POLICE2_FRONT_RIGHT + + dodgebana + dodgebana + dodgebana + dodgebana + + null + null + null + null + + + DODGEBANA + LAYOUT_STD_EXITFIXUP + SAVESTRA_COVER_OFFSET_INFO + EXPLOSION_INFO_DEFAULT + + DEFAULT_FOLLOW_VEHICLE_CAMERA + MID_BOX_VEHICLE_AIM_CAMERA + VEHICLE_BONNET_CAMERA_LOW + DEFAULT_POV_CAMERA + + + + + + + + + + + + + VFXVEHICLEINFO_CAR_GENERIC + + + + + + + + + + + + + + + + + + + + + + 700.000000 + 800.000000 + 900.000000 + 1200.000000 + 1300.000000 + 1400.000000 + + + + + + + + + + + SWANKNESS_1 + + FLAG_EXTRAS_STRONG FLAG_DONT_SPAWN_IN_CARGEN FLAG_HAS_LIVERY + VEHICLE_TYPE_CAR + VPT_BACK_PLATES + VDT_SCHAFTER2 + VC_COUPE + VWT_SPORT + + + + + + + + + + + + WHEEL_FRONT_RIGHT_CAMERA + WHEEL_FRONT_LEFT_CAMERA + WHEEL_REAR_RIGHT_CAMERA + WHEEL_REAR_LEFT_CAMERA + + + + + + + STD_POLICE_FRONT_LEFT + STD_POLICE_FRONT_RIGHT + STD_POLICE_REAR_LEFT + STD_POLICE_REAR_RIGHT + + @@ -480,5 +586,9 @@ vehicles_cav_interior gresley1 + + vehicles_schaf_brown_interior + dodgebana + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana.yft b/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana.yft new file mode 100644 index 0000000000..c28e2f2548 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana.ytd b/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana.ytd new file mode 100644 index 0000000000..4c27868cee Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana_hi.yft new file mode 100644 index 0000000000..1c9164ea87 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-banalise/stream/[DODGEBANA]/dodgebana_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-blimp/stream/blimp.ytd b/resources/[vehicles]/[vehicles-prod]/soz-blimp/stream/blimp.ytd index aab753f98d..9a2b28fa8c 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-blimp/stream/blimp.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-blimp/stream/blimp.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-burrito6/stream/burrito6.ytd b/resources/[vehicles]/[vehicles-prod]/soz-burrito6/stream/burrito6.ytd index dcd73bdcf9..541e82e939 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-burrito6/stream/burrito6.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-burrito6/stream/burrito6.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-coach2/stream/coach2.ytd b/resources/[vehicles]/[vehicles-prod]/soz-coach2/stream/coach2.ytd index b738a574c3..2e41b59244 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-coach2/stream/coach2.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-coach2/stream/coach2.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/audio/sozcustomsounds_game.dat151.rel b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/audio/sozcustomsounds_game.dat151.rel new file mode 100644 index 0000000000..69b7ad92fa Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/audio/sozcustomsounds_game.dat151.rel differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/audio/sozfbi_game.dat151.rel b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/audio/sozfbi_game.dat151.rel deleted file mode 100644 index 44f51b62e5..0000000000 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/audio/sozfbi_game.dat151.rel and /dev/null differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/fxmanifest.lua b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/fxmanifest.lua index e76c0ec7df..64b3b9b701 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/fxmanifest.lua +++ b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/fxmanifest.lua @@ -5,8 +5,4 @@ files { "audio/*.rel" } -client_script { - 'vehicle_names.lua' -} - -data_file "AUDIO_GAMEDATA" "audio/sozfbi_game.dat" +data_file "AUDIO_GAMEDATA" "audio/sozcustomsounds_game.dat" diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/ambulance/ambulance.ytd b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/ambulance/ambulance.ytd index 98c6a28781..2739cedc6f 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/ambulance/ambulance.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/ambulance/ambulance.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi.yft index e0055f26dd..d77ff795c6 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi.yft and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi_hi.yft index f212bdd471..5178ad30d7 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi_hi.yft and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/cogfbi/cogfbi_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5.yft index 2cb44f3678..f9ad44078f 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5.yft and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5_hi.yft index 1f64538b5b..2250ac58f3 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5_hi.yft and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/police5/police5_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/predator/predator+hi.ytd b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/predator/predator+hi.ytd new file mode 100644 index 0000000000..a242884bd9 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/predator/predator+hi.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/predator/predator.ytd b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/predator/predator.ytd new file mode 100644 index 0000000000..f155508740 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/predator/predator.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez.yft new file mode 100644 index 0000000000..4de15f89e1 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez.ytd b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez.ytd new file mode 100644 index 0000000000..130e0ed9a3 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez_hi.yft new file mode 100644 index 0000000000..5d35bb154f Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/soz-bcsomanchez/bcsomanchez_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3+hi.ytd b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3+hi.ytd new file mode 100644 index 0000000000..107c23d935 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3+hi.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3.yft new file mode 100644 index 0000000000..59f66bfde0 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3.ytd b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3.ytd new file mode 100644 index 0000000000..df2150c9f7 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3_hi.yft new file mode 100644 index 0000000000..99b575b976 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-custom-car/stream/tropic3/tropic3_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-demetal/fxmanifest.lua b/resources/[vehicles]/[vehicles-prod]/soz-demetal/fxmanifest.lua new file mode 100644 index 0000000000..cc5d7b1082 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-demetal/fxmanifest.lua @@ -0,0 +1,2 @@ +fx_version 'cerulean' +game 'gta5' diff --git a/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/rubble+hi.ytd b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/rubble+hi.ytd new file mode 100644 index 0000000000..d48d61d781 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/rubble+hi.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/rubble.ytd b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/rubble.ytd new file mode 100644 index 0000000000..1f9f649384 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/rubble.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/tiptruck2+hi.ytd b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/tiptruck2+hi.ytd new file mode 100644 index 0000000000..e37953097e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/tiptruck2+hi.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/tiptruck2.ytd b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/tiptruck2.ytd new file mode 100644 index 0000000000..d92684e512 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-demetal/stream/tiptruck2.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/fxmanifest.lua b/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/fxmanifest.lua index 6d6f19c947..39db1281d6 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/fxmanifest.lua +++ b/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/fxmanifest.lua @@ -5,5 +5,4 @@ files { "meta/*.meta" } -data_file "VEHICLE_METADATA_FILE" "meta/vehicles.meta" -data_file "VEHICLE_VARIATION_FILE" "meta/carvariations.meta" \ No newline at end of file +data_file "VEHICLE_VARIATION_FILE" "meta/carvariations.meta" diff --git a/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/meta/vehicles.meta deleted file mode 100644 index 63c89e06fa..0000000000 --- a/resources/[vehicles]/[vehicles-prod]/soz-flatbed4/meta/vehicles.meta +++ /dev/null @@ -1,127 +0,0 @@ - - - vehshare - - - - flatbed4 - flatbed4 - FLATBED - FLATBED4 - MTL4 - null - null - null - null - - null - FLATBED - LAYOUT_TRUCK - FLATBED_COVER_OFFSET_INFO - EXPLOSION_INFO_TRUCK - - DEFAULT_FOLLOW_VEHICLE_CAMERA - MID_BOX_VEHICLE_AIM_CAMERA - VEHICLE_BONNET_CAMERA_MID - DEFAULT_POV_CAMERA_LOOKAROUND_MID - - - - - - - - - - - - - - - - - - VFXVEHICLEINFO_TRUCK_HIDDEN_EXHAUST - - - - - - - - - - - - - - - - - - - - - - 20.000000 - 90.000000 - 130.000000 - 260.000000 - 750.000000 - 750.000000 - - - - - - - - - - - SWANKNESS_1 - - FLAG_BIG FLAG_CAN_HONK_WHEN_FLEEING FLAG_AVOID_TURNS FLAG_EXTRAS_REQUIRE FLAG_PEDS_CAN_STAND_ON_TOP FLAG_DONT_SPAWN_IN_CARGEN FLAG_USE_FAT_INTERIOR_LIGHT FLAG_IS_BULKY FLAG_BLOCK_FROM_ATTRACTOR_SCENARIO FLAG_CANNOT_TAKE_COVER_WHEN_STOOD_ON FLAG_HAS_LIVERY FLAG_EXTRAS_STRONG - VEHICLE_TYPE_CAR - VPT_FRONT_PLATES - VDT_TRUCK - VC_INDUSTRIAL - VWT_SPORT - - - - - S_M_M_Trucker_01 - - - - - - VEH_EXT_BONNET - - - - - - - - WHEEL_WIDE_REAR_RIGHT_CAMERA - WHEEL_WIDE_REAR_LEFT_CAMERA - - Truck - - - - - TRUCK_PHANTOM_FRONT_LEFT - TRUCK_PACKER_FRONT_RIGHT - - - - - - vehshare_truck - flatbed4 - - - \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/fxmanifest.lua b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/fxmanifest.lua new file mode 100644 index 0000000000..1850e17bc7 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/fxmanifest.lua @@ -0,0 +1,11 @@ +fx_version 'cerulean' +game 'gta5' + +files { + "meta/*.meta" +} + +data_file "HANDLING_FILE" "meta/handling.meta" +data_file "VEHICLE_METADATA_FILE" "meta/vehicles.meta" +data_file "VEHICLE_VARIATION_FILE" "meta/carvariations.meta" +data_file "CARCOLS_FILE" "meta/carcols.meta" \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/carcols.meta b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/carcols.meta new file mode 100644 index 0000000000..afe1e0be40 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/carcols.meta @@ -0,0 +1,558 @@ + + + + + 1014_lspdgallardo_modkit + + MKT_SPECIAL + + + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + HORN_TRUCK + + + + VMT_HORN + + + HORN_COP + + + + VMT_HORN + + + HORN_CLOWN + + + + VMT_HORN + + + HORN_MUSICAL_1 + + + + VMT_HORN + + + HORN_MUSICAL_2 + + + + VMT_HORN + + + HORN_MUSICAL_3 + + + + VMT_HORN + + + HORN_MUSICAL_4 + + + + VMT_HORN + + + HORN_MUSICAL_5 + + + + VMT_HORN + + + HORN_SAD_TROMBONE + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_1 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_2 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_3 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_4 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_5 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_6 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_7 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_D0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_E0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_F0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_G0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_A0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_B0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C1 + + + + VMT_HORN + + + HIPSTER_HORN_1 + + + + VMT_HORN + + + HIPSTER_HORN_2 + + + + VMT_HORN + + + HIPSTER_HORN_3 + + + + VMT_HORN + + + HIPSTER_HORN_4 + + + + VMT_HORN + + + INDEP_HORN_1 + + + + VMT_HORN + + + INDEP_HORN_2 + + + + VMT_HORN + + + INDEP_HORN_3 + + + + VMT_HORN + + + INDEP_HORN_4 + + + + VMT_HORN + + + LUXE_HORN_1 + + + + VMT_HORN + + + LUXE_HORN_2 + + + + VMT_HORN + + + LUXE_HORN_3 + + + + VMT_HORN + + + + LUXORY_HORN_1 + + + + VMT_HORN + + + + LUXURY_HORN_2 + + + + VMT_HORN + + + + LUXURY_HORN_3 + + + + VMT_HORN + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + VehicleLight_car_standardmodern + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + lspdgallardo + + + \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/carvariations.meta b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/carvariations.meta new file mode 100644 index 0000000000..56847c1835 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/carvariations.meta @@ -0,0 +1,45 @@ + + + + + + lspdgallardo + + + + 111 + 0 + 1 + 156 + 0 + 0 + + + + + + + + + + + + + + + 1014_lspdgallardo_modkit + + + + + + hash_69E137FC + + + + + + + + + \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/handling.meta b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/handling.meta new file mode 100644 index 0000000000..d52ba6eadd --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/handling.meta @@ -0,0 +1,57 @@ + + + + + lspdgallardo + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 441010 + 20002 + 0 + AVERAGE + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/vehicles.meta new file mode 100644 index 0000000000..fffc50728b --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/meta/vehicles.meta @@ -0,0 +1,129 @@ + + + + vehshare + + + + lspdgallardo + lspdgallardo + lspdgallardo + lspdgallardo + Coil + null + null + null + null + + null + lspdgallardo + LAYOUT_LOW + VACCA_COVER_OFFSET_INFO + EXPLOSION_INFO_DEFAULT + + DEFAULT_FOLLOW_VEHICLE_CAMERA + DEFAULT_THIRD_PERSON_VEHICLE_AIM_CAMERA + VEHICLE_BONNET_CAMERA_MID_HIGH + DEFAULT_POV_CAMERA + + + + + + + + + + + + + + + + + + VFXVEHICLEINFO_CAR_GENERIC + + + + + + + + + + + + + + + + + + + + + + 30.000000 + 50.000000 + 120.000000 + 300.000000 + 800.000000 + 500.000000 + + + + + + + + + + + SWANKNESS_5 + + FLAG_HAS_LIVERY FLAG_SPORTS FLAG_RICH_CAR FLAG_AVERAGE_CAR FLAG_NO_BROKEN_DOWN_SCENARIO + FLAG_COUNT_AS_FACEBOOK_DRIVEN FLAG_HAS_INTERIOR_EXTRAS FLAG_EXTRAS_REQUIRE FLAG_EXTRAS_STRONG + + VEHICLE_TYPE_CAR + VPT_FRONT_AND_BACK_PLATES + VDT_RACE + VC_SUPER + VWT_HIEND + + + + + EXTRA_1 + EXTRA_2 + EXTRA_3 + + + + + + + + + WHEEL_FRONT_RIGHT_CAMERA + WHEEL_FRONT_LEFT_CAMERA + WHEEL_REAR_RIGHT_CAMERA + WHEEL_REAR_LEFT_CAMERA + + + + + + + LOW_VACCA_FRONT_LEFT + LOW_VACCA_FRONT_RIGHT + + + + + + vehicles_race_generic + lspdgallardo + + + \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo.yft b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo.yft new file mode 100644 index 0000000000..11dd2c60be Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo.ytd b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo.ytd new file mode 100644 index 0000000000..3fc2670e70 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo_hi.yft new file mode 100644 index 0000000000..2316113d27 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-lspd-gallardo/stream/lspdgallardo_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2+hi.ytd b/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2+hi.ytd index 77f4cdc2fc..025979c1ae 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2+hi.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2+hi.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2.ytd b/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2.ytd index d83848c466..6f504a32d2 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-maverick2/stream/maverick2.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carcols.meta b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carcols.meta index 056af10cd0..30e34eb3a2 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carcols.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carcols.meta @@ -5093,5 +5093,1123 @@ + + 1015_bcsomanchez_modkit + + MKT_SPECIAL + + + manchez3_handlebarpad_1 + MAN3_HANBAR1 + + + VMT_CHASSIS + handlebars + chassis + VMCP_DEFAULT + + + + + + + + manchez3_frameb + MAN3_FRAME1 + + + VMT_CHASSIS + forks_u + mod_col_1 + VMCP_DEFAULT + + + + + + + + manchez3_framed + MAN3_FRAME2 + + manchez3_frameb + + + VMT_CHASSIS + forks_u + mod_col_1 + VMCP_DEFAULT + + + + + + + + manchez3_tanka + MAN_TANKA + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_tanka + MAN3_TANK2 + + manchez3_tankb + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_tanka + MAN3_TANK3 + + manchez3_tankc + + + VMT_ROOF + chassis + mod_col_3 + VMCP_DEFAULT + + + + + + + + manchez3_tankd + MAN3_TANK4 + + + VMT_ROOF + chassis + mod_col_4 + VMCP_DEFAULT + + + + + + + + manchez3_fenda + MAN_FENDA + + + misc_c + + VMT_BUMPER_F + forks_u + chassis + VMCP_DEFAULT + + + + + + + + manchez3_fendb + MAN3_FEND2 + + + misc_c + + VMT_BUMPER_F + forks_u + chassis + VMCP_DEFAULT + + + + + + + + manchez3_fendc + MAN3_FEND3 + + + misc_c + + VMT_BUMPER_F + forks_u + chassis + VMCP_DEFAULT + + + + + + + + manchez3_fendd + MAN3_FEND4 + + + misc_c + + VMT_BUMPER_F + forks_u + chassis + VMCP_DEFAULT + + + + + + + + manchez3_fende + MAN3_FEND5 + + + misc_c + + VMT_BUMPER_F + forks_u + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exha + MAN_EXHA + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exha + MAN_EXHB + + manchez3_exhb + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exhc + MAN_EXHC + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exhc + MAN_EXHD + + manchez3_exhd + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exh_1 + MAN3_EXH1 + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exh_2 + MAN3_EXH2 + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exh_3 + MAN3_EXH3 + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_exh_4 + MAN3_EXH4 + + + misc_b + exhaust + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_shroud_1 + MAN3_SHROUD1 + + + misc_f + + VMT_WING_L + forks_l + chassis + VMCP_DEFAULT + + + + + + + + manchez3_shroud_2 + MAN3_SHROUD2 + + + misc_f + + VMT_WING_L + forks_l + chassis + VMCP_DEFAULT + + + + + + + + manchez3_shroud_3 + MAN3_SHROUD3 + + manchez3_shroud_1 + + + misc_f + + VMT_WING_L + forks_l + chassis + VMCP_DEFAULT + + + + + + + + manchez3_seat_1 + MAN3_SEAT1 + + + misc_g + + VMT_BONNET + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_seat_2 + MAN3_SEAT2 + + + misc_g + + VMT_BONNET + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_seat_3 + MAN3_SEAT3 + + + misc_g + + VMT_BONNET + chassis + chassis + VMCP_DEFAULT + + + + + + + + manchez3_swingarm_1 + MAN3_SWING1 + + + misc_i + + VMT_BUMPER_R + swingarm + chassis + VMCP_DEFAULT + + + + + + + + manchez3_fairing_1 + MAN3_FAIR1 + + + misc_h + + VMT_GRILL + handlebars + chassis + VMCP_DEFAULT + + + + + + + + + + manchez3_boxa + chassis + + + + manchez3_frameb + forks_u + + + + manchez3_boxb + chassis + + + + manchez3_boxc + chassis + + + + manchez3_jcan + chassis + + + + manchez3_exha + chassis + + + + manchez3_exhc + chassis + + + + manchez3_exhb + chassis + + + + manchez3_exhd + chassis + + + + manchez3_shroud_1 + forks_l + + + + manchez3_tankb + chassis + + + + manchez3_tankc + chassis + + + + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + HORN_TRUCK + + + + VMT_HORN + + + HORN_COP + + + + VMT_HORN + + + HORN_CLOWN + + + + VMT_HORN + + + HORN_MUSICAL_1 + + + + VMT_HORN + + + HORN_MUSICAL_2 + + + + VMT_HORN + + + HORN_MUSICAL_3 + + + + VMT_HORN + + + HORN_MUSICAL_4 + + + + VMT_HORN + + + HORN_MUSICAL_5 + + + + VMT_HORN + + + HORN_SAD_TROMBONE + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_1 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_2 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_3 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_4 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_5 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_6 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_7 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_D0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_E0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_F0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_G0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_A0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_B0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C1 + + + + VMT_HORN + + + HIPSTER_HORN_1 + + + + VMT_HORN + + + HIPSTER_HORN_2 + + + + VMT_HORN + + + HIPSTER_HORN_3 + + + + VMT_HORN + + + HIPSTER_HORN_4 + + + + VMT_HORN + + + INDEP_HORN_1 + + + + VMT_HORN + + + INDEP_HORN_2 + + + + VMT_HORN + + + INDEP_HORN_3 + + + + VMT_HORN + + + INDEP_HORN_4 + + + + VMT_HORN + + + LUXE_HORN_1 + + + + VMT_HORN + + + LUXE_HORN_2 + + + + VMT_HORN + + + LUXE_HORN_3 + + + + VMT_HORN + + + + LUXORY_HORN_1 + + + + VMT_HORN + + + + LUXURY_HORN_2 + + + + VMT_HORN + + + + LUXURY_HORN_3 + + + + VMT_HORN + + + ORGAN_HORN_LOOP_01 + + + + VMT_HORN + + + + ORGAN_HORN_LOOP_01_PREVIEW + + + + VMT_HORN + + + ORGAN_HORN_LOOP_02 + + + + VMT_HORN + + + + ORGAN_HORN_LOOP_02_PREVIEW + + + + VMT_HORN + + + LOWRIDER_HORN_1 + + + + VMT_HORN + + + + LOWRIDER_HORN_1_PREVIEW + + + + VMT_HORN + + + LOWRIDER_HORN_2 + + + + VMT_HORN + + + + LOWRIDER_HORN_2_PREVIEW + + + + VMT_HORN + + + XM15_HORN_01 + + + + VMT_HORN + + + + XM15_HORN_01_PREVIEW + + + + VMT_HORN + + + XM15_HORN_02 + + + + VMT_HORN + + + + XM15_HORN_02_PREVIEW + + + + VMT_HORN + + + XM15_HORN_03 + + + + VMT_HORN + + + + XM15_HORN_03_PREVIEW + + + + VMT_HORN + + + DLC_AW_Airhorn_01 + + + + VMT_HORN + + + + DLC_AW_Airhorn_01_Preview + + + + VMT_HORN + + + DLC_AW_Airhorn_02 + + + + VMT_HORN + + + + DLC_AW_Airhorn_02_Preview + + + + VMT_HORN + + + DLC_AW_Airhorn_03 + + + + VMT_HORN + + + + DLC_AW_Airhorn_03_Preview + + + + VMT_HORN + + + + + VMT_BUMPER_F + TOP_MUDF + + + VMT_WING_L + TOP_FORK + + + VMT_CHASSIS + TOP_BAR + + + VMT_GRILL + TOP_FARI + + + VMT_BONNET + TOP_SEATF + + + VMT_ROOF + TOP_TNK + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carvariations.meta b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carvariations.meta index 3cf1118a08..8d29b9797b 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carvariations.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/carvariations.meta @@ -92,7 +92,7 @@ - 0_default_modkit + 384_paragon_modkit @@ -1558,5 +1558,229 @@ + + bcsomanchez + + + + 111 + 30 + 5 + 156 + 0 + 0 + + + + + + + + + + + + + + + 8 + 0 + 0 + 156 + 0 + 0 + + + + + + + + + + + + + + + 0 + 4 + 5 + 156 + 0 + 0 + + + + + + + + + + + + + + + 111 + 8 + 4 + 156 + 0 + 0 + + + + + + + + + + + + + + + 111 + 52 + 4 + 156 + 0 + 0 + + + + + + + + + + + + + + + 111 + 69 + 4 + 156 + 0 + 0 + + + + + + + + + + + + + + + 111 + 68 + 68 + 156 + 0 + 0 + + + + + + + + + + + + + + + 29 + 31 + 28 + 156 + 0 + 0 + + + + + + + + + + + + + + + 74 + 67 + 4 + 156 + 0 + 0 + + + + + + + + + + + + + + + 1015_bcsomanchez_modkit + + + + + + Police guv plate + + + + + + + + + tropic3 + + + + 88 + 88 + 0 + 0 + 0 + 0 + + + + + + + + + + + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/handling.meta b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/handling.meta index 04ba1f6f26..368430b5d3 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/handling.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/handling.meta @@ -1,488 +1,625 @@ - - - motofdo - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 1 - 20 - AVERAGE - - - - - - - - - - - - - - - - - - - - - - + + + motofdo + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 1 + 20 + AVERAGE + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - fbi2 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 0 - 0 - AVERAGE - - - - - + + fbi2 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 0 + 0 + AVERAGE + + + + + + + + + - - - - - - sheriff - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 0 - 0 - AVERAGE - - - - - - - - sheriff3 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 0 - 0 - AVERAGE - - - - - - - - - - - - POLICE6 - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 0 - 0 - AVERAGE - - - - - - - - - - - - NEWSVAN - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 444011 - 0 - 0 - AVERAGE - - - - VEHICLE_WEAPON_DISH - VEHICLE_WEAPON_RADAR - - - - - 0 - 3 - 0 - 0 - - - 3.000000 - 0.000000 - - - -0.400000 - 0.000000 - - - 0.707000 - 0.000000 - - - -0.500000 - 0.000000 - - - 0.000000 - 0.000000 - - - 25.000000 - 0.000000 - - - -0.080000 - 0.000000 - - - - - - - - - - - - PANTHERE - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 0 - 20 - AVERAGE - - - - - - 14008000 + + sheriff + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 0 + 0 + AVERAGE + + + + + - - - - - + + sheriff3 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 0 + 0 + AVERAGE + + + + + + + + + + + + POLICE6 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 220010 + 80000A + 0 + SPORTS_CAR + + + + + + + NEWSVAN + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 444011 + 0 + 0 + AVERAGE + + + + VEHICLE_WEAPON_DISH + VEHICLE_WEAPON_RADAR + + + + + 0 + 3 + 0 + 0 + + + 3.000000 + 0.000000 + + + -0.400000 + 0.000000 + + + 0.707000 + 0.000000 + + + -0.500000 + 0.000000 + + + 0.000000 + 0.000000 + + + 25.000000 + 0.000000 + + + -0.080000 + 0.000000 + + + + + + + + + + + + PANTHERE + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 0 + 20 + AVERAGE + + + + + + 14008000 + + + + + + + SASP1 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 440010 + 20002 + 0 + SPORTS_CAR + + + + + + + + TUG + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 80008000 + 04000000 + 20 + AVERAGE + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/vehicles.meta index 9d99de7169..de25c84178 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/vehicles.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/meta/vehicles.meta @@ -7,7 +7,7 @@ ambcar ambcar FBI2 - ambcar + AMBCAR null null @@ -112,7 +112,7 @@ cogfbi cogfbi COG552 - cogfbi + COGFBI ENUS null null @@ -233,7 +233,7 @@ paragonfbi paragonfbi PARAGON2 - paragonfbi + PARAGONFBI ENUS null null @@ -1025,7 +1025,7 @@ baller8 baller8 BALLER4 - BALLER4 + BALLER8 GALLIVAN null null @@ -1146,7 +1146,7 @@ brickade1 brickade1 BRICKADE - BRICKADE + BRICKADE1 MTL null null @@ -1259,7 +1259,7 @@ burrito6 burrito6 BURRITO - burrito6 + BURRITO6 DECLASSE null null @@ -1378,7 +1378,7 @@ coach2 coach2 COACH - COACH + COACH2 coach null null @@ -1498,7 +1498,7 @@ dynasty2 dynasty2 DYNASTY - dynasty + DYNASTY2 dynasty null null @@ -1617,7 +1617,7 @@ faggio4 faggio4 FAGGIO - FAGGIO + FAGGIO4 PEGASSI null null @@ -1717,64 +1717,64 @@ - flatbed3 - flatbed3 + flatbed4 + flatbed4 FLATBED - FLATBED - MTL + FLATBED4 + MTL4 null null null null - + null FLATBED LAYOUT_TRUCK FLATBED_COVER_OFFSET_INFO EXPLOSION_INFO_TRUCK - + DEFAULT_FOLLOW_VEHICLE_CAMERA MID_BOX_VEHICLE_AIM_CAMERA VEHICLE_BONNET_CAMERA_MID DEFAULT_POV_CAMERA_LOOKAROUND_MID - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + VFXVEHICLEINFO_TRUCK_HIDDEN_EXHAUST - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + 20.000000 90.000000 @@ -1783,48 +1783,51 @@ 750.000000 750.000000 - - - - - - - - - + + + + + + + + + SWANKNESS_1 - - FLAG_BIG FLAG_CAN_HONK_WHEN_FLEEING FLAG_AVOID_TURNS FLAG_EXTRAS_REQUIRE FLAG_PEDS_CAN_STAND_ON_TOP FLAG_DONT_SPAWN_IN_CARGEN FLAG_USE_FAT_INTERIOR_LIGHT FLAG_IS_BULKY FLAG_BLOCK_FROM_ATTRACTOR_SCENARIO FLAG_CANNOT_TAKE_COVER_WHEN_STOOD_ON FLAG_HAS_LIVERY FLAG_EXTRAS_STRONG + + FLAG_BIG FLAG_CAN_HONK_WHEN_FLEEING FLAG_AVOID_TURNS FLAG_EXTRAS_REQUIRE FLAG_PEDS_CAN_STAND_ON_TOP FLAG_DONT_SPAWN_IN_CARGEN + FLAG_USE_FAT_INTERIOR_LIGHT FLAG_IS_BULKY FLAG_BLOCK_FROM_ATTRACTOR_SCENARIO FLAG_CANNOT_TAKE_COVER_WHEN_STOOD_ON FLAG_HAS_LIVERY + FLAG_EXTRAS_STRONG + VEHICLE_TYPE_CAR VPT_FRONT_PLATES VDT_TRUCK - VC_UTILITY + VC_INDUSTRIAL VWT_SPORT - - + + S_M_M_Trucker_01 - + - + VEH_EXT_BONNET - - - - - + + + + + WHEEL_WIDE_REAR_RIGHT_CAMERA WHEEL_WIDE_REAR_LEFT_CAMERA Truck - - - + + + TRUCK_PHANTOM_FRONT_LEFT TRUCK_PACKER_FRONT_RIGHT @@ -1834,7 +1837,7 @@ frogger3 frogger3 FROGGER - FROGGER + FROGGER3 FROGGER null null @@ -1948,7 +1951,7 @@ hauler1 hauler1 HAULER - HAULER + HAULER1 JOBUILT null null @@ -2070,7 +2073,7 @@ maverick2 maverick2 MAVERICK - maverick + MAVERICK2 maverick null null @@ -2194,7 +2197,7 @@ mule6 mule6 MULE - MULE + MULE6 MAIBATSU null null @@ -2428,7 +2431,7 @@ packer2 packer2 PACKER - packer + PACKER2 packer null null @@ -2682,7 +2685,7 @@ supervolito1 supervolito1 SVOLITO - SVOLITO + SVOLITO1 BUCKING null null @@ -2796,7 +2799,7 @@ taco1 taco1 TACO - TACO + TACO1 null null @@ -3020,6 +3023,222 @@ + + bcsomanchez + bcsomanchez + MANCHEZ3 + MANCHEZ3 + MAIBATSU + null + null + null + null + + null + + LAYOUT_BIKE_MANCHEZ2 + MANCHEZ2_COVER_OFFSET_INFO + SANCHEZ_POV_TUNING + EXPLOSION_INFO_DEFAULT + + FOLLOW_UPRIGHT_BIKE_CAMERA + BIKE_AIM_CAMERA + BIKE_SANCHEZ_POV_CAMERA + BIKE_SANCHEZ_POV_CAMERA + + + + + + + + + + + + + + + + + + VFXVEHICLEINFO_MOTORBIKE_GENERIC + + + + + + + + + + + + + + + + + + + + + + 10.000000 + 25.000000 + 60.000000 + 120.000000 + 500.000000 + 500.000000 + + + + + + + + + + SWANKNESS_2 + + FLAG_NO_BOOT FLAG_IGNORE_ON_SIDE_CHECK FLAG_AVERAGE_CAR FLAG_HEADLIGHTS_USE_ACTUAL_BONE_POS + VEHICLE_TYPE_BIKE + VPT_NONE + VDT_SPORTBK + VC_MOTORCYCLE + VWT_BIKE + + + + + + + + + + + + WHEEL_REAR_LEFT_CAMERA + WHEEL_REAR_RIGHT_CAMERA + + Bike + + + + + BIKE_SANCHEZ_FRONT + + + + tropic3 + tropic3 + TROPIC + TROPIC + SHITZU + null + null + null + null + + null + + LAYOUT_BOAT_TROPIC + STANDARD_COVER_OFFSET_INFO + EXPLOSION_INFO_BOAT_MEDIUM + + FOLLOW_BOAT_CAMERA + DINGHY_AIM_CAMERA + BOAT_BONNET_CAMERA + TROPIC_POV_CAMERA + + + + + + + + + + + + + + + + + + VFXVEHICLEINFO_BOAT_TROPIC + + + + + + + + + + + + + + + + + + + + + + 15.000000 + 50.000000 + 100.000000 + 300.000000 + 700.000000 + 1000.000000 + + + + + + + + + + + SWANKNESS_3 + + FLAG_NO_BOOT FLAG_SPAWN_BOAT_ON_TRAILER FLAG_EXTRAS_REQUIRE FLAG_EXTRAS_STRONG FLAG_PEDS_CAN_STAND_ON_TOP FLAG_GEN_NAVMESH FLAG_HEADLIGHTS_USE_ACTUAL_BONE_POS FLAG_DONT_SPAWN_AS_AMBIENT + VEHICLE_TYPE_BOAT + VDT_TRUCK + VPT_NONE + VDT_TRUCK + VC_BOAT + VWT_SPORT + + + + + + + + + + + + VEH_WINDOW_FRONT_LEFT_CAMERA + VEH_WINDOW_FRONT_RIGHT_CAMERA + + + + + + + BOAT_TROPIC_FRONT_LEFT + BOAT_TROPIC_FRONT_RIGHT + BOAT_TROPIC_REAR_LEFT + BOAT_REAR_LEFT + + @@ -3088,7 +3307,7 @@ vehshare_truck - flatbed3 + flatbed4 vehicles_flyer_interior @@ -3126,5 +3345,13 @@ vehicles_worn_van utillitruck4 + + vehicles_biker_shared + bcsomanchez + + + vehicles_boat_interior + tropic3 + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/vehicle_names.lua b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/vehicle_names.lua index 1288d2a60d..8e6df738cd 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/vehicle_names.lua +++ b/resources/[vehicles]/[vehicles-prod]/soz-metaconfig/vehicle_names.lua @@ -1,27 +1,45 @@ Citizen.CreateThread(function() - --- Vehicles + + -- Services + AddTextEntryByHash(GetHashKey("ambcar"), "Granger du LSMC") - AddTextEntryByHash(GetHashKey("police5"), "Buffalo STX") - AddTextEntryByHash(GetHashKey("police6"), "Vapid Scout") - AddTextEntryByHash(GetHashKey("sheriff3"), "Buffalo Charger") - AddTextEntryByHash(GetHashKey("sheriff4"), "Albany Tahoe") + AddTextEntryByHash(GetHashKey("police5"), "Buffalo STX Police") + AddTextEntryByHash(GetHashKey("police6"), "Vapid Scout Police") + AddTextEntryByHash(GetHashKey("sheriff3"), "Buffalo Charger Sheriff") + AddTextEntryByHash(GetHashKey("sheriff4"), "Albany Tahoe Sheriff") AddTextEntryByHash(GetHashKey("policeb2"), "Moto de Police") AddTextEntryByHash(GetHashKey("sheriffb"), "Moto Sheriff") AddTextEntryByHash(GetHashKey("paragonfbi"), "Paragon FBI") AddTextEntryByHash(GetHashKey("cogfbi"), "Cognoscenti FBI") - AddTextEntryByHash(GetHashKey("dynasty2"), "Dynasty") + + -- enterprises + AddTextEntryByHash(GetHashKey("baller8"), "Baller ST Blindé") + AddTextEntryByHash(GetHashKey("brickade1"), "Brickade UPW") AddTextEntryByHash(GetHashKey("burrito6"), "Burrito") - AddTextEntryByHash(GetHashKey("baller8"), "Baller ST") - AddTextEntryByHash(GetHashKey("flatbed3"), "Flatbed") - AddTextEntryByHash(GetHashKey("flatbed4"), "Flatbed") - AddTextEntryByHash(GetHashKey("mule6"), "Mule") - AddTextEntryByHash(GetHashKey("newsvan"), "Rumpo") - AddTextEntryByHash(GetHashKey("packer2"), "Packer") - AddTextEntryByHash(GetHashKey("stockade"), "Securicar") - AddTextEntryByHash(GetHashKey("utillitruck4"), "Utility Truck") - AddTextEntryByHash(GetHashKey("newsvan"), "Rumpo Twitch News") -- newsvan + AddTextEntryByHash(GetHashKey("coach2"), "Bus Zevent") + AddTextEntryByHash(GetHashKey("dynasty2"), "Carl Jr") + AddTextEntryByHash(GetHashKey("faggio4"), "Faggio Livraison") + AddTextEntryByHash(GetHashKey("flatbed4"), "Flatbed New Gahray") + AddTextEntryByHash(GetHashKey("frogger3"), "Twitch News") + AddTextEntryByHash(GetHashKey("hauler1"), "Hauler PAWL") + AddTextEntryByHash(GetHashKey("maverick2"), "Sheriff") + AddTextEntryByHash(GetHashKey("mule6"), "Mule Chateau Marius") + AddTextEntryByHash(GetHashKey("newsvan"), "Rumpo Twitch News") + AddTextEntryByHash(GetHashKey("packer2"), "MTP") + AddTextEntryByHash(GetHashKey("svolito1"), "SuperVolito Carl Jr") + AddTextEntryByHash(GetHashKey("taco1"), "Taco Van Chateau Marius") + AddTextEntryByHash(GetHashKey("stockade"), "Securicar Stonk") + AddTextEntryByHash(GetHashKey("utiltruckng"), "Camion Utilitaire New Gahray") + + -- DLC 2 + + AddTextEntryByHash(GetHashKey("daemon2"), "Daemon Custom") + AddTextEntryByHash(GetHashKey("surfer2"), "Surfer Rouillé") + AddTextEntryByHash(GetHashKey("mixer"), "Bétonnière Rouillé") -- Liveries + AddTextEntry(GetHashKey('deity_livery13'),'Sticker MDR') -- Sticker MDR + AddTextEntry("0xA4849CEF", "Numéro - 0") -- POLICE5_A0 AddTextEntry("0xD083F4ED", "Numéro - 1") -- POLICE5_A1 AddTextEntry("0xBE355050", "Numéro - 2") -- POLICE5_A2 @@ -55,5 +73,45 @@ Citizen.CreateThread(function() AddTextEntry('0x71312BA1','Numéro - 8') -- POLICE5_C8 AddTextEntry('0x5CC802CF','Numéro - 9') -- POLICE5_C9 - AddTextEntry('0xAA1D8988','Sticker MDR') -- Sticker MDR + -- SASP 1 + AddTextEntryByHash(GetHashKey('SASP1'), "Dominator GTX") + AddTextEntryByHash(GetHashKey('SASP1_LIV_1'), "SASP Livery") + + AddTextEntryByHash(GetHashKey('POLICE_ANTENNA'), "Antenna") + AddTextEntryByHash(GetHashKey('POLICE_DIVIDER'), "Divider") + + --Call Signs + AddTextEntryByHash(GetHashKey('CALLSIGN_L'), "Left Call Sign") + AddTextEntryByHash(GetHashKey('CALLSIGN_C'), "Center Call Sign") + AddTextEntryByHash(GetHashKey('CALLSIGN_R'), "Right Call Sign") + AddTextEntryByHash(GetHashKey('CALLSIGN_A0'), "0") + AddTextEntryByHash(GetHashKey('CALLSIGN_A1'), "1") + AddTextEntryByHash(GetHashKey('CALLSIGN_A2'), "2") + AddTextEntryByHash(GetHashKey('CALLSIGN_A3'), "3") + AddTextEntryByHash(GetHashKey('CALLSIGN_A4'), "4") + AddTextEntryByHash(GetHashKey('CALLSIGN_A5'), "5") + AddTextEntryByHash(GetHashKey('CALLSIGN_A6'), "6") + AddTextEntryByHash(GetHashKey('CALLSIGN_A7'), "7") + AddTextEntryByHash(GetHashKey('CALLSIGN_A8'), "8") + AddTextEntryByHash(GetHashKey('CALLSIGN_A9'), "9") + AddTextEntryByHash(GetHashKey('CALLSIGN_B0'), "0") + AddTextEntryByHash(GetHashKey('CALLSIGN_B1'), "1") + AddTextEntryByHash(GetHashKey('CALLSIGN_B2'), "2") + AddTextEntryByHash(GetHashKey('CALLSIGN_B3'), "3") + AddTextEntryByHash(GetHashKey('CALLSIGN_B4'), "4") + AddTextEntryByHash(GetHashKey('CALLSIGN_B5'), "5") + AddTextEntryByHash(GetHashKey('CALLSIGN_B6'), "6") + AddTextEntryByHash(GetHashKey('CALLSIGN_B7'), "7") + AddTextEntryByHash(GetHashKey('CALLSIGN_B8'), "8") + AddTextEntryByHash(GetHashKey('CALLSIGN_B9'), "9") + AddTextEntryByHash(GetHashKey('CALLSIGN_C0'), "0") + AddTextEntryByHash(GetHashKey('CALLSIGN_C1'), "1") + AddTextEntryByHash(GetHashKey('CALLSIGN_C2'), "2") + AddTextEntryByHash(GetHashKey('CALLSIGN_C3'), "3") + AddTextEntryByHash(GetHashKey('CALLSIGN_C4'), "4") + AddTextEntryByHash(GetHashKey('CALLSIGN_C5'), "5") + AddTextEntryByHash(GetHashKey('CALLSIGN_C6'), "6") + AddTextEntryByHash(GetHashKey('CALLSIGN_C7'), "7") + AddTextEntryByHash(GetHashKey('CALLSIGN_C8'), "8") + AddTextEntryByHash(GetHashKey('CALLSIGN_C9'), "9") end) diff --git a/resources/[vehicles]/[vehicles-prod]/soz-newdodge/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-newdodge/meta/vehicles.meta index 22b369ac31..ef963e1491 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-newdodge/meta/vehicles.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-newdodge/meta/vehicles.meta @@ -76,7 +76,7 @@ SWANKNESS_1 - FLAG_EXTRAS_STRONG FLAG_LAW_ENFORCEMENT FLAG_EMERGENCY_SERVICE FLAG_NO_RESPRAY FLAG_DONT_SPAWN_IN_CARGEN FLAG_REPORT_CRIME_IF_STANDING_ON FLAG_HAS_LIVERY + FLAG_EXTRAS_ALL FLAG_EXTRAS_STRONG FLAG_LAW_ENFORCEMENT FLAG_EMERGENCY_SERVICE FLAG_NO_RESPRAY FLAG_DONT_SPAWN_IN_CARGEN FLAG_REPORT_CRIME_IF_STANDING_ON FLAG_HAS_LIVERY VEHICLE_TYPE_CAR VPT_BACK_PLATES VDT_SCHAFTER2 @@ -92,7 +92,7 @@ - + EXTRA_1 EXTRA_2 EXTRA_4 EXTRA_5 EXTRA_7 WHEEL_FRONT_RIGHT_CAMERA diff --git a/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge.yft b/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge.yft index fd009c5bd5..a2253b7809 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge.yft and b/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge_hi.yft index 505ed0fd10..48ea29284e 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge_hi.yft and b/resources/[vehicles]/[vehicles-prod]/soz-newdodge/stream/sheriffdodge_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sadler1/stream/sadler1.ytd b/resources/[vehicles]/[vehicles-prod]/soz-sadler1/stream/sadler1.ytd index 6e891d935e..8d701f7229 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-sadler1/stream/sadler1.ytd and b/resources/[vehicles]/[vehicles-prod]/soz-sadler1/stream/sadler1.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/audioconfig/tamustanggt50p_game.dat151.rel b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/audioconfig/tamustanggt50p_game.dat151.rel new file mode 100644 index 0000000000..27f604904e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/audioconfig/tamustanggt50p_game.dat151.rel differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/audioconfig/tamustanggt50p_sounds.dat54.rel b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/audioconfig/tamustanggt50p_sounds.dat54.rel new file mode 100644 index 0000000000..ce23c76b95 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/audioconfig/tamustanggt50p_sounds.dat54.rel differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/carcols.meta b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/carcols.meta new file mode 100644 index 0000000000..5051a5f359 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/carcols.meta @@ -0,0 +1,3567 @@ + + + + + + 4827_sasp1_modkit + + MKT_SPECIAL + + + sasp1_antenna + POLICE_ANTENNA + + + VMT_CHASSIS3 + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_livery1 + sasp1_LIV_1 + + + VMT_LIVERY_MOD + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a0 + CALLSIGN_A0 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a1 + CALLSIGN_A1 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a2 + CALLSIGN_A2 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a3 + CALLSIGN_A3 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a4 + CALLSIGN_A4 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a5 + CALLSIGN_A5 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a6 + CALLSIGN_A6 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a7 + CALLSIGN_A7 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a8 + CALLSIGN_A8 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_a9 + CALLSIGN_A9 + + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b0 + CALLSIGN_B0 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b1 + CALLSIGN_B1 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b2 + CALLSIGN_B2 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b3 + CALLSIGN_B3 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b4 + CALLSIGN_B4 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b5 + CALLSIGN_B5 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b6 + CALLSIGN_B6 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b7 + CALLSIGN_B7 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b8 + CALLSIGN_B8 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_b9 + CALLSIGN_B9 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c0 + CALLSIGN_C0 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c1 + CALLSIGN_C1 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c2 + CALLSIGN_C2 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c3 + CALLSIGN_C3 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c4 + CALLSIGN_C4 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c5 + CALLSIGN_C5 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c6 + CALLSIGN_C6 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c7 + CALLSIGN_C7 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c8 + CALLSIGN_C8 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sasp1_sign_c9 + CALLSIGN_C9 + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_g + GTX_ROOF_G + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_g1 + GTX_ROOF_G1 + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_gc + GTX_ROOF_GC + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_gd + GTX_ROOF_GD + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_c + GTX_ROOF_C + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_d + GTX_ROOF_D + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_f + GTX_ROOF_F + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_f1 + GTX_ROOF_F1 + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_fc + GTX_ROOF_FC + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_a + GTX_ROOF_A + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_ac + GTX_ROOF_AC + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_e + GTX_ROOF_E + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_ec + GTX_ROOF_EC + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_b + GTX_ROOF_B + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_bc + GTX_ROOF_BC + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_g + GTX_ROOF_H + + gtx_roof_h + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_g + GTX_ROOF_H1 + + gtx_roof_h1 + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_g + GTX_ROOF_HC + + gtx_roof_hc + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_roof_g + GTX_ROOF_HD + + gtx_roof_hd + + + misc_r + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_wing_a + GTX_WING_A + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_a1 + GTX_WING_A1 + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_ac + GTX_WING_AC + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_b + GTX_WING_B + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_b1 + GTX_WING_B1 + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_bc + GTX_WING_BC + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_e + GTX_WING_E + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_e1 + GTX_WING_E1 + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_ec + GTX_WING_EC + + + VMT_SPOILER + boot + mod_col_4 + VMCP_DEFAULT + + + + + + + + gtx_wing_d + GTX_WING_D + + + VMT_SPOILER + boot + mod_col_5 + VMCP_DEFAULT + + + + + + + + gtx_wing_d1 + GTX_WING_D1 + + + VMT_SPOILER + boot + mod_col_5 + VMCP_DEFAULT + + + + + + + + gtx_wing_dc + GTX_WING_DC + + + VMT_SPOILER + boot + mod_col_5 + VMCP_DEFAULT + + + + + + + + gtx_wing_g + GTX_WING_G + + + VMT_SPOILER + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_wing_g1 + GTX_WING_G1 + + + VMT_SPOILER + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_wing_gc + GTX_WING_GC + + + VMT_SPOILER + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_wing_c + GTX_WING_C + + + VMT_SPOILER + chassis + mod_col_1 + VMCP_DEFAULT + + + + + + + + gtx_wing_c1 + GTX_WING_C1 + + + VMT_SPOILER + chassis + mod_col_1 + VMCP_DEFAULT + + + + + + + + gtx_skrt_a + GTX_SKRT_A + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_a1 + GTX_SKRT_A1 + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_ac + GTX_SKRT_AC + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_ad + GTX_SKRT_AD + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_b + GTX_SKRT_B + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_b1 + GTX_SKRT_B1 + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_bc + GTX_SKRT_BC + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_bd + GTX_SKRT_BD + + + misc_s + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_c + GTX_SKRT_C + + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_c1 + GTX_SKRT_C1 + + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_cd + GTX_SKRT_CD + + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_skrt_d + GTX_SKRT_D + + + VMT_SKIRT + chassis + mod_col_3 + VMCP_DEFAULT + + + + + + + + gtx_skrt_d1 + GTX_SKRT_D1 + + + VMT_SKIRT + chassis + mod_col_3 + VMCP_DEFAULT + + + + + + + + gtx_skrt_d2 + GTX_SKRT_D2 + + + VMT_SKIRT + chassis + mod_col_3 + VMCP_DEFAULT + + + + + + + + gtx_hood_a + GTX_HOOD_A + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_a1 + GTX_HOOD_A1 + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_ac + GTX_HOOD_AC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_ad + GTX_HOOD_AD + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_d + GTX_HOOD_D + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_dc + GTX_HOOD_DC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_e + GTX_HOOD_E + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_ec + GTX_HOOD_EC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_b + GTX_HOOD_B + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_bc + GTX_HOOD_BC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_c + GTX_HOOD_C + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_cc + GTX_HOOD_CC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_f + GTX_HOOD_F + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_fc + GTX_HOOD_FC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_g + GTX_HOOD_G + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_hood_gc + GTX_HOOD_GC + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + gtx_grille_b + GTX_GRILL_B + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_bc + GTX_GRILL_BC + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_c + GTX_GRILL_C + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_cc + GTX_GRILL_CC + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_a + GTX_GRILL_A + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_a2 + GTX_GRILL_A2 + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_d + GTX_GRILL_D + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_dc + GTX_GRILL_DC + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_e + GTX_GRILL_E + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_grille_ec + GTX_GRILL_EC + + + misc_g + + VMT_GRILL + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_1 + GTX_EXH_E1 + + gtx_exh_e1 + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_1 + GTX_EXH_E + + gtx_exh_e + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_1 + GTX_EXH_A + + gtx_exh_a + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_1 + GTX_EXH_A1 + + gtx_exh_a1 + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_2 + GTX_EXH_B + + gtx_exh_b + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_2 + GTX_EXH_D + + gtx_exh_d + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_2 + GTX_EXH_C + + gtx_exh_c + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_3 + GTX_EXH_H + + gtx_exh_h + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + mod_col_2 + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_3 + GTX_EXH_F + + gtx_exh_f + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + mod_col_2 + VMCP_DEFAULT + + + + + + + + gtx_exh_nodes_3 + GTX_EXH_G + + gtx_exh_g + + + misc_e + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + mod_col_2 + VMCP_DEFAULT + + + + + + + + gtx_arch_a + GTX_ARCH_A + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_arch_a1 + GTX_ARCH_A1 + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_arch_ac + GTX_ARCH_AC + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_arch_ae + GTX_ARCH_AE + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_arch_ad + GTX_ARCH_AD + + + VMT_WING_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_bumr_a + GTX_REAR_A + + + misc_h + + VMT_BUMPER_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_bumr_b + GTX_REAR_B + + + misc_h + + VMT_BUMPER_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_bumr_c + GTX_REAR_C + + + misc_h + + VMT_BUMPER_R + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_flaps + GTX_FLAPS + + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_brace_b + GTX_BRACE_B + + + misc_b + + VMT_CHASSIS + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_brace_a + GTX_BRACE_A + + + misc_b + + VMT_CHASSIS + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_brace_c + GTX_BRACE_C + + + misc_b + + VMT_CHASSIS + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_brace_e + GTX_BRACE_E + + + misc_b + + VMT_CHASSIS + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_brace_f + GTX_BRACE_F + + + misc_b + + VMT_CHASSIS + chassis + chassis + VMCP_DEFAULT + + + + + + + + gtx_fbum_a + GTX_BUMF_A + + + VMT_BUMPER_F + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_fbum_a1 + GTX_BUMF_A1 + + + VMT_BUMPER_F + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_fbum_ac + GTX_BUMF_AC + + + VMT_BUMPER_F + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + gtx_fbum_ad + GTX_BUMF_AD + + + VMT_BUMPER_F + bumper_f + chassis + VMCP_DEFAULT + + + + + + + + + + gtx_exh_a + chassis + + + + gtx_exh_a1 + chassis + + + + gtx_exh_b + chassis + + + + gtx_exh_c + chassis + + + + gtx_exh_d + chassis + + + + gtx_exh_e + chassis + + + + gtx_exh_e1 + chassis + + + + gtx_exh_f + chassis + + + + gtx_exh_g + chassis + + + + gtx_exh_h + chassis + + + + gtx_roof_h + chassis + + + + gtx_roof_h1 + chassis + + + + gtx_roof_hc + chassis + + + + gtx_roof_hd + chassis + + + + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + HORN_TRUCK + + + + VMT_HORN + + + HORN_COP + + + + VMT_HORN + + + HORN_CLOWN + + + + VMT_HORN + + + HORN_MUSICAL_1 + + + + VMT_HORN + + + HORN_MUSICAL_2 + + + + VMT_HORN + + + HORN_MUSICAL_3 + + + + VMT_HORN + + + HORN_MUSICAL_4 + + + + VMT_HORN + + + HORN_MUSICAL_5 + + + + VMT_HORN + + + HORN_SAD_TROMBONE + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_1 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_2 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_3 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_4 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_5 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_6 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_7 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_D0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_E0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_F0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_G0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_A0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_B0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C1 + + + + VMT_HORN + + + HIPSTER_HORN_1 + + + + VMT_HORN + + + HIPSTER_HORN_2 + + + + VMT_HORN + + + HIPSTER_HORN_3 + + + + VMT_HORN + + + HIPSTER_HORN_4 + + + + VMT_HORN + + + INDEP_HORN_1 + + + + VMT_HORN + + + INDEP_HORN_2 + + + + VMT_HORN + + + INDEP_HORN_3 + + + + VMT_HORN + + + INDEP_HORN_4 + + + + VMT_HORN + + + LUXE_HORN_1 + + + + VMT_HORN + + + LUXE_HORN_2 + + + + VMT_HORN + + + LUXE_HORN_3 + + + + VMT_HORN + + + + LUXORY_HORN_1 + + + + VMT_HORN + + + + LUXURY_HORN_2 + + + + VMT_HORN + + + + LUXURY_HORN_3 + + + + VMT_HORN + + + ORGAN_HORN_LOOP_01 + + + + VMT_HORN + + + + ORGAN_HORN_LOOP_01_PREVIEW + + + + VMT_HORN + + + ORGAN_HORN_LOOP_02 + + + + VMT_HORN + + + + ORGAN_HORN_LOOP_02_PREVIEW + + + + VMT_HORN + + + LOWRIDER_HORN_1 + + + + VMT_HORN + + + + LOWRIDER_HORN_1_PREVIEW + + + + VMT_HORN + + + LOWRIDER_HORN_2 + + + + VMT_HORN + + + + LOWRIDER_HORN_2_PREVIEW + + + + VMT_HORN + + + XM15_HORN_01 + + + + VMT_HORN + + + + XM15_HORN_01_PREVIEW + + + + VMT_HORN + + + XM15_HORN_02 + + + + VMT_HORN + + + + XM15_HORN_02_PREVIEW + + + + VMT_HORN + + + XM15_HORN_03 + + + + VMT_HORN + + + + XM15_HORN_03_PREVIEW + + + + VMT_HORN + + + + + VMT_CHASSIS + TOP_BRACE + + + VMT_BUMPER_R + TOP_MUD + + + VMT_WING_L + CALLSIGN_L + + + VMT_WING_R + CALLSIGN_C + + + VMT_ROOF + CALLSIGN_R + + + + + + + + + + sasp1 + + + + + + + VehicleLight_sirenlight + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/carvariations.meta b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/carvariations.meta new file mode 100644 index 0000000000..07d50ea97c --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/carvariations.meta @@ -0,0 +1,43 @@ + + + + + sasp1 + + + + 4 + 12 + 0 + 0 + 0 + + + + + + + + + + + + + + + 4827_sasp1_modkit + + + + + + hash_69E137FC + + + + + + + + + \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/fxmanifest.lua b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/fxmanifest.lua new file mode 100644 index 0000000000..5e6cc48a84 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/fxmanifest.lua @@ -0,0 +1,18 @@ +fx_version 'cerulean' +game 'gta5' + +files { + 'vehicles.meta', + 'carcols.meta', + 'carvariations.meta', + 'audioconfig/*.dat151.rel', + 'audioconfig/*.dat54.rel', + 'sfx/**/*.awc', +} + +data_file 'VEHICLE_METADATA_FILE' 'vehicles.meta' +data_file 'CARCOLS_FILE' 'carcols.meta' +data_file 'VEHICLE_VARIATION_FILE' 'carvariations.meta' +data_file 'AUDIO_GAMEDATA' 'audioconfig/tamustanggt50p_game.dat' +data_file 'AUDIO_SOUNDDATA' 'audioconfig/tamustanggt50p_sounds.dat' +data_file 'AUDIO_WAVEPACK' 'sfx/dlc_tamustanggt50p' \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/sfx/dlc_tamustanggt50p/tamustanggt50p.awc b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/sfx/dlc_tamustanggt50p/tamustanggt50p.awc new file mode 100644 index 0000000000..4621333e1b Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/sfx/dlc_tamustanggt50p/tamustanggt50p.awc differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/sfx/dlc_tamustanggt50p/tamustanggt50p_npc.awc b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/sfx/dlc_tamustanggt50p/tamustanggt50p_npc.awc new file mode 100644 index 0000000000..ae3229fde9 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/sfx/dlc_tamustanggt50p/tamustanggt50p_npc.awc differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1.yft new file mode 100644 index 0000000000..896c22948d Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1.ytd b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1.ytd new file mode 100644 index 0000000000..82cac6ac9e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_antenna.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_antenna.yft new file mode 100644 index 0000000000..e17f26e6b5 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_antenna.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_hi.yft new file mode 100644 index 0000000000..c809f17596 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_livery1.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_livery1.yft new file mode 100644 index 0000000000..613310e40f Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_livery1.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a0.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a0.yft new file mode 100644 index 0000000000..445cffec95 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a0.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a1.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a1.yft new file mode 100644 index 0000000000..8cb1a13270 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a1.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a2.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a2.yft new file mode 100644 index 0000000000..7b86748eb6 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a2.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a3.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a3.yft new file mode 100644 index 0000000000..82daadd016 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a3.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a4.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a4.yft new file mode 100644 index 0000000000..c9f259493e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a4.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a5.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a5.yft new file mode 100644 index 0000000000..581c45d036 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a5.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a6.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a6.yft new file mode 100644 index 0000000000..4789a7077f Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a6.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a7.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a7.yft new file mode 100644 index 0000000000..a810412a5e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a7.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a8.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a8.yft new file mode 100644 index 0000000000..508c0276ef Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a8.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a9.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a9.yft new file mode 100644 index 0000000000..6e7df4fe1c Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_a9.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b0.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b0.yft new file mode 100644 index 0000000000..0bde1a38ad Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b0.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b1.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b1.yft new file mode 100644 index 0000000000..d45f535dfc Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b1.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b2.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b2.yft new file mode 100644 index 0000000000..7b75af3a0f Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b2.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b3.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b3.yft new file mode 100644 index 0000000000..b5f782d252 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b3.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b4.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b4.yft new file mode 100644 index 0000000000..49bb8da689 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b4.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b5.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b5.yft new file mode 100644 index 0000000000..2405cf3e93 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b5.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b6.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b6.yft new file mode 100644 index 0000000000..531cf10ee6 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b6.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b7.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b7.yft new file mode 100644 index 0000000000..98ba05231d Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b7.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b8.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b8.yft new file mode 100644 index 0000000000..d426984c20 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b8.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b9.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b9.yft new file mode 100644 index 0000000000..5c9127541d Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_b9.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c0.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c0.yft new file mode 100644 index 0000000000..ba2ee3b03e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c0.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c1.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c1.yft new file mode 100644 index 0000000000..e3be0885fa Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c1.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c2.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c2.yft new file mode 100644 index 0000000000..ef45179536 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c2.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c3.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c3.yft new file mode 100644 index 0000000000..d42cc74b0c Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c3.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c4.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c4.yft new file mode 100644 index 0000000000..ced9b72ed4 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c4.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c5.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c5.yft new file mode 100644 index 0000000000..9f705332f5 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c5.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c6.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c6.yft new file mode 100644 index 0000000000..195cae3d63 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c6.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c7.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c7.yft new file mode 100644 index 0000000000..5a48133c8a Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c7.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c8.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c8.yft new file mode 100644 index 0000000000..a2e131142b Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c8.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c9.yft b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c9.yft new file mode 100644 index 0000000000..69e499af4c Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/stream/sasp1_sign_c9.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sasp1/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/vehicles.meta new file mode 100644 index 0000000000..ef53332199 --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-sasp1/vehicles.meta @@ -0,0 +1,119 @@ + + + vehshare + + + + sasp1 + sasp1 + SASP1 + SASP1 + VAPID + null + null + null + null + + null + tamustanggt50p + LAYOUT_LOW_DOMINATOR3 + DOMINATOR3_COVER_OFFSET_INFO + EXPLOSION_INFO_DEFAULT + + FOLLOW_CHEETAH_CAMERA + DEFAULT_THIRD_PERSON_VEHICLE_AIM_CAMERA + VEHICLE_BONNET_CAMERA_STANDARD_LONG + DEFAULT_POV_CAMERA + + + + + + + + + + + + + VFXVEHICLEINFO_CAR_GENERIC + + + + + + + + + + + + + + + + + + + + + + 15.000000 + 30.000000 + 60.000000 + 120.000000 + 500.000000 + 500.000000 + + + + + + + + + + + SWANKNESS_5 + + FLAG_SPORTS FLAG_SPAWN_ON_TRAILER FLAG_RICH_CAR FLAG_NO_BROKEN_DOWN_SCENARIO FLAG_RECESSED_TAILLIGHT_CORONAS FLAG_HAS_LIVERY FLAG_EXTRAS_STRONG FLAG_LAW_ENFORCEMENT FLAG_USE_INTERIOR_RED_LIGHT FLAG_EMERGENCY_SERVICE FLAG_EXTRAS_ALL + VEHICLE_TYPE_CAR + VPT_BACK_PLATES + VDT_RACE + VC_MUSCLE + VWT_HIEND + + + + + + VEH_EXT_BONNET + + + + + + + + WHEEL_FRONT_RIGHT_CAMERA + WHEEL_FRONT_LEFT_CAMERA + WHEEL_REAR_RIGHT_CAMERA + WHEEL_REAR_LEFT_CAMERA + + + + + + + LOW_DOMINATOR3_FRONT_LEFT + LOW_DOMINATOR3_FRONT_RIGHT + + + + + + vehicles_specter_interior + sasp1 + + + \ No newline at end of file diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carcols.meta b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carcols.meta index 2751e450ca..c251874a05 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carcols.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carcols.meta @@ -1,1965 +1,2691 @@ - - - - sheriffcara - - - - - - - VehicleLight_sirenlight - - - - - - - - - - - - - - - - - - - + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + sheriffcara + + + + + + + VehicleLight_sirenlight + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + 1011_sheriffcara_modkit - - MKT_SPECIAL - - - sheriffcara_hooda - SHERIFFCARA_HOOD_A - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoodb - SHERIFFCARA_HOOD_B - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoodc - SHERIFFCARA_HOOD_C - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoodd - SHERIFFCARA_HOOD_D - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoode - SHERIFFCARA_HOOD_E - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoodf - SHERIFFCARA_HOOD_F - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoodg - SHERIFFCARA_HOOD_G - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_hoodh - SHERIFFCARA_HOOD_H - - - bonnet - - VMT_BONNET - bonnet - bonnet - VMCP_DEFAULT - - - - - - - - sheriffcara_bumfa - SHERIFFCARA_BUMF_A - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_1 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumfb - SHERIFFCARA_BUMF_B - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_2 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumfc - SHERIFFCARA_BUMF_C - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_2 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumfd - SHERIFFCARA_BUMF_D - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_3 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumfe - SHERIFFCARA_BUMF_E - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_3 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumff - SHERIFFCARA_BUMF_F - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_4 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumfg - SHERIFFCARA_BUMF_G - - - misc_a - - VMT_BUMPER_F - chassis - mod_col_4 - VMCP_DEFAULT - - - - - - - - sheriffcara_archa - SHERIFFCARA_ARCH_A - - - misc_c - - VMT_WING_L - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_archb - SHERIFFCARA_ARCH_B - - - misc_c - - VMT_WING_L - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_archc - SHERIFFCARA_ARCH_C - - - misc_c - - VMT_WING_L - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_winga - SHERIFFCARA_WING_A - - - VMT_SPOILER - chassis - mod_col_8 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingb - SHERIFFCARA_WING_B - - - VMT_SPOILER - chassis - mod_col_8 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingc - SHERIFFCARA_WING_C - - - VMT_SPOILER - chassis - mod_col_9 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingd - SHERIFFCARA_WING_D - - - VMT_SPOILER - chassis - mod_col_9 - VMCP_DEFAULT - - - - - - - - sheriffcara_winge - SHERIFFCARA_WING_E - - - VMT_SPOILER - chassis - mod_col_5 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingf - SHERIFFCARA_WING_F - - - VMT_SPOILER - chassis - mod_col_10 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingg - SHERIFFCARA_WING_G - - - VMT_SPOILER - chassis - mod_col_7 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingh - SHERIFFCARA_WING_H - - - VMT_SPOILER - chassis - mod_col_6 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingi - SHERIFFCARA_WING_I - - - VMT_SPOILER - chassis - mod_col_6 - VMCP_DEFAULT - - - - - - - - sheriffcara_wingj - SHERIFFCARA_WING_J - - - VMT_SPOILER - chassis - mod_col_5 - VMCP_DEFAULT - - - - - - - - sheriffcara_bumra - SHERIFFCARA_BUMR_A - - - bumper_r - - VMT_BUMPER_R - bumper_r - bumper_r - VMCP_DEFAULT - - - - - - - - sheriffcara_bumrb - SHERIFFCARA_BUMR_B - - - bumper_r - - VMT_BUMPER_R - bumper_r - bumper_r - VMCP_DEFAULT - - - - - - - - sheriffcara_bumrc - SHERIFFCARA_BUMR_C - - - bumper_r - - VMT_BUMPER_R - bumper_r - bumper_r - VMCP_DEFAULT - - - - - - - - sheriffcara_bumrd - SHERIFFCARA_BUMR_D - - - bumper_r - - VMT_BUMPER_R - bumper_r - bumper_r - VMCP_DEFAULT - - - - - - - - sheriffcara_bumre - SHERIFFCARA_BUMR_E - - - bumper_r - - VMT_BUMPER_R - bumper_r - bumper_r - VMCP_DEFAULT - - - - - - - - sheriffcara_grilla - SHERIFFCARA_GRILL_A - - - misc_e - - VMT_GRILL - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_grillb - SHERIFFCARA_GRILL_B - - - misc_e - - VMT_GRILL - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_grillc - SHERIFFCARA_GRILL_C - - - misc_e - - VMT_GRILL - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_exha - SHERIFFCARA_EXH_A - - - misc_d - exhaust - exhaust_2 - - VMT_EXHAUST - chassis - chassis - VMCP_DEFAULT - - - - - - - - sheriffcara_exhb - SHERIFFCARA_EXH_B - - - misc_d - exhaust - exhaust_2 - - VMT_EXHAUST - chassis - chassis - VMCP_DEFAULT - - - - - - - - - - - - - - + + MKT_SPECIAL + + + sheriffcara_hooda + SHERIFFCARA_HOOD_A + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoodb + SHERIFFCARA_HOOD_B + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoodc + SHERIFFCARA_HOOD_C + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoodd + SHERIFFCARA_HOOD_D + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoode + SHERIFFCARA_HOOD_E + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoodf + SHERIFFCARA_HOOD_F + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoodg + SHERIFFCARA_HOOD_G + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_hoodh + SHERIFFCARA_HOOD_H + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + sheriffcara_bumfa + SHERIFFCARA_BUMF_A + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_1 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumfb + SHERIFFCARA_BUMF_B + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_2 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumfc + SHERIFFCARA_BUMF_C + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_2 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumfd + SHERIFFCARA_BUMF_D + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_3 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumfe + SHERIFFCARA_BUMF_E + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_3 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumff + SHERIFFCARA_BUMF_F + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_4 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumfg + SHERIFFCARA_BUMF_G + + + misc_a + + VMT_BUMPER_F + chassis + mod_col_4 + VMCP_DEFAULT + + + + + + + + sheriffcara_archa + SHERIFFCARA_ARCH_A + + + misc_c + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_archb + SHERIFFCARA_ARCH_B + + + misc_c + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_archc + SHERIFFCARA_ARCH_C + + + misc_c + + VMT_WING_L + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_winga + SHERIFFCARA_WING_A + + + VMT_SPOILER + chassis + mod_col_8 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingb + SHERIFFCARA_WING_B + + + VMT_SPOILER + chassis + mod_col_8 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingc + SHERIFFCARA_WING_C + + + VMT_SPOILER + chassis + mod_col_9 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingd + SHERIFFCARA_WING_D + + + VMT_SPOILER + chassis + mod_col_9 + VMCP_DEFAULT + + + + + + + + sheriffcara_winge + SHERIFFCARA_WING_E + + + VMT_SPOILER + chassis + mod_col_5 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingf + SHERIFFCARA_WING_F + + + VMT_SPOILER + chassis + mod_col_10 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingg + SHERIFFCARA_WING_G + + + VMT_SPOILER + chassis + mod_col_7 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingh + SHERIFFCARA_WING_H + + + VMT_SPOILER + chassis + mod_col_6 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingi + SHERIFFCARA_WING_I + + + VMT_SPOILER + chassis + mod_col_6 + VMCP_DEFAULT + + + + + + + + sheriffcara_wingj + SHERIFFCARA_WING_J + + + VMT_SPOILER + chassis + mod_col_5 + VMCP_DEFAULT + + + + + + + + sheriffcara_bumra + SHERIFFCARA_BUMR_A + + + bumper_r + + VMT_BUMPER_R + bumper_r + bumper_r + VMCP_DEFAULT + + + + + + + + sheriffcara_bumrb + SHERIFFCARA_BUMR_B + + + bumper_r + + VMT_BUMPER_R + bumper_r + bumper_r + VMCP_DEFAULT + + + + + + + + sheriffcara_bumrc + SHERIFFCARA_BUMR_C + + + bumper_r + + VMT_BUMPER_R + bumper_r + bumper_r + VMCP_DEFAULT + + + + + + + + sheriffcara_bumrd + SHERIFFCARA_BUMR_D + + + bumper_r + + VMT_BUMPER_R + bumper_r + bumper_r + VMCP_DEFAULT + + + + + + + + sheriffcara_bumre + SHERIFFCARA_BUMR_E + + + bumper_r + + VMT_BUMPER_R + bumper_r + bumper_r + VMCP_DEFAULT + + + + + + + + sheriffcara_grilla + SHERIFFCARA_GRILL_A + + + misc_e + + VMT_GRILL + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_grillb + SHERIFFCARA_GRILL_B + + + misc_e + + VMT_GRILL + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_grillc + SHERIFFCARA_GRILL_C + + + misc_e + + VMT_GRILL + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_exha + SHERIFFCARA_EXH_A + + + misc_d + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + sheriffcara_exhb + SHERIFFCARA_EXH_B + + + misc_d + exhaust + exhaust_2 + + VMT_EXHAUST + chassis + chassis + VMCP_DEFAULT + + + + + + + + + + + + + + VMT_ENGINE - - - - + + + + VMT_ENGINE - - - - + + + + VMT_ENGINE - - - - + + + + VMT_ENGINE - - - - + + + + VMT_BRAKES - - - - + + + + VMT_BRAKES - - - - + + + + VMT_BRAKES - - - - + + + + VMT_GEARBOX - - - - + + + + VMT_GEARBOX - - - - + + + + VMT_GEARBOX - - - - + + + + VMT_ARMOUR - - - - + + + + VMT_ARMOUR - - - - + + + + VMT_ARMOUR - - - - + + + + VMT_ARMOUR - - - - + + + + VMT_ARMOUR hash_622480DC - - - + + + VMT_HORN hash_F39227BC - - - + + + VMT_HORN hash_4DF196D6 - - - + + + VMT_HORN hash_0305BDAE - - - + + + VMT_HORN hash_104C583B - - - + + + VMT_HORN hash_5EE9F579 - - - + + + VMT_HORN hash_ECF4918C - - - + + + VMT_HORN hash_3B3D2E20 - - - + + + VMT_HORN hash_25BA0D65 - - - + + + VMT_HORN - - - - + + + + VMT_SUSPENSION - - - - + + + + VMT_SUSPENSION - - - - + + + + VMT_SUSPENSION - - - - + + + + VMT_SUSPENSION musical_horn_business_1 - - - + + + VMT_HORN musical_horn_business_2 - - - + + + VMT_HORN musical_horn_business_3 - - - + + + VMT_HORN musical_horn_business_4 - - - + + + VMT_HORN musical_horn_business_5 - - - + + + VMT_HORN musical_horn_business_6 - - - + + + VMT_HORN musical_horn_business_7 - - - + + + VMT_HORN dlc_busi2_c_major_notes_c0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_d0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_e0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_f0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_g0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_a0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_b0 - - - + + + VMT_HORN dlc_busi2_c_major_notes_c1 - - - + + + VMT_HORN hipster_horn_1 - - - + + + VMT_HORN hipster_horn_2 - - - + + + VMT_HORN hipster_horn_3 - - - + + + VMT_HORN hipster_horn_4 - - - + + + VMT_HORN indep_horn_1 - - - + + + VMT_HORN indep_horn_2 - - - + + + VMT_HORN indep_horn_3 - - - + + + VMT_HORN indep_horn_4 - - - + + + VMT_HORN luxe_horn_1 - - - + + + VMT_HORN luxe_horn_2 - - - + + + VMT_HORN luxe_horn_3 - - - + + + VMT_HORN luxory_horn_1 - - - + + + VMT_HORN luxury_horn_2 - - - + + + VMT_HORN luxury_horn_3 - - - + + + VMT_HORN hash_ADDA777E - - - + + + VMT_HORN hash_DD69EE08 - - - + + + VMT_HORN hash_9BADD325 - - - + + + VMT_HORN hash_BF236EB7 - - - + + + VMT_HORN hash_12824D0B - - - + + + VMT_HORN hash_B0C2FDDB - - - + + + VMT_HORN hash_034BAE9E - - - + + + VMT_HORN hash_39859163 - - - + + + VMT_HORN hash_0354642A - - - + + + VMT_HORN hash_808D4A0A - - - + + + VMT_HORN hash_17D78D30 - - - + + + VMT_HORN hash_357E85FA - - - + + + VMT_HORN hash_216DA05C - - - + + + VMT_HORN hash_12BACFAB - - - + + + VMT_HORN dlc_aw_airhorn_01 - - - + + + VMT_HORN dlc_aw_airhorn_01_preview - - - + + + VMT_HORN dlc_aw_airhorn_02 - - - + + + VMT_HORN dlc_aw_airhorn_02_preview - - - + + + VMT_HORN dlc_aw_airhorn_03 - - - + + + VMT_HORN dlc_aw_airhorn_03_preview - - - + + + VMT_HORN - - - VMT_CHASSIS2 - TOP_KIT + + + VMT_CHASSIS2 + TOP_KIT + + + - - + + 946_bcsoc7_modkit + + MKT_SPECIAL + + + c7h_bumf + C7H_BURMF + + + misc_b + + VMT_BUMPER_F + misc_a + bumper_f + VMCP_DEFAULT + + + + + + + + z06_bumf + Z06_BURMF + + + misc_a + + VMT_BUMPER_F + bumper_f + bumper_f + VMCP_DEFAULT + + + + + + + + z06_bumr + Z06_BUMR + + + misc_c + + VMT_BUMPER_R + bumper_r + chassis + VMCP_DEFAULT + + + + + + + + c7h_wing + C7H_WING + + + misc_d + + VMT_SPOILER + misc_c + chassis + VMCP_DEFAULT + + + + + + + + c7r_wing + C7R_WING + + + misc_d + + VMT_SPOILER + misc_c + chassis + VMCP_DEFAULT + + + + + + + + z06_wing + Z06_WING + + + misc_d + + VMT_SPOILER + misc_c + chassis + VMCP_DEFAULT + + + + + + + + c7h_skirt + C7H_SKIRT + + + VMT_SKIRT + chassis + chassis + VMCP_DEFAULT + + + + + + + + z06_bon + Z06_BON + + + bonnet + + VMT_BONNET + bonnet + bonnet + VMCP_DEFAULT + + + + + + + + z06_chas + Z06_CHAS + + + misc_e + + VMT_CHASSIS + chassis + chassis + VMCP_DEFAULT + + + + + + + + extra_1 + C7_ROOF + + + extra_1 + + VMT_ROOF + chassis + chassis + VMCP_DEFAULT + + + + + + + + + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_ENGINE + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_BRAKES + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_GEARBOX + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + + + + + VMT_ARMOUR + + + HORN_TRUCK + + + + VMT_HORN + + + HORN_COP + + + + VMT_HORN + + + HORN_CLOWN + + + + VMT_HORN + + + HORN_MUSICAL_1 + + + + VMT_HORN + + + HORN_MUSICAL_2 + + + + VMT_HORN + + + HORN_MUSICAL_3 + + + + VMT_HORN + + + HORN_MUSICAL_4 + + + + VMT_HORN + + + HORN_MUSICAL_5 + + + + VMT_HORN + + + HORN_SAD_TROMBONE + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_1 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_2 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_3 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_4 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_5 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_6 + + + + VMT_HORN + + + MUSICAL_HORN_BUSINESS_7 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_D0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_E0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_F0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_G0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_A0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_B0 + + + + VMT_HORN + + + DLC_BUSI2_C_MAJOR_NOTES_C1 + + + + VMT_HORN + + + HIPSTER_HORN_1 + + + + VMT_HORN + + + HIPSTER_HORN_2 + + + + VMT_HORN + + + HIPSTER_HORN_3 + + + + VMT_HORN + + + HIPSTER_HORN_4 + + + + VMT_HORN + + + INDEP_HORN_1 + + + + VMT_HORN + + + INDEP_HORN_2 + + + + VMT_HORN + + + INDEP_HORN_3 + + + + VMT_HORN + + + INDEP_HORN_4 + + + + VMT_HORN + + + LUXE_HORN_1 + + + + VMT_HORN + + + LUXE_HORN_2 + + + + VMT_HORN + + + LUXE_HORN_3 + + + + VMT_HORN + + + + LUXORY_HORN_1 + + + + VMT_HORN + + + + LUXURY_HORN_2 + + + + VMT_HORN + + + + LUXURY_HORN_3 + + + + VMT_HORN + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + + + VMT_SUSPENSION + + + + + VMT_CHASSIS + TOP_CAGE + + + MGT_LV1 + MGT_LV2 + MGT_LV3 + MGT_LV4 + MGT_LV5 + MGT_LV6 + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + VehicleLight_car_oldsquare + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + c7 + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carvariations.meta b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carvariations.meta index f4fb43044f..c6a4fa283e 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carvariations.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/carvariations.meta @@ -39,5 +39,44 @@ + + bcsoc7 + + + + 111 + 0 + 1 + 156 + 0 + 0 + + + + + + + + + + + + + + + 946_bcsoc7_modkit + + + + + + hash_69E137FC + + + + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/handling.meta b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/handling.meta new file mode 100644 index 0000000000..c0963502fd --- /dev/null +++ b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/handling.meta @@ -0,0 +1,68 @@ + + + + + bcsoc7 + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 441010 + 20002 + 0 + AVERAGE + + + 0 + + + + + + + + + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/vehicles.meta index 6bbeecad04..1fa8f90a94 100644 --- a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/vehicles.meta +++ b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/meta/vehicles.meta @@ -1,136 +1,255 @@  - vehshare - - - - sheriffcara - sheriffcara - CARACARA2 - sheriffcara - - null - null - null - null - - null - sheriffcara - LAYOUT_RANGER_CARACARA2 - CARACARA2_COVER_OFFSET_INFO - EXPLOSION_INFO_DEFAULT - - DEFAULT_FOLLOW_VEHICLE_CAMERA - MID_BOX_VEHICLE_AIM_CAMERA - VEHICLE_BONNET_CAMERA_STANDARD_LONG_EXTRA_LOW - DEFAULT_POV_CAMERA_LOOKAROUND_MID - - - - - - - - - - - - - - - - - - - - - - - - - - - - VFXVEHICLEINFO_CAR_OFFROAD - - - - - - - - - - - - - - - - - - - - - - 20.000000 - 35.000000 - 90.000000 - 180.000000 - 500.000000 - 500.000000 - - - - - - - - - - - SWANKNESS_1 - - FLAG_AVERAGE_CAR FLAG_POOR_CAR FLAG_IS_OFFROAD_VEHICLE FLAG_HEADLIGHTS_USE_ACTUAL_BONE_POS FLAG_IS_BULKY FLAG_HAS_INTERIOR_EXTRAS FLAG_EXTRAS_STRONG FLAG_LAW_ENFORCEMENT FLAG_EMERGENCY_SERVICE FLAG_NO_RESPRAY FLAG_DONT_SPAWN_IN_CARGEN FLAG_REPORT_CRIME_IF_STANDING_ON FLAG_HAS_LIVERY - VEHICLE_TYPE_CAR - VPT_BACK_PLATES - VDT_CAVALCADE - VC_OFF_ROAD - VWT_SUV - - - - - EXTRA_1 EXTRA_2 EXTRA_4 EXTRA_5 EXTRA_6 - - - VEH_EXT_BOOT - - - - - EXTRA_1 - - - WHEEL_WIDE_REAR_RIGHT_CAMERA - WHEEL_WIDE_REAR_LEFT_CAMERA - - Truck - - - - - STD_POLICE_FRONT_LEFT - STD_POLICE_FRONT_RIGHT - STD_POLICE_REAR_LEFT - STD_POLICE_REAR_RIGHT - - - - - - vehicles_cav_interior - sheriffcara - - + vehshare + + + + sheriffcara + sheriffcara + CARACARA2 + sheriffcara + + null + null + null + null + + null + sheriffcara + LAYOUT_RANGER_CARACARA2 + CARACARA2_COVER_OFFSET_INFO + EXPLOSION_INFO_DEFAULT + + DEFAULT_FOLLOW_VEHICLE_CAMERA + MID_BOX_VEHICLE_AIM_CAMERA + VEHICLE_BONNET_CAMERA_STANDARD_LONG_EXTRA_LOW + DEFAULT_POV_CAMERA_LOOKAROUND_MID + + + + + + + + + + + + + + + + + + + + + + + + + + + + VFXVEHICLEINFO_CAR_OFFROAD + + + + + + + + + + + + + + + + + + + + + + 20.000000 + 35.000000 + 90.000000 + 180.000000 + 500.000000 + 500.000000 + + + + + + + + + + + SWANKNESS_1 + + FLAG_AVERAGE_CAR FLAG_POOR_CAR FLAG_IS_OFFROAD_VEHICLE FLAG_HEADLIGHTS_USE_ACTUAL_BONE_POS + FLAG_IS_BULKY FLAG_HAS_INTERIOR_EXTRAS FLAG_EXTRAS_STRONG FLAG_LAW_ENFORCEMENT FLAG_EMERGENCY_SERVICE + FLAG_NO_RESPRAY FLAG_DONT_SPAWN_IN_CARGEN FLAG_REPORT_CRIME_IF_STANDING_ON FLAG_HAS_LIVERY + + VEHICLE_TYPE_CAR + VPT_BACK_PLATES + VDT_CAVALCADE + VC_OFF_ROAD + VWT_SUV + + + + + EXTRA_1 EXTRA_2 EXTRA_4 EXTRA_5 EXTRA_6 + + + VEH_EXT_BOOT + + + + + EXTRA_1 + + + WHEEL_WIDE_REAR_RIGHT_CAMERA + WHEEL_WIDE_REAR_LEFT_CAMERA + + Truck + + + + + STD_POLICE_FRONT_LEFT + STD_POLICE_FRONT_RIGHT + STD_POLICE_REAR_LEFT + STD_POLICE_REAR_RIGHT + + + + bcsoc7 + bcsoc7 + bcsoc7 + bcsoc7 + CHV + null + null + null + null + + null + bcsoc7 + LAYOUT_LOW + AIRTUG_COVER_OFFSET_INFO + EXPLOSION_INFO_DEFAULT + + DEFAULT_FOLLOW_VEHICLE_CAMERA + DEFAULT_THIRD_PERSON_VEHICLE_AIM_CAMERA + VEHICLE_BONNET_CAMERA_STANDARD_LONG + DEFAULT_POV_CAMERA + + + + + + + + + + + + + + + + + + VFXVEHICLEINFO_CAR_GENERIC + + + + + + + + + + + + + + + + + + + + + + 25.000000 + 100.000000 + 190.000000 + 230.000000 + 350.000000 + 500.000000 + + + + + + + + + + + SWANKNESS_3 + + FLAG_SPORTS FLAG_HAS_LIVERY FLAG_PARKING_SENSORS FLAG_RICH_CAR FLAG_NO_BROKEN_DOWN_SCENARIO + FLAG_LAW_ENFORCEMENT FLAG_EMERGENCY_SERVICE FLAG_NO_RESPRAY FLAG_COUNT_AS_FACEBOOK_DRIVEN + FLAG_HAS_INTERIOR_EXTRAS + + VEHICLE_TYPE_CAR + VPT_BACK_PLATES + VDT_ZTYPE + VC_EMERGENCY + VWT_SPORT + + + + + + + + + + + + WHEEL_FRONT_RIGHT_CAMERA + WHEEL_FRONT_LEFT_CAMERA + WHEEL_REAR_RIGHT_CAMERA + WHEEL_REAR_LEFT_CAMERA + + + + + + + LOW_SURANO_FRONT_LEFT + LOW_SURANO_FRONT_RIGHT + + + + + + vehicles_cav_interior + sheriffcara + + + vehicles_btype_interior + bcsoc7 + + diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7.yft b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7.yft new file mode 100644 index 0000000000..6c41bad3f0 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7.ytd b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7.ytd new file mode 100644 index 0000000000..131c36b7d8 Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7.ytd differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7_hi.yft new file mode 100644 index 0000000000..8102a3775e Binary files /dev/null and b/resources/[vehicles]/[vehicles-prod]/soz-sheriffcara/stream/bcsoc7_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1.yft b/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1.yft index 1a20f158fb..46453dbb48 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1.yft and b/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1_hi.yft index f539757584..d1e66b88dd 100644 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1_hi.yft and b/resources/[vehicles]/[vehicles-prod]/soz-supervolito1/stream/supervolito1_hi.yft differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/fxmanifest.lua b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/fxmanifest.lua deleted file mode 100644 index 9587c5859d..0000000000 --- a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/fxmanifest.lua +++ /dev/null @@ -1,10 +0,0 @@ -fx_version "cerulean" -game "gta5" - -files { - "meta/*.meta" -} - -data_file "VEHICLE_METADATA_FILE" "meta/vehicles.meta" -data_file "VEHICLE_VARIATION_FILE" "meta/carvariations.meta" -data_file 'HANDLING_FILE' "meta/handling.meta" diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/carvariations.meta b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/carvariations.meta deleted file mode 100644 index b6f643d8d5..0000000000 --- a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/carvariations.meta +++ /dev/null @@ -1,44 +0,0 @@ - - - - - - dodge - - - - 0 - 0 - 55 - 23 - - - - - - - - - - - - - - - 0_default_modkit - 1010_dodge_modkit - - - - - - Standard White - - - - - - - - - diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/handling.meta b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/handling.meta deleted file mode 100644 index e8d04f955d..0000000000 --- a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/handling.meta +++ /dev/null @@ -1,67 +0,0 @@ - - - - - - dodge - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 440010 - 0 - 0 - AVERAGE - - - - - - - - - - - - diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/vehicles.meta b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/vehicles.meta deleted file mode 100644 index 3b383a0dd6..0000000000 --- a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/meta/vehicles.meta +++ /dev/null @@ -1,119 +0,0 @@ - - - vehshare - - - - dodge - dodge - dodge - dodge - - null - null - null - null - - - DOMINATOR - LAYOUT_STD_EXITFIXUP - SAVESTRA_COVER_OFFSET_INFO - EXPLOSION_INFO_DEFAULT - - DEFAULT_FOLLOW_VEHICLE_CAMERA - MID_BOX_VEHICLE_AIM_CAMERA - VEHICLE_BONNET_CAMERA_LOW - DEFAULT_POV_CAMERA - - - - - - - - - - - - - VFXVEHICLEINFO_CAR_GENERIC - - - - - - - - - - - - - - - - - - - - - - 700.000000 - 800.000000 - 900.000000 - 1200.000000 - 1300.000000 - 1400.000000 - - - - - - - - - - - SWANKNESS_1 - - FLAG_EXTRAS_STRONG FLAG_DONT_SPAWN_IN_CARGEN FLAG_HAS_LIVERY - VEHICLE_TYPE_CAR - VPT_BACK_PLATES - VDT_SCHAFTER2 - VC_COUPE - VWT_SPORT - - - - - - - - - - - - WHEEL_FRONT_RIGHT_CAMERA - WHEEL_FRONT_LEFT_CAMERA - WHEEL_REAR_RIGHT_CAMERA - WHEEL_REAR_LEFT_CAMERA - - - - - - - STD_POLICE_FRONT_LEFT - STD_POLICE_FRONT_RIGHT - STD_POLICE_REAR_LEFT - STD_POLICE_REAR_RIGHT - - - - - - vehicles_schaf_brown_interior - dodge - - - diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge.yft b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge.yft deleted file mode 100644 index db6dd3257e..0000000000 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge.yft and /dev/null differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge.ytd b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge.ytd deleted file mode 100644 index 6305b7d926..0000000000 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge.ytd and /dev/null differ diff --git a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge_hi.yft b/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge_hi.yft deleted file mode 100644 index 4f22ad101f..0000000000 Binary files a/resources/[vehicles]/[vehicles-prod]/soz-vanilladodge/stream/dodge_hi.yft and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-metaconfig/stream/weapons.meta b/resources/[weapon]/soz-weapon-metaconfig/stream/weapons.meta index 08a9de78cd..805c306eb1 100644 --- a/resources/[weapon]/soz-weapon-metaconfig/stream/weapons.meta +++ b/resources/[weapon]/soz-weapon-metaconfig/stream/weapons.meta @@ -1382,7 +1382,7 @@ - SMOKEGRENADE + SMOKEGRENADELAUNCHER DONTCARE DONTCARE DONTCARE @@ -5633,6 +5633,10 @@ COMPONENT_SMG_CLIP_02 + + COMPONENT_SMG_CLIP_03 + + @@ -5645,10 +5649,10 @@ - WAPScop + WAPScop_2 - COMPONENT_AT_SCOPE_MACRO + COMPONENT_AT_SCOPE_MACRO_02 @@ -7484,7 +7488,7 @@ w_sg_pumpshotgun SLOT_PUMPSHOTGUN - BULLET + NONE DONTCARE DONTCARE @@ -7514,15 +7518,15 @@ - - + + - - + + @@ -7574,18 +7578,18 @@ - WEAPON_EFFECT_GROUP_SHOTGUN + WEAPON_EFFECT_GROUP_MELEE_METAL muz_shotgun muz_smoking_barrel_shotgun - muz_smoking_barrel_fp + muz_smoking_barrel_fp eject_shotgun - eject_shotgun_fp + eject_shotgun_fp - ShotgunLarge + @@ -8685,12 +8689,12 @@ - + - - + + DEFAULT_THIRD_PERSON_PED_AIM_CAMERA diff --git a/resources/[weapon]/soz-weapon-pumpshotgun/fxmanifest.lua b/resources/[weapon]/soz-weapon-pumpshotgun/fxmanifest.lua new file mode 100644 index 0000000000..43461859f6 --- /dev/null +++ b/resources/[weapon]/soz-weapon-pumpshotgun/fxmanifest.lua @@ -0,0 +1,2 @@ +fx_version "cerulean" +game "gta5" \ No newline at end of file diff --git a/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun+hi.ytd b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun+hi.ytd new file mode 100644 index 0000000000..e05dc52b24 Binary files /dev/null and b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun+hi.ytd differ diff --git a/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun.ydr b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun.ydr new file mode 100644 index 0000000000..db6612b57a Binary files /dev/null and b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun.ydr differ diff --git a/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun.ytd b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun.ytd new file mode 100644 index 0000000000..f76b33f396 Binary files /dev/null and b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun.ytd differ diff --git a/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun_hi.ydr b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun_hi.ydr new file mode 100644 index 0000000000..0ddf9b4e34 Binary files /dev/null and b/resources/[weapon]/soz-weapon-pumpshotgun/stream/w_sg_pumpshotgun_hi.ydr differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/ambience.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/ambience.awc deleted file mode 100644 index 1d9034cd23..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/ambience.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/animals_footsteps.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/animals_footsteps.awc deleted file mode 100644 index 89fac3c885..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/animals_footsteps.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/collision.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/collision.awc deleted file mode 100644 index 2e24e1963c..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/collision.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/collisions.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/collisions.awc deleted file mode 100644 index 14af175f8f..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/collisions.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/doors.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/doors.awc deleted file mode 100644 index a04bfb9d97..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/doors.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/explosions.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/explosions.awc deleted file mode 100644 index 589423ca97..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/explosions.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/feet_materials.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/feet_materials.awc deleted file mode 100644 index e1b1126598..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/feet_materials.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/feet_resident.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/feet_resident.awc deleted file mode 100644 index e2c750bcf9..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/feet_resident.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/frontend.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/frontend.awc deleted file mode 100644 index 76b5f97aae..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/frontend.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/low_latency.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/low_latency.awc deleted file mode 100644 index a03bf6397f..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/low_latency.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/melee.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/melee.awc deleted file mode 100644 index 548e02524d..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/melee.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/movement.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/movement.awc deleted file mode 100644 index 5c02183ce0..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/movement.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/player_switch.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/player_switch.awc deleted file mode 100644 index 70b874e11c..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/player_switch.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/vehicles.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/vehicles.awc deleted file mode 100644 index 042fd508a7..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/vehicles.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/weapons.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/weapons.awc deleted file mode 100644 index 5c72486f54..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/weapons.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/weather.awc b/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/weather.awc deleted file mode 100644 index 849292cba3..0000000000 Binary files a/resources/[weapon]/soz-weapon-soundpack/audio/sfx/resident/weather.awc and /dev/null differ diff --git a/resources/[weapon]/soz-weapon-soundpack/fxmanifest.lua b/resources/[weapon]/soz-weapon-soundpack/fxmanifest.lua index f22d02bd2c..959a2731cf 100644 --- a/resources/[weapon]/soz-weapon-soundpack/fxmanifest.lua +++ b/resources/[weapon]/soz-weapon-soundpack/fxmanifest.lua @@ -6,9 +6,7 @@ author "XENORT" version "4.1" files { - 'audio/sfx/resident/*.awc', 'audio/sfx/weapons_player/*.awc', } -data_file "AUDIO_WAVEPACK" "audio/sfx/resident" data_file "AUDIO_WAVEPACK" "audio/sfx/weapons_player" diff --git a/server.cfg b/server.cfg index 485dac6c7f..d0f7a898ba 100644 --- a/server.cfg +++ b/server.cfg @@ -3,7 +3,7 @@ endpoint_add_tcp "0.0.0.0:30120" endpoint_add_udp "0.0.0.0:30120" # Set DLC level (rewritable in env.cfg) - if new clothes are added, update gta-server/resources/[soz]/soz-core/src/shared/drawable.ts -sv_enforceGameBuild 2802 +sv_enforceGameBuild 2944 # Environment config with specific variables depending where the server is located # Copy the `env.cfg-dist` file to `env.cfg` and replace any necessary values